diff --git a/doc/qbittorrent.1 b/doc/qbittorrent.1 index 571b258a8..32d8ed035 100644 --- a/doc/qbittorrent.1 +++ b/doc/qbittorrent.1 @@ -8,7 +8,7 @@ qBittorrent \- a Bittorrent client written in C++ / Qt4 .SH "SYNOPSIS" -\fBqbittorrent\fR [\-\-no-splash] [TORRENT_FILE | URL]... +\fBqbittorrent\fR [\-\-no-splash] [\-\-webui-port=x] [TORRENT_FILE | URL]... \fBqbittorrent\fR \-\-help @@ -21,7 +21,7 @@ qBittorrent \- a Bittorrent client written in C++ / Qt4 using the \fBrblibtorrent\fR library by Arvid Norberg. qBittorrent aims to be a good alternative to all other bittorrent clients out there. qBittorrent is fast, stable, light, it supports unicode and it provides a good integrated search engine. -It also comes with UPnP port forwarding / NAT-PMP, encryption (Azureus compatible), +It also comes with UPnP port forwarding / NAT-PMP, encryption (Vuze compatible), FAST extension (mainline) and PeX support (utorrent compatible). .SH "OPTIONS" @@ -32,6 +32,8 @@ FAST extension (mainline) and PeX support (utorrent compatible). \fB--no-splash\fR Disables splash screen on startup. +\fB--webui-port=x\fR Changes Web UI port to x (default: 8080). + .SH "BUGS" If you find a bug, please report it at http://bugs.qbittorrent.org diff --git a/src/eventmanager.cpp b/src/eventmanager.cpp index 96d2b8014..6012d16d0 100644 --- a/src/eventmanager.cpp +++ b/src/eventmanager.cpp @@ -38,7 +38,7 @@ #include EventManager::EventManager(QObject *parent, Bittorrent *BTSession) - : QObject(parent), BTSession(BTSession) + : QObject(parent), BTSession(BTSession) { } @@ -122,14 +122,135 @@ QList EventManager::getPropFilesInfo(QString hash) const { return files; } +void EventManager::setGlobalPreferences(QVariantMap m) const { + // UI + if(m.contains("locale")) + Preferences::setLocale(m["locale"].toString()); + // Downloads + if(m.contains("save_path")) + Preferences::setSavePath(m["save_path"].toString()); + if(m.contains("temp_path_enabled")) + Preferences::setTempPathEnabled(m["temp_path_enabled"].toBool()); + if(m.contains("temp_path")) + Preferences::setTempPath(m["temp_path"].toString()); + if(m.contains("scan_dir")) + Preferences::setScanDir(m["scan_dir"].toString()); + if(m.contains("preallocate_all")) + Preferences::preAllocateAllFiles(m["preallocate_all"].toBool()); + if(m.contains("queueing_enabled")) + Preferences::setQueueingSystemEnabled(m["queueing_enabled"].toBool()); + if(m.contains("max_active_downloads")) + Preferences::setMaxActiveDownloads(m["max_active_downloads"].toInt()); + if(m.contains("max_active_torrents")) + Preferences::setMaxActiveTorrents(m["max_active_torrents"].toInt()); + if(m.contains("max_active_uploads")) + Preferences::setMaxActiveUploads(m["max_active_uploads"].toInt()); +#ifdef LIBTORRENT_0_15 + if(m.contains("incomplete_files_ext")) + Preferences::useIncompleteFilesExtension(m["incomplete_files_ext"].toBool()); +#endif + // Connection + if(m.contains("listen_port")) + Preferences::setSessionPort(m["listen_port"].toInt()); + if(m.contains("upnp")) + Preferences::setUPnPEnabled(m["upnp"].toBool()); + if(m.contains("natpmp")) + Preferences::setNATPMPEnabled(m["natpmp"].toBool()); + if(m.contains("dl_limit")) + Preferences::setGlobalDownloadLimit(m["dl_limit"].toInt()); + if(m.contains("up_limit")) + Preferences::setGlobalUploadLimit(m["up_limit"].toInt()); + if(m.contains("max_connec")) + Preferences::setMaxConnecs(m["max_connec"].toInt()); + if(m.contains("max_connec_per_torrent")) + Preferences::setMaxConnecsPerTorrent(m["max_connec_per_torrent"].toInt()); + if(m.contains("max_uploads_per_torrent")) + Preferences::setMaxUploadsPerTorrent(m["max_uploads_per_torrent"].toInt()); + // Bittorrent + if(m.contains("dht")) + Preferences::setDHTEnabled(m["dht"].toBool()); + if(m.contains("pex")) + Preferences::setPeXEnabled(m["pex"].toBool()); + qDebug("Pex support: %d", (int)m["pex"].toBool()); + if(m.contains("lsd")) + Preferences::setLSDEnabled(m["lsd"].toBool()); + if(m.contains("encryption")) + Preferences::setEncryptionSetting(m["encryption"].toInt()); + // Proxy + if(m.contains("proxy_type")) + Preferences::setProxyType(m["proxy_type"].toInt()); + if(m.contains("proxy_ip")) + Preferences::setProxyIp(m["proxy_ip"].toString()); + if(m.contains("proxy_port")) + Preferences::setProxyPort(m["proxy_port"].toUInt()); + if(m.contains("proxy_auth_enabled")) + Preferences::setProxyAuthEnabled(m["proxy_auth_enabled"].toBool()); + if(m.contains("proxy_username")) + Preferences::setProxyUsername(m["proxy_username"].toString()); + if(m.contains("proxy_password")) + Preferences::setProxyPassword(m["proxy_password"].toString()); + // IP Filter + if(m.contains("ip_filter_enabled")) + Preferences::setFilteringEnabled(m["ip_filter_enabled"].toBool()); + if(m.contains("ip_filter_path")) + Preferences::setFilter(m["ip_filter_path"].toString()); + // Web UI + if(m.contains("web_ui_port")) + Preferences::setWebUiPort(m["web_ui_port"].toUInt()); + if(m.contains("web_ui_username")) + Preferences::setWebUiUsername(m["web_ui_username"].toString()); + if(m.contains("web_ui_password")) + Preferences::setWebUiPassword(m["web_ui_password"].toString()); + // Reload preferences + BTSession->configureSession(); +} + QVariantMap EventManager::getGlobalPreferences() const { QVariantMap data; + // UI + data["locale"] = Preferences::getLocale(); + // Downloads + data["save_path"] = Preferences::getSavePath(); + data["temp_path_enabled"] = Preferences::isTempPathEnabled(); + data["temp_path"] = Preferences::getTempPath(); + data["scan_dir_enabled"] = Preferences::isDirScanEnabled(); + data["scan_dir"] = Preferences::getScanDir(); + data["preallocate_all"] = Preferences::preAllocateAllFiles(); + data["queueing_enabled"] = Preferences::isQueueingSystemEnabled(); + data["max_active_downloads"] = Preferences::getMaxActiveDownloads(); + data["max_active_torrents"] = Preferences::getMaxActiveTorrents(); + data["max_active_uploads"] = Preferences::getMaxActiveUploads(); +#ifdef LIBTORRENT_0_15 + data["incomplete_files_ext"] = Preferences::useIncompleteFilesExtension(); +#endif + // Connection + data["listen_port"] = Preferences::getSessionPort(); + data["upnp"] = Preferences::isUPnPEnabled(); + data["natpmp"] = Preferences::isNATPMPEnabled(); data["dl_limit"] = Preferences::getGlobalDownloadLimit(); data["up_limit"] = Preferences::getGlobalUploadLimit(); - data["dht"] = Preferences::isDHTEnabled(); data["max_connec"] = Preferences::getMaxConnecs(); data["max_connec_per_torrent"] = Preferences::getMaxConnecsPerTorrent(); data["max_uploads_per_torrent"] = Preferences::getMaxUploadsPerTorrent(); + // Bittorrent + data["dht"] = Preferences::isDHTEnabled(); + data["pex"] = Preferences::isPeXEnabled(); + data["lsd"] = Preferences::isLSDEnabled(); + data["encryption"] = Preferences::getEncryptionSetting(); + // Proxy + data["proxy_type"] = Preferences::getProxyType(); + data["proxy_ip"] = Preferences::getProxyIp(); + data["proxy_port"] = Preferences::getProxyPort(); + data["proxy_auth_enabled"] = Preferences::isProxyAuthEnabled(); + data["proxy_username"] = Preferences::getProxyUsername(); + data["proxy_password"] = Preferences::getProxyPassword(); + // IP Filter + data["ip_filter_enabled"] = Preferences::isFilteringEnabled(); + data["ip_filter_path"] = Preferences::getFilter(); + // Web UI + data["web_ui_port"] = Preferences::getWebUiPort(); + data["web_ui_username"] = Preferences::getWebUiUsername(); + data["web_ui_password"] = Preferences::getWebUiPassword(); return data; } @@ -162,10 +283,10 @@ QVariantMap EventManager::getPropGeneralInfo(QString hash) const { data["nb_connections"] = QString::number(h.num_connections())+" ("+tr("%1 max", "e.g. 10 max").arg(QString::number(h.connections_limit()))+")"; // Update ratio info double ratio = BTSession->getRealRatio(h.hash()); - if(ratio > 100.) - data["share_ratio"] = QString::fromUtf8("∞"); - else - data["share_ratio"] = QString(QByteArray::number(ratio, 'f', 1)); + if(ratio > 100.) + data["share_ratio"] = QString::fromUtf8("∞"); + else + data["share_ratio"] = QString(QByteArray::number(ratio, 'f', 1)); } return data; } diff --git a/src/eventmanager.h b/src/eventmanager.h index e4af282bc..b00c6d861 100644 --- a/src/eventmanager.h +++ b/src/eventmanager.h @@ -55,6 +55,7 @@ class EventManager : public QObject QList getPropTrackersInfo(QString hash) const; QList getPropFilesInfo(QString hash) const; QVariantMap getGlobalPreferences() const; + void setGlobalPreferences(QVariantMap m) const; public slots: void addedTorrent(QTorrentHandle& h); diff --git a/src/filterparserthread.h b/src/filterparserthread.h index aafcbb32f..3e514ffe9 100644 --- a/src/filterparserthread.h +++ b/src/filterparserthread.h @@ -71,7 +71,7 @@ class FilterParserThread : public QThread { // PeerGuardian p2p file parseP2PFilterFile(filePath); } else { - if(filePath.endsWith(".p2p", Qt::CaseInsensitive)) { + if(filePath.endsWith(".p2b", Qt::CaseInsensitive)) { // PeerGuardian p2b file parseP2BFilterFile(filePath); } else { diff --git a/src/httpconnection.cpp b/src/httpconnection.cpp index 9871a45b5..316ba4dcd 100644 --- a/src/httpconnection.cpp +++ b/src/httpconnection.cpp @@ -103,12 +103,12 @@ void HttpConnection::write() } QString HttpConnection::translateDocument(QString data) { - std::string contexts[] = {"TransferListFiltersWidget", "TransferListWidget", "PropertiesWidget", "GUI", "MainWindow", "HttpServer", "confirmDeletionDlg", "TrackerList", "TorrentFilesModel", "options_imp"}; + std::string contexts[] = {"TransferListFiltersWidget", "TransferListWidget", "PropertiesWidget", "GUI", "MainWindow", "HttpServer", "confirmDeletionDlg", "TrackerList", "TorrentFilesModel", "options_imp", "Preferences"}; int i=0; bool found = false; do { found = false; - QRegExp regex("_\\(([\\w\\s?!:\\/\\(\\)\\.]+)\\)"); + QRegExp regex("_\\(([\\w\\s?!:\\/\\(\\),\\-\\.]+)\\)"); i = regex.indexIn(data, i); if(i >= 0) { //qDebug("Found translatable string: %s", regex.cap(1).toUtf8().data()); @@ -118,7 +118,7 @@ QString HttpConnection::translateDocument(QString data) { do { translation = qApp->translate(contexts[context_index].c_str(), word.toLocal8Bit().data(), 0, QCoreApplication::UnicodeUTF8, 1); ++context_index; - }while(translation == word && context_index < 10); + }while(translation == word && context_index < 11); //qDebug("Translation is %s", translation.toUtf8().data()); data = data.replace(i, regex.matchedLength(), translation); i += translation.length(); @@ -193,6 +193,7 @@ void HttpConnection::respond() else list.prepend("webui"); url = ":/" + list.join("/"); + qDebug("Resource URL: %s", url.toLocal8Bit().data()); QFile file(url); if(!file.open(QIODevice::ReadOnly)) { @@ -329,37 +330,10 @@ void HttpConnection::respondCommand(QString command) return; } if(command == "setPreferences") { - bool ok = false; - int dl_limit = parser.post("dl_limit").toInt(&ok); - if(ok) { - BTSession->setDownloadRateLimit(dl_limit*1024); - Preferences::setGlobalDownloadLimit(dl_limit); - } - int up_limit = parser.post("up_limit").toInt(&ok); - if(ok) { - BTSession->setUploadRateLimit(up_limit*1024); - Preferences::setGlobalUploadLimit(up_limit); - } - int dht_state = parser.post("dht").toInt(&ok); - if(ok) { - BTSession->enableDHT(dht_state == 1); - Preferences::setDHTEnabled(dht_state == 1); - } - int max_connec = parser.post("max_connec").toInt(&ok); - if(ok) { - BTSession->setMaxConnections(max_connec); - Preferences::setMaxConnecs(max_connec); - } - int max_connec_per_torrent = parser.post("max_connec_per_torrent").toInt(&ok); - if(ok) { - BTSession->setMaxConnectionsPerTorrent(max_connec_per_torrent); - Preferences::setMaxConnecsPerTorrent(max_connec_per_torrent); - } - int max_uploads_per_torrent = parser.post("max_uploads_per_torrent").toInt(&ok); - if(ok) { - BTSession->setMaxUploadsPerTorrent(max_uploads_per_torrent); - Preferences::setMaxUploadsPerTorrent(max_uploads_per_torrent); - } + QString json_str = parser.post("json"); + //qDebug("setPreferences, json: %s", json_str.toLocal8Bit().data()); + EventManager* manager = parent->eventManager(); + manager->setGlobalPreferences(json::fromJson(json_str)); } if(command == "setFilePrio") { QString hash = parser.post("hash"); diff --git a/src/httpserver.cpp b/src/httpserver.cpp index 785517dbc..1f63cc755 100644 --- a/src/httpserver.cpp +++ b/src/httpserver.cpp @@ -76,6 +76,12 @@ HttpServer::HttpServer(Bittorrent *_BTSession, int msec, QObject* parent) : QTcp a = tr("Maximum number of connections per torrent limit must be greater than 0 or disabled."); a = tr("Maximum number of upload slots per torrent limit must be greater than 0 or disabled."); a = tr("Unable to save program preferences, qBittorrent is probably unreachable."); + a = tr("Language"); + a = tr("Downloaded", "Is the file downloaded or not?"); + a = tr("The port used for incoming connections must be greater than 1024 and less than 65535."); + a = tr("The port used for the Web UI must be greater than 1024 and less than 65535."); + a = tr("The Web UI username must be at least 3 characters long."); + a = tr("The Web UI password must be at least 3 characters long."); } HttpServer::~HttpServer() diff --git a/src/json.h b/src/json.h index 4af3f16f2..b0d105f75 100644 --- a/src/json.h +++ b/src/json.h @@ -98,6 +98,36 @@ namespace json { return "{"+vlist.join(",")+"}"; } + QVariantMap fromJson(QString json) { + QVariantMap m; + if(json.startsWith("{") && json.endsWith("}")) { + json.chop(1); + json = json.replace(0, 1, ""); + QStringList couples = json.split(","); + foreach(QString couple, couples) { + QStringList parts = couple.split(":"); + if(parts.size() != 2) continue; + QString key = parts.first(); + if(key.startsWith("\"") && key.endsWith("\"")) { + key.chop(1); + key = key.replace(0, 1, ""); + } + QString value_str = parts.last(); + QVariant value; + if(value_str.startsWith("\"") && value_str.endsWith("\"")) { + value_str.chop(1); + value_str = value_str.replace(0, 1, ""); + value = value_str; + } else { + value = value_str.toInt(); + } + m.insert(key,value); + qDebug("%s:%s", key.toLocal8Bit().data(), value_str.toLocal8Bit().data()); + } + } + return m; + } + QString toJson(QList v) { QStringList res; foreach(QVariantMap m, v) { diff --git a/src/lang/qbittorrent_bg.qm b/src/lang/qbittorrent_bg.qm index bdcebe3b3..34fa45e9e 100644 Binary files a/src/lang/qbittorrent_bg.qm and b/src/lang/qbittorrent_bg.qm differ diff --git a/src/lang/qbittorrent_bg.ts b/src/lang/qbittorrent_bg.ts index 35813152d..8b4d5a8db 100644 --- a/src/lang/qbittorrent_bg.ts +++ b/src/lang/qbittorrent_bg.ts @@ -471,9 +471,8 @@ Copyright © 2006 от Christophe Dumez<br> към - Proxy - Прокси + Прокси Proxy Settings @@ -488,33 +487,24 @@ Copyright © 2006 от Christophe Dumez<br> 0.0.0.0 - - - Port: - Порт: + Порт: Proxy server requires authentication Прокси сървъра иска удостоверяване - - - Authentication - Удостоверяване + Удостоверяване User Name: Име на Потребител: - - - Password: - Парола: + Парола: Enable connection through a proxy server @@ -589,14 +579,12 @@ Copyright © 2006 от Christophe Dumez<br> KB UP max. - Activate IP Filtering - Активирай IP Филтриране + Активирай IP Филтриране - Filter Settings - Настройки на Филтъра + Настройки на Филтъра ipfilter.dat URL or PATH: @@ -623,9 +611,8 @@ Copyright © 2006 от Christophe Dumez<br> Приложи - IP Filter - IP Филтър + IP Филтър Add Range @@ -664,9 +651,8 @@ Copyright © 2006 от Christophe Dumez<br> Настройка на езика - Language: - Език: + Език: Behaviour @@ -689,10 +675,8 @@ Copyright © 2006 от Christophe Dumez<br> Не показвай OSD - - KiB/s - KB/с + KB/с 1 KiB DL = @@ -727,9 +711,8 @@ Copyright © 2006 от Christophe Dumez<br> DHT конфигурация - DHT port: - DHT порт: + DHT порт: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -776,9 +759,8 @@ Copyright © 2006 от Christophe Dumez<br> Отиди в системна папка при затваряне на главния прозорец - Connection - Връзка + Връзка Peer eXchange (PeX) @@ -809,9 +791,8 @@ Copyright © 2006 от Christophe Dumez<br> Стил (Виж и Чувствай) - Plastique style (KDE like) - Пластмасов стил (подобен на KDE) + Пластмасов стил (подобен на KDE) Cleanlooks style (GNOME like) @@ -822,9 +803,8 @@ Copyright © 2006 от Christophe Dumez<br> Мотив стил (стил по подразбиране на Qt на Юникс системи) - CDE style (Common Desktop Environment like) - Стил CDE (подобен на обичайния стил на десктоп) + Стил CDE (подобен на обичайния стил на десктоп) MacOS style (MacOSX only) @@ -851,40 +831,32 @@ Copyright © 2006 от Christophe Dumez<br> Тип Прокси: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Засегнати връзки + Засегнати връзки - Use proxy for connections to trackers - Използвай прокси за връзка към тракерите + Използвай прокси за връзка към тракерите - Use proxy for connections to regular peers - Ползвай прокси за свързване към стандартните връзки + Ползвай прокси за свързване към стандартните връзки - Use proxy for connections to web seeds - Използвай прокси за връзки към web донори + Използвай прокси за връзки към web донори - Use proxy for DHT messages - Използвай прокси за DHT съобщенията + Използвай прокси за DHT съобщенията Encryption @@ -895,24 +867,20 @@ Copyright © 2006 от Christophe Dumez<br> Състояние на кодиране: - Enabled - Включено + Включено - Forced - Форсирано + Форсирано - Disabled - Изключено + Изключено - Preferences - Настройки + Настройки General @@ -927,98 +895,82 @@ Copyright © 2006 от Christophe Dumez<br> Настройки на потребителски интерфейс - Visual style: - Визуален стил: + Визуален стил: - Cleanlooks style (Gnome like) - Изчистен стил (подобен на Gnome) + Изчистен стил (подобен на Gnome) - Motif style (Unix like) - Стил мотив (подобен на Unix) + Стил мотив (подобен на Unix) - Ask for confirmation on exit when download list is not empty - Потвърждение при изход когато листа за сваляне не е празен + Потвърждение при изход когато листа за сваляне не е празен - Disable splash screen - Изключи начален екран + Изключи начален екран - Display current speed in title bar - Показване на скоростта в заглавната лента + Показване на скоростта в заглавната лента Transfer list refresh interval: Интервал на обновяване на списъка за трансфер: - System tray icon - Системна икона + Системна икона - Disable system tray icon - Изключи системната икона + Изключи системната икона - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Затвори прозореца (остава видима системна икона) + Затвори прозореца (остава видима системна икона) - Minimize to tray - Минимизирай в системна икона + Минимизирай в системна икона - Show notification balloons in tray - Показване уведомителни балони от системата + Показване уведомителни балони от системата Media player: Медия плейер: - Downloads - Сваляне + Сваляне Put downloads in this folder: Сложи свалените в тази папка: - Pre-allocate all files - Преместване на всички файлове + Преместване на всички файлове - When adding a torrent - При добавяне на торент + При добавяне на торент - Display torrent content and some options - Показване съдържание на торента и някои опции + Показване съдържание на торента и някои опции - Do not start download automatically The torrent will be added to download list in pause state - Не започвай автоматично сваляне + Не започвай автоматично сваляне Folder watching @@ -1035,16 +987,12 @@ Copyright © 2006 от Christophe Dumez<br> Листа за сваляне: - - Start/Stop - Старт/Стоп + Старт/Стоп - - Open folder - Отвори папка + Отвори папка Show properties @@ -1067,9 +1015,8 @@ Copyright © 2006 от Christophe Dumez<br> Автоматично сваляне на торентите намиращи се в тази папка: - Listening port - Порт за прослушване + Порт за прослушване to @@ -1077,93 +1024,72 @@ Copyright © 2006 от Christophe Dumez<br> до - Enable UPnP port mapping - Включено UPnP порт следене + Включено UPnP порт следене - Enable NAT-PMP port mapping - Включено NAT-PMP порт следене + Включено NAT-PMP порт следене - Global bandwidth limiting - Общ лимит сваляне + Общ лимит сваляне - Upload: - Качване: + Качване: - Download: - Сваляне: + Сваляне: - Peer connections - Двойни връзки + Двойни връзки - Resolve peer countries - Намери държавата на двойката + Намери държавата на двойката - Resolve peer host names - Намери имената на получаващата двойка + Намери имената на получаващата двойка - Bittorrent features - Възможности на Битторент + Възможности на Битторент Use the same port for DHT and Bittorrent Ползвай същия порт за DHT и Битторент - Spoof µtorrent to avoid ban (requires restart) - Направи се на µtorrent за да избегнеш изхвърляне (изисква рестарт) + Направи се на µtorrent за да избегнеш изхвърляне (изисква рестарт) - - Type: - Вид: + Вид: - - (None) - (без) + (без) - - Proxy: - Прокси: + Прокси: - - - Username: - Име на потребителя: + Име на потребителя: - Bittorrent - Bittorrent + Bittorrent - UI - Вид към потребителя + Вид към потребителя Action on double click @@ -1171,208 +1097,100 @@ Copyright © 2006 от Christophe Dumez<br> Действие при двойно щракване - Downloading: - Сваляне: + Сваляне: - Completed: - Завършено: + Завършено: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Ограничение на връзката + Ограничение на връзката - Global maximum number of connections: - Общ максимален брой на връзки: + Общ максимален брой на връзки: - Maximum number of connections per torrent: - Максимален брой връзки на торент: + Максимален брой връзки на торент: - Maximum number of upload slots per torrent: - Максимален брой слотове за качване на торент: + Максимален брой слотове за качване на торент: Additional Bittorrent features Допълнителни възможности на Bittorrent - Enable DHT network (decentralized) - Включена мрежа DHT (децентрализирана) + Включена мрежа DHT (децентрализирана) Enable Peer eXchange (PeX) Включен Peer eXchange (PeX) - Enable Local Peer Discovery - Включено Откриване на локална връзка + Включено Откриване на локална връзка - Encryption: - Криптиране: + Криптиране: - Share ratio settings - Настройки на процента на споделяне + Настройки на процента на споделяне - Desired ratio: - Предпочитано отношение: + Предпочитано отношение: - Filter file path: - Филтър за пътя на файла : + Филтър за пътя на файла : transfer lists refresh interval: интервал на обновяване на списъка за трансфер: - ms - ms + ms - - RSS - RSS + RSS - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - Интервал на обновяване на RSS feeds: + Интервал на обновяване на RSS feeds: - minutes - минути + минути - Maximum number of articles per feed: - Максимум статии на feed: + Максимум статии на feed: - File system - Файлова система + Файлова система - Remove finished torrents when their ratio reaches: - Премахни завършени торенти когато тяхното отношение се разширява: + Премахни завършени торенти когато тяхното отношение се разширява: - System default - Системно подразбиране + Системно подразбиране - Start minimized - Започни минимизирано + Започни минимизирано Action on double click in transfer lists @@ -1412,9 +1230,8 @@ QGroupBox { Направи се на Azureus за да избегнеш изхвърляне (изисква рестарт) - Web UI - Web UI + Web UI Action for double click @@ -1422,84 +1239,64 @@ QGroupBox { Действие при двойно щракване - Port used for incoming connections: - Порт ползван за входящи връзки: + Порт ползван за входящи връзки: - Random - Приблизително + Приблизително - Use a different port for DHT and Bittorrent - Ползвай различен порт за DHT и Битторент + Ползвай различен порт за DHT и Битторент - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - Включи Интерфейс на Web Потребител + Включи Интерфейс на Web Потребител - HTTP Server - Сървър HTTP + Сървър HTTP - Enable RSS support - Разреши RSS поддръжка + Разреши RSS поддръжка - RSS settings - RSS настройки + RSS настройки - Torrent queueing - Серия торенти + Серия торенти - Enable queueing system - Включи система за серии + Включи система за серии - Maximum active downloads: - Максимум активни сваляния: + Максимум активни сваляния: - Maximum active torrents: - Максимум активни торенти: + Максимум активни торенти: - Display top toolbar - Покажи горна лента с инструменти + Покажи горна лента с инструменти - Search engine proxy settings - Прокси настройки на търсачката + Прокси настройки на търсачката - Bittorrent proxy settings - Bittorent прокси настройки + Bittorent прокси настройки - Maximum active uploads: - Максимум активни качвания: + Максимум активни качвания: @@ -1665,33 +1462,33 @@ QGroupBox { Максимален - - + + this session тази сесия - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s Даващ на %1 - + %1 max e.g. 10 max %1 макс - - + + %1/s e.g. 120 KiB/s %1/с @@ -3048,6 +2845,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Не мога да съхраня предпочитанията за програмата, qBittorrent е вероятно недостъпен. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3480,6 +3308,598 @@ Are you sure you want to quit qBittorrent? Ограничаване процента на сваляне + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_ca.qm b/src/lang/qbittorrent_ca.qm index e6b967a76..d6f312c52 100644 Binary files a/src/lang/qbittorrent_ca.qm and b/src/lang/qbittorrent_ca.qm differ diff --git a/src/lang/qbittorrent_ca.ts b/src/lang/qbittorrent_ca.ts index 5017990d0..2255046c7 100644 --- a/src/lang/qbittorrent_ca.ts +++ b/src/lang/qbittorrent_ca.ts @@ -445,9 +445,8 @@ p, li { white-space: pre-wrap; } hasta - Proxy - Proxy + Proxy Proxy Settings @@ -462,33 +461,24 @@ p, li { white-space: pre-wrap; } 0.0.0.0 - - - Port: - Port: + Port: Proxy server requires authentication El servidor Proxy requiere autentificarse - - - Authentication - Autentificació + Autentificació User Name: Nombre de Usuario: - - - Password: - Contrasenya: + Contrasenya: Enable connection through a proxy server @@ -539,14 +529,12 @@ p, li { white-space: pre-wrap; } KB de subida max. - Activate IP Filtering - Activar Filtre IP + Activar Filtre IP - Filter Settings - Preferències del Filtre + Preferències del Filtre ipfilter.dat URL or PATH: @@ -573,9 +561,8 @@ p, li { white-space: pre-wrap; } Aplicar - IP Filter - Filtre IP + Filtre IP Add Range @@ -618,9 +605,8 @@ p, li { white-space: pre-wrap; } Ubicación - Language: - Idioma: + Idioma: Behaviour @@ -643,10 +629,8 @@ p, li { white-space: pre-wrap; } No mostrar nunca OSD - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -681,9 +665,8 @@ p, li { white-space: pre-wrap; } Configuración DHT - DHT port: - Port DHT: + Port DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -730,9 +713,8 @@ p, li { white-space: pre-wrap; } Enviar a la bandeja del sistema cuando se cierre la ventana principal - Connection - Conexió + Conexió Peer eXchange (PeX) @@ -763,9 +745,8 @@ p, li { white-space: pre-wrap; } Estilo (Apariencia) - Plastique style (KDE like) - Estil Plastique (com KDE) + Estil Plastique (com KDE) Cleanlooks style (GNOME like) @@ -776,9 +757,8 @@ p, li { white-space: pre-wrap; } Estilo Motif (el estilo por defecto de Qt en sistemas Unix) - CDE style (Common Desktop Environment like) - Estil CDE (com el Common Desktop Enviroment) + Estil CDE (com el Common Desktop Enviroment) MacOS style (MacOSX only) @@ -805,40 +785,32 @@ p, li { white-space: pre-wrap; } Tipo de proxy: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Connexions afectades + Connexions afectades - Use proxy for connections to trackers - Usar proxy per a les connexions a trackers + Usar proxy per a les connexions a trackers - Use proxy for connections to regular peers - Usar proxy per a les connexions a parells regulars + Usar proxy per a les connexions a parells regulars - Use proxy for connections to web seeds - Usar proxy per a les connexions a llavors de web + Usar proxy per a les connexions a llavors de web - Use proxy for DHT messages - Usar proxy per a missatges DHT + Usar proxy per a missatges DHT Encryption @@ -849,24 +821,20 @@ p, li { white-space: pre-wrap; } Estado de encriptación: - Enabled - Habilitat + Habilitat - Forced - Forçat + Forçat - Disabled - Deshabilitat + Deshabilitat - Preferences - Preferències + Preferències General @@ -877,93 +845,78 @@ p, li { white-space: pre-wrap; } Preferències d'interfície d'usuari - Visual style: - Estil visual: + Estil visual: - Cleanlooks style (Gnome like) - Estil Cleanlooks (com Gnome) + Estil Cleanlooks (com Gnome) - Motif style (Unix like) - Estil Motif (com Unix) + Estil Motif (com Unix) - Ask for confirmation on exit when download list is not empty - Demanar confirmació en sortir quan la llista de descàrregues encara sigui activa + Demanar confirmació en sortir quan la llista de descàrregues encara sigui activa - Display current speed in title bar - Mostrar velocitat actual a la barra de títol + Mostrar velocitat actual a la barra de títol Transfer list refresh interval: Interval de refresc de la llista de transferència: - System tray icon - icona a la safata del sistema + icona a la safata del sistema - Disable system tray icon - Deshabilitar icona de la safata del sistema + Deshabilitar icona de la safata del sistema - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Minimitzar a la safata del sistema en tancar + Minimitzar a la safata del sistema en tancar - Minimize to tray - Minimitzar a la safata del sistema + Minimitzar a la safata del sistema - Show notification balloons in tray - Mostrar globus de notificació a la safata + Mostrar globus de notificació a la safata Media player: Reproductor de medios: - Downloads - Descàrregues + Descàrregues Put downloads in this folder: Poner las descargas en esta carpeta: - Pre-allocate all files - Prelocalitzar tots els arxius (espai per a tots el arxius) + Prelocalitzar tots els arxius (espai per a tots el arxius) - When adding a torrent - En afegir un torrent + En afegir un torrent - Display torrent content and some options - Mostrar el contingut del torrent i algunes opcions + Mostrar el contingut del torrent i algunes opcions - Do not start download automatically The torrent will be added to download list in pause state - No començar a descarregar automàticament + No començar a descarregar automàticament Folder watching @@ -971,26 +924,16 @@ p, li { white-space: pre-wrap; } Seguiment d'arxius - UI - UI + UI - Disable splash screen - Desactivar pantalla d'inici + Desactivar pantalla d'inici - - - Start/Stop - - - - - Open folder - Obrir Carpeta + Obrir Carpeta Download folder: @@ -1005,9 +948,8 @@ p, li { white-space: pre-wrap; } Descarregar automàticament els torrents presents en aquesta carpeta: - Listening port - Port d'escolta + Port d'escolta to @@ -1015,283 +957,152 @@ p, li { white-space: pre-wrap; } hasta - Enable UPnP port mapping - Habilitar mapatge de ports UPnP + Habilitar mapatge de ports UPnP - Enable NAT-PMP port mapping - Habilitar mapatge de ports NAT-PMP + Habilitar mapatge de ports NAT-PMP - Global bandwidth limiting - Limiti global d'ample de banda + Limiti global d'ample de banda - Upload: - Pujada: + Pujada: - Download: - Baixada: + Baixada: - Peer connections - Connexions Parelles + Connexions Parelles - Resolve peer countries - Resoldre parells per països + Resoldre parells per països - Resolve peer host names - Resoldre parells per nom de host + Resoldre parells per nom de host - Bittorrent features - Característiques de Bittorrent - - - - Enable Peer Exchange / PeX (requires restart) - + Característiques de Bittorrent - Spoof µtorrent to avoid ban (requires restart) - Camuflar a qBittorrent, fent-lo passar per µtorrent (requereix reiniciar) + Camuflar a qBittorrent, fent-lo passar per µtorrent (requereix reiniciar) - - Type: - Tipus: + Tipus: - - (None) - (Cap) + (Cap) - - Proxy: - Proxy: + Proxy: - - - Username: - Nom d'Usuari: + Nom d'Usuari: - Bittorrent - Bittorrent + Bittorrent - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Límit de connexions + Límit de connexions - Global maximum number of connections: - Nombre global màxim de connexions: + Nombre global màxim de connexions: - Maximum number of connections per torrent: - Nombre màxim de connexions per torrent: + Nombre màxim de connexions per torrent: - Maximum number of upload slots per torrent: - Nombre màxim de slots de pujada per torrent: + Nombre màxim de slots de pujada per torrent: Additional Bittorrent features Funcionalidades adicionales de bittorrent - Enable DHT network (decentralized) - Habilitar xarxa DHT (descentralitzada) + Habilitar xarxa DHT (descentralitzada) Enable Peer eXchange (PeX) Habilitar Peer eXchange (PeX) - Enable Local Peer Discovery - Habilitar la font de recerca local de parells + Habilitar la font de recerca local de parells - Encryption: - Encriptació: + Encriptació: - Share ratio settings - Preferències de radi de compartició + Preferències de radi de compartició - Desired ratio: - Radi desitjat: + Radi desitjat: - Filter file path: - Ruta d'accés a l'arxiu filtrat: + Ruta d'accés a l'arxiu filtrat: transfer lists refresh interval: Intervalo de actualización de listas de transferencia: - ms - ms + ms - - RSS - RSS + RSS - RSS feeds refresh interval: - Interval d'actualització de Canals RSS: + Interval d'actualització de Canals RSS: - minutes - minuts + minuts - Maximum number of articles per feed: - Nombre màxim d'articles per Canal: + Nombre màxim d'articles per Canal: - File system - Sistema d'arxius + Sistema d'arxius - Remove finished torrents when their ratio reaches: - Eliminar torrents acabats quan el seu radi arribi a: + Eliminar torrents acabats quan el seu radi arribi a: - System default - Per defecte del sistema + Per defecte del sistema - Start minimized - Iniciar minimitzat + Iniciar minimitzat Action on double click in transfer lists @@ -1331,9 +1142,8 @@ QGroupBox { Engañar a Azureus para evitar ban (requiere reiniciar) - Web UI - IU Web + IU Web Action on double click @@ -1341,89 +1151,72 @@ QGroupBox { Acció a realitzar en fer doble Click en un element de la llista - Downloading: - Descarregats: + Descarregats: - Completed: - Completats: + Completats: - Port used for incoming connections: - Port utilitzat per a connexions entrants: + Port utilitzat per a connexions entrants: - Random - Aleatori + Aleatori - Use a different port for DHT and Bittorrent - Utilitzar un port diferent per a la DHT i Bittorrent + Utilitzar un port diferent per a la DHT i Bittorrent - Enable Web User Interface - Habilitar Interfície d'Usuari Web + Habilitar Interfície d'Usuari Web - HTTP Server - Servidor HTTP + Servidor HTTP - Enable RSS support - Activar suport RSS + Activar suport RSS - RSS settings - Ajusts RSS + Ajusts RSS - Torrent queueing - Torrents a Cua + Torrents a Cua - Enable queueing system - Habilitar ajusts a Cua + Habilitar ajusts a Cua - Maximum active downloads: - Nombre màxim de descarregar actives: + Nombre màxim de descarregar actives: - Maximum active torrents: - Nombre màxim de torrents actius: + Nombre màxim de torrents actius: - Display top toolbar - Mostrar la barra d'eines superior + Mostrar la barra d'eines superior - Search engine proxy settings - Proxy, configuració de motors de cerca + Proxy, configuració de motors de cerca - Bittorrent proxy settings - Ajust proxy Bittorrent + Ajust proxy Bittorrent - Maximum active uploads: - Nombre màxim de pujades actives: + Nombre màxim de pujades actives: @@ -1584,33 +1377,33 @@ QGroupBox { Máxima - - + + this session aquesta sessió - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s Complet des de %1 - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -2960,6 +2753,37 @@ Està segur que vol sortir? Unable to save program preferences, qBittorrent is probably unreachable. No es pot guardar les preferències del programa, qbittorrent probablement no és accessible. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3400,6 +3224,598 @@ Està segur que vol sortir? Límit taxa de baixada + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_cs.qm b/src/lang/qbittorrent_cs.qm index 78a53e345..37c36ae2a 100644 Binary files a/src/lang/qbittorrent_cs.qm and b/src/lang/qbittorrent_cs.qm differ diff --git a/src/lang/qbittorrent_cs.ts b/src/lang/qbittorrent_cs.ts index 047a75e30..e8e645db7 100644 --- a/src/lang/qbittorrent_cs.ts +++ b/src/lang/qbittorrent_cs.ts @@ -394,70 +394,52 @@ Copyright © 2006 by Christophe Dumez<br> Nastavení proxy - - - Port: - Port: + Port: - - - Authentication - Ověření + Ověření - - - Password: - Heslo: + Heslo: - Activate IP Filtering - Aktivovat filtrování IP + Aktivovat filtrování IP - Filter Settings - Nastavení filtru + Nastavení filtru - Language: - Jazyk: + Jazyk: - - KiB/s - KiB/s + KiB/s <b>Note:</b> Changes will be applied after qBittorrent is restarted. <b>Poznámka:</b> Změny se projeví až po restartování aplikace qBittorrent. - UI - Uživatelské rozhraní + Uživatelské rozhraní - Connection - Připojení + Připojení - Plastique style (KDE like) - Styl Plastique (jako KDE) + Styl Plastique (jako KDE) - CDE style (Common Desktop Environment like) - Styl CDE (jako Common Desktop Environment) + Styl CDE (jako Common Desktop Environment) Action on double click @@ -465,149 +447,72 @@ Copyright © 2006 by Christophe Dumez<br> Akce po dvojitém kliknutí - Downloading: - Stahování: + Stahování: - Completed: - Dokončeno: + Dokončeno: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Peer connections - Připojení protějšků + Připojení protějšků - Resolve peer countries - Zjišťovat zemi původu protějšků + Zjišťovat zemi původu protějšků - Resolve peer host names - Zjišťovat názvy počítačů protějšků + Zjišťovat názvy počítačů protějšků - Use a different port for DHT and Bittorrent - Použít jiný port pro DHT a bittorrent + Použít jiný port pro DHT a bittorrent - - Enable Peer Exchange / PeX (requires restart) - - - - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Ovlivněná připojení + Ovlivněná připojení - Use proxy for connections to trackers - Použít proxy pro připojení k trackeru + Použít proxy pro připojení k trackeru - Use proxy for connections to regular peers - Použít proxy pro připojení k protějškům + Použít proxy pro připojení k protějškům - Use proxy for connections to web seeds - Použít proxy pro připojení k seedům + Použít proxy pro připojení k seedům - Use proxy for DHT messages - Použít proxy pro DHT zprávy + Použít proxy pro DHT zprávy - Enabled - Zapnuto + Zapnuto - Forced - Vynuceno + Vynuceno - Disabled - Zakázáno + Zakázáno - Preferences - Nastavení + Nastavení General @@ -618,103 +523,86 @@ QGroupBox { Síť - IP Filter - IP filtr + IP filtr User interface settings Nastavení uživatelského rozhraní - Visual style: - Nastavení vzhledu: + Nastavení vzhledu: - Cleanlooks style (Gnome like) - Styl Cleanlooks (jako Gnome) + Styl Cleanlooks (jako Gnome) - Motif style (Unix like) - Styl Motif (jako Unix) + Styl Motif (jako Unix) - Ask for confirmation on exit when download list is not empty - Potvrdit ukončení programu v případě, že seznam stahování není prázdný + Potvrdit ukončení programu v případě, že seznam stahování není prázdný - Disable splash screen - Zakázat úvodní obrazovku + Zakázat úvodní obrazovku - Display current speed in title bar - Zobrazit aktuální rychlost v záhlaví okna + Zobrazit aktuální rychlost v záhlaví okna Transfer list refresh interval: Interval obnovování seznamu přenosů: - System tray icon - Ikona v oznamovací oblasti (tray) + Ikona v oznamovací oblasti (tray) - Disable system tray icon - Vypnout ikonu v oznamovací oblasti (tray) + Vypnout ikonu v oznamovací oblasti (tray) - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Zavřít do oznamovací oblasti (tray) + Zavřít do oznamovací oblasti (tray) - Minimize to tray - Minimalizovat do oznamovací oblasti (tray) + Minimalizovat do oznamovací oblasti (tray) - Show notification balloons in tray - Ukazovat informační bubliny v oznamovací oblasti (tray) + Ukazovat informační bubliny v oznamovací oblasti (tray) - Downloads - Stahování + Stahování Put downloads in this folder: Uložit stažené soubory do tohoto adresáře: - Pre-allocate all files - Dopředu přidělit místo všem souborům + Dopředu přidělit místo všem souborům - When adding a torrent - Při přidání torrentu + Při přidání torrentu - Display torrent content and some options - Zobrazit obsah torrentu a některé volby + Zobrazit obsah torrentu a některé volby - Do not start download automatically The torrent will be added to download list in pause state - Nespouštět stahování automaticky + Nespouštět stahování automaticky Folder watching @@ -731,16 +619,12 @@ QGroupBox { Seznam stahování: - - Start/Stop - Start/Stop + Start/Stop - - Open folder - Otevřít adresář + Otevřít adresář Show properties @@ -763,9 +647,8 @@ QGroupBox { Automaticky stahovat torrenty v tomto adresáři: - Listening port - Naslouchat na portu + Naslouchat na portu to @@ -773,78 +656,60 @@ QGroupBox { - Enable UPnP port mapping - Zapnout mapování portů UPnP + Zapnout mapování portů UPnP - Enable NAT-PMP port mapping - Zapnout mapování portů NAT-PMP + Zapnout mapování portů NAT-PMP - Global bandwidth limiting - Celkový limit pásma + Celkový limit pásma - Upload: - Vysílání: + Vysílání: - Download: - Stahování: + Stahování: - Bittorrent features - Vlastnosti bittorrentu + Vlastnosti bittorrentu Use the same port for DHT and Bittorrent Použít stejný port pro DHT i bittorrent - DHT port: - Port DHT: + Port DHT: - Spoof µtorrent to avoid ban (requires restart) - Předstírat µtorrent a vyhnout se zákazu (vyžaduje restart) + Předstírat µtorrent a vyhnout se zákazu (vyžaduje restart) - - Type: - Typ: + Typ: - - (None) - (Žádný) + (Žádný) - - Proxy: - Proxy: + Proxy: - - - Username: - Uživatelské jméno: + Uživatelské jméno: - Bittorrent - Bittorrent + Bittorrent Action for double click @@ -852,126 +717,104 @@ QGroupBox { Akce po dvojitém kliknutí - Port used for incoming connections: - Port použitý pro příchozí spojení: + Port použitý pro příchozí spojení: - Random - Náhodný + Náhodný - Connections limit - Limit připojení + Limit připojení - Global maximum number of connections: - Celkový maximální počet připojení: + Celkový maximální počet připojení: - Maximum number of connections per torrent: - Maximální počet spojení na torrent: + Maximální počet spojení na torrent: - Maximum number of upload slots per torrent: - Maximální počet slotů pro nahrávání na torrent: + Maximální počet slotů pro nahrávání na torrent: Additional Bittorrent features Další vlastnosti Bittorrentu - Enable DHT network (decentralized) - Zapnout DHT síť (decentralizovaná) + Zapnout DHT síť (decentralizovaná) Enable Peer eXchange (PeX) Zapnout Peer eXchange (PeX) - Enable Local Peer Discovery - Zapnout Local Peer Discovery + Zapnout Local Peer Discovery - Encryption: - Šifrování: + Šifrování: - Share ratio settings - Nastavení poměru sdílení + Nastavení poměru sdílení - Desired ratio: - Požadovaný poměr: + Požadovaný poměr: - Filter file path: - Cesta k souboru filtrů: + Cesta k souboru filtrů: transfer lists refresh interval: Interval obnovování seznamu přenosů: - ms - ms + ms Misc Různé - - RSS - RSS + RSS - RSS feeds refresh interval: - Interval obnovování RSS kanálů: + Interval obnovování RSS kanálů: - minutes - minut + minut - Maximum number of articles per feed: - Maximální počet článků na kanál: + Maximální počet článků na kanál: - File system - Souborový systém + Souborový systém - Remove finished torrents when their ratio reaches: - Odstranit dokončené torrenty, když jejich poměr dosáhne: + Odstranit dokončené torrenty, když jejich poměr dosáhne: - System default - Standardní nastavení + Standardní nastavení - Start minimized - Spustit minimalizovaně + Spustit minimalizovaně Action on double click in transfer lists @@ -1011,106 +854,60 @@ QGroupBox { Klamat Azureus abychom se vyhnuli blokování (vyžaduje restart) - Web UI - Webové rozhraní + Webové rozhraní - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - Enable Web User Interface - Zapnout webové rozhraní + Zapnout webové rozhraní - HTTP Server - HTTP Server + HTTP Server - Enable RSS support - Zapnout podporu RSS + Zapnout podporu RSS - RSS settings - Nastavení RSS + Nastavení RSS - Enable queueing system - Zapnout systém zařazování do fronty + Zapnout systém zařazování do fronty - Maximum active downloads: - Maximální počet současně stahovaných torrentů: + Maximální počet současně stahovaných torrentů: - Torrent queueing - Řazení torrentů do fronty + Řazení torrentů do fronty - Maximum active torrents: - Maximální počet aktivních torrentů: + Maximální počet aktivních torrentů: - Display top toolbar - Zobrazit horní panel nástrojů + Zobrazit horní panel nástrojů - Proxy - Proxy + Proxy - Search engine proxy settings - Nastvení proxy pro vyhledávače + Nastvení proxy pro vyhledávače - Bittorrent proxy settings - Nastavení proxy pro bittorrent + Nastavení proxy pro bittorrent - Maximum active uploads: - Max. počet aktivních nahrávání: + Max. počet aktivních nahrávání: @@ -1272,33 +1069,33 @@ QGroupBox { Maximální - - + + this session tato relace - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Sdíleno %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/s @@ -2114,6 +1911,37 @@ Opravdu chcete ukončit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -2410,6 +2238,598 @@ Opravdu chcete ukončit qBittorrent? Omezení rychlosti stahování + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_da.qm b/src/lang/qbittorrent_da.qm index 2b7313c96..a30dd5b57 100644 Binary files a/src/lang/qbittorrent_da.qm and b/src/lang/qbittorrent_da.qm differ diff --git a/src/lang/qbittorrent_da.ts b/src/lang/qbittorrent_da.ts index dd933f18b..26a382027 100644 --- a/src/lang/qbittorrent_da.ts +++ b/src/lang/qbittorrent_da.ts @@ -405,9 +405,8 @@ Copyright © 2006 by Christophe Dumez<br> forbindelser - Proxy - Proxy + Proxy Proxy Settings @@ -422,33 +421,24 @@ Copyright © 2006 by Christophe Dumez<br> 0.0.0.0 - - - Port: - Port: + Port: Proxy server requires authentication Proxy serveren kræver godkendelse - - - Authentication - Godkendelse + Godkendelse User Name: Brugernavn: - - - Password: - Kodeord: + Kodeord: Enable connection through a proxy server @@ -479,14 +469,12 @@ Copyright © 2006 by Christophe Dumez<br> Delingsforhold: - Activate IP Filtering - Aktiver IP Filtrering + Aktiver IP Filtrering - Filter Settings - Filter Indstillinger + Filter Indstillinger Start IP @@ -509,9 +497,8 @@ Copyright © 2006 by Christophe Dumez<br> Anvend - IP Filter - IP Filter + IP Filter Add Range @@ -542,19 +529,16 @@ Copyright © 2006 by Christophe Dumez<br> Lokal-indstillinger - Language: - Sprog: + Sprog: Behaviour Opførsel - - KiB/s - KB/s + KB/s 1 KiB DL = @@ -597,9 +581,8 @@ Copyright © 2006 by Christophe Dumez<br> DHT konfiguration - DHT port: - DHT port: + DHT port: Language @@ -634,214 +617,142 @@ Copyright © 2006 by Christophe Dumez<br> Luk ikke, men minimer til systray - Plastique style (KDE like) - Plastique style (Ligner KDE) + Plastique style (Ligner KDE) - CDE style (Common Desktop Environment like) - CDE style (Ligner Common Desktop Environment) + CDE style (Ligner Common Desktop Environment) - Disable splash screen - Vis ikke splash screen + Vis ikke splash screen - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - Start/Stop - Start/Stop + Start/Stop - - Open folder - Åben mappe + Åben mappe - Port used for incoming connections: - Port til indkommende forbindelser: + Port til indkommende forbindelser: - Random - Tilfældig + Tilfældig - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Berørte forbindelser + Berørte forbindelser - Use proxy for connections to trackers - Brug proxy for at forbinde til trackere + Brug proxy for at forbinde til trackere - Use proxy for connections to regular peers - Brug proxy for at forbinde til peers + Brug proxy for at forbinde til peers - Use proxy for connections to web seeds - Brug proxy for at forbinde til web seeds + Brug proxy for at forbinde til web seeds - Use proxy for DHT messages - Brug proxy til DHT beskeder + Brug proxy til DHT beskeder - Enabled - Slået til + Slået til - Forced - Tvungen + Tvungen - Disabled - Slået fra + Slået fra - Preferences - Indstillinger + Indstillinger User interface settings Bruger interface indstillinger - Visual style: - Udseende: + Udseende: - Cleanlooks style (Gnome like) - Cleanlooks style (Ligner Gnome) + Cleanlooks style (Ligner Gnome) - Motif style (Unix like) - Motif style (Ligner Unix) + Motif style (Ligner Unix) - Ask for confirmation on exit when download list is not empty - Bed om bekræftelse for at lukke når downloadlisten ikke er tom + Bed om bekræftelse for at lukke når downloadlisten ikke er tom - Display current speed in title bar - Vis hastighed i titlebar + Vis hastighed i titlebar Transfer list refresh interval: Interval for opdatering af listen: - - System tray icon - - - - Disable system tray icon - Slå system tray icon fra + Slå system tray icon fra - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Luk til tray + Luk til tray - Minimize to tray - Minimer til tray + Minimer til tray - Show notification balloons in tray - Vis notification balloons i tray + Vis notification balloons i tray - Downloads - Downloads + Downloads - - User interface - - - - - (Requires restart) - - - - Pre-allocate all files - Pre-allokér alle filer + Pre-allokér alle filer - When adding a torrent - Når en torrent tilføjes + Når en torrent tilføjes - Display torrent content and some options - Vis indhold af torrent og nogle indstillinger + Vis indhold af torrent og nogle indstillinger - Do not start download automatically The torrent will be added to download list in pause state - Start ikke download automatisk + Start ikke download automatisk Folder watching @@ -849,9 +760,8 @@ Copyright © 2006 by Christophe Dumez<br> Mappe overvågning - Connection - Forbindelse + Forbindelse Download folder: @@ -866,9 +776,8 @@ Copyright © 2006 by Christophe Dumez<br> Hent automatisk torrents der befinder sig i denne mappe: - Listening port - Port + Port to @@ -876,74 +785,36 @@ Copyright © 2006 by Christophe Dumez<br> til - Enable UPnP port mapping - Tænd for UPnP port mapping + Tænd for UPnP port mapping - Enable NAT-PMP port mapping - Tænd for NAT-PMP port mapping + Tænd for NAT-PMP port mapping - Global bandwidth limiting - Global båndbredde begrænsning + Global båndbredde begrænsning - Upload: - Upload: + Upload: - Download: - Download: - - - - Bittorrent features - + Download: - Spoof µtorrent to avoid ban (requires restart) - Foregiv at være µtorrent for at undgå ban (kræver genstart) + Foregiv at være µtorrent for at undgå ban (kræver genstart) - - - Type: - - - - - (None) - (Ingen) + (Ingen) - - - Proxy: - - - - - - Username: - Brugernavn: - - - - Bittorrent - - - - - UI - + Brugernavn: Action on double click @@ -951,254 +822,136 @@ Copyright © 2006 by Christophe Dumez<br> Handling ved dobbeltklik - Downloading: - Downloader: + Downloader: - Completed: - Færdig: + Færdig: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Grænse for forbindelser + Grænse for forbindelser - Global maximum number of connections: - Global grænse for det maksimale antal forbindelser: + Global grænse for det maksimale antal forbindelser: - Maximum number of connections per torrent: - Maksimale antal forbindelser per torrent: + Maksimale antal forbindelser per torrent: - Maximum number of upload slots per torrent: - Maksimale antal upload slots per torrent: + Maksimale antal upload slots per torrent: - Peer connections - Peer forbindelser + Peer forbindelser - Resolve peer countries - Opdag oprindelseslande for peers + Opdag oprindelseslande for peers - Resolve peer host names - Opdage hostnames for peers + Opdage hostnames for peers - Enable DHT network (decentralized) - Brug DHT netværk (decentraliseret) + Brug DHT netværk (decentraliseret) - Use a different port for DHT and Bittorrent - Brug en anden port til DHT og Bittorrent + Brug en anden port til DHT og Bittorrent - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Local Peer Discovery - Brug lokal Peer Discovery + Brug lokal Peer Discovery - Encryption: - Kryptering: + Kryptering: - Share ratio settings - Indstillinger for delings ratio + Indstillinger for delings ratio - Desired ratio: - Ønsket ratio: + Ønsket ratio: - Filter file path: - Sti til fil med filter: + Sti til fil med filter: - - ms - - - - - - RSS - - - - RSS feeds refresh interval: - RSS feeds opdaterings interval: + RSS feeds opdaterings interval: - minutes - minutter + minutter - Maximum number of articles per feed: - Maksimalt antal artikler per feed: + Maksimalt antal artikler per feed: - File system - Fil system + Fil system - Remove finished torrents when their ratio reaches: - Fjern færdige torrents når de når deres ratio: + Fjern færdige torrents når de når deres ratio: - - System default - - - - Start minimized - Start minimeret + Start minimeret - - Web UI - - - - Enable Web User Interface - Slå Web User Interface til + Slå Web User Interface til - - HTTP Server - - - - Enable RSS support - Understøt RSS + Understøt RSS - RSS settings - RSS indstillinger + RSS indstillinger - Enable queueing system - Brug kø system + Brug kø system - Maximum active downloads: - Maksimale antal aktive downloads: + Maksimale antal aktive downloads: - Torrent queueing - Torrent kø + Torrent kø - Maximum active torrents: - Maksimale antal aktive torrents: + Maksimale antal aktive torrents: - Display top toolbar - Vis værktøjslinje i toppen + Vis værktøjslinje i toppen - Search engine proxy settings - Søgemaskine proxy indstillinger + Søgemaskine proxy indstillinger - Bittorrent proxy settings - Bittorrent proxy indstillinger + Bittorrent proxy indstillinger - Maximum active uploads: - Maksimale antal aktive uploads: + Maksimale antal aktive uploads: @@ -1303,33 +1056,33 @@ QGroupBox { Ikke kontaktet endnu - - + + this session denne session - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s Seeded i %1 - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -2234,6 +1987,37 @@ Er du sikker på at du vil afslutte qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Kunne ikke gemme program indstillinger, qBittorrent kan sikkert ikke nåes. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -2599,6 +2383,598 @@ Er du sikker på at du vil afslutte qBittorrent? Download begræsning + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_de.qm b/src/lang/qbittorrent_de.qm index 8806d008b..8119b873d 100644 Binary files a/src/lang/qbittorrent_de.qm and b/src/lang/qbittorrent_de.qm differ diff --git a/src/lang/qbittorrent_de.ts b/src/lang/qbittorrent_de.ts index 808bbdb0a..170e97caf 100644 --- a/src/lang/qbittorrent_de.ts +++ b/src/lang/qbittorrent_de.ts @@ -458,9 +458,8 @@ p, li { white-space: pre-wrap; } Aktiviere Verzeichnis Abfrage (fügt gefundene torrent Dateien automatisch hinzu) - Proxy - Proxy + Proxy Enable connection through a proxy server @@ -479,33 +478,24 @@ p, li { white-space: pre-wrap; } 0.0.0.0 - - - Port: - Port: + Port: Proxy server requires authentication Proxy Server benötigt Authentifizierung - - - Authentication - Authentifizierung + Authentifizierung User Name: Benutzer: - - - Password: - Kennwort: + Kennwort: Language @@ -540,14 +530,12 @@ p, li { white-space: pre-wrap; } KB UP max. - Activate IP Filtering - Aktiviere IP Filter + Aktiviere IP Filter - Filter Settings - Filter Einstellungen + Filter Einstellungen ipfilter.dat URL or PATH: @@ -598,9 +586,8 @@ p, li { white-space: pre-wrap; } Lokalisation - Language: - Sprache: + Sprache: Behaviour @@ -643,10 +630,8 @@ p, li { white-space: pre-wrap; } Audio/Video Player: - - KiB/s - Kb/s + Kb/s 1 KiB DL = @@ -657,9 +642,8 @@ p, li { white-space: pre-wrap; } DHT Konfiguration - DHT port: - DHT Port: + DHT Port: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -670,9 +654,8 @@ p, li { white-space: pre-wrap; } <b>Hinweis für Übersetzer</b> Falls qBittorrent nicht in Ihrer Sprache erhältich ist <br>und Sie es in Ihre Muttersprache übersetzen wollen, so setzen Sie sich bitte mit mir in Verbindung (chris@qbittorrent.org). - IP Filter - IP Filter + IP Filter Start IP @@ -719,9 +702,8 @@ p, li { white-space: pre-wrap; } In den SysTray minimieren, wenn das Hauptfenster geschlossen wird - Connection - Verbindung + Verbindung Peer eXchange (PeX) @@ -752,9 +734,8 @@ p, li { white-space: pre-wrap; } Aussehen (Look 'n Feel) - Plastique style (KDE like) - Plastique Stil (wie KDE) + Plastique Stil (wie KDE) Cleanlooks style (GNOME like) @@ -765,9 +746,8 @@ p, li { white-space: pre-wrap; } Motif Stil (standartmäßiger Qt Stil auf Unix Systemen) - CDE style (Common Desktop Environment like) - CDE Stil (wie Common Desktop Environment) + CDE Stil (wie Common Desktop Environment) MacOS style (MacOSX only) @@ -794,40 +774,32 @@ p, li { white-space: pre-wrap; } Proxy Typ: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Betroffene Verbindungen + Betroffene Verbindungen - Use proxy for connections to trackers - Benutze den Proxy für die Verbindung zu Trackern + Benutze den Proxy für die Verbindung zu Trackern - Use proxy for connections to regular peers - Benutze den Proxy für die Verbindung zu den normalen Quellen + Benutze den Proxy für die Verbindung zu den normalen Quellen - Use proxy for connections to web seeds - Benutze den Proxy für die Verbindung zu Web Seeds + Benutze den Proxy für die Verbindung zu Web Seeds - Use proxy for DHT messages - Benutze den Proxy für DHT Nachrichten + Benutze den Proxy für DHT Nachrichten Encryption @@ -838,24 +810,20 @@ p, li { white-space: pre-wrap; } Verschlüsselungsstatus: - Enabled - Aktiviert + Aktiviert - Forced - Erzwungen + Erzwungen - Disabled - Deaktiviert + Deaktiviert - Preferences - Einstellungen + Einstellungen General @@ -870,98 +838,82 @@ p, li { white-space: pre-wrap; } Benutzer-Interface Einstellungen - Visual style: - Visueller Stil: + Visueller Stil: - Cleanlooks style (Gnome like) - Cleanlooks Stil (wie in Gnome) + Cleanlooks Stil (wie in Gnome) - Motif style (Unix like) - Motif Stil (Unixartig) + Motif Stil (Unixartig) - Ask for confirmation on exit when download list is not empty - Beenden bestötigen, wenn Download-Liste nicht leer + Beenden bestötigen, wenn Download-Liste nicht leer - Disable splash screen - Deaktiviere Splash Screen + Deaktiviere Splash Screen - Display current speed in title bar - Zeige derzeitige Geschwindigkeit in der Titel Leiste + Zeige derzeitige Geschwindigkeit in der Titel Leiste Transfer list refresh interval: Intervall zum Auffrischen der Transfer-Liste - System tray icon - Symbol im Infobereich der Taskleiste + Symbol im Infobereich der Taskleiste - Disable system tray icon - Deaktiviere Bild im Infobereich der Taskleiste + Deaktiviere Bild im Infobereich der Taskleiste - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - In den Infobereich der Tasklleiste schliessen + In den Infobereich der Tasklleiste schliessen - Minimize to tray - In den Infobereich der Taskleiste minimieren + In den Infobereich der Taskleiste minimieren - Show notification balloons in tray - Zeige Benachrichtigungs Ballons im Infobereich der Taskleiste + Zeige Benachrichtigungs Ballons im Infobereich der Taskleiste Media player: Media player: - Downloads - Downloads + Downloads Put downloads in this folder: Lege Downloads in diesen Ordner: - Pre-allocate all files - Allen Dateien Speicherplatz im vorhinein zuweisen + Allen Dateien Speicherplatz im vorhinein zuweisen - When adding a torrent - Sobald ein Torrent hinzugefügt wird + Sobald ein Torrent hinzugefügt wird - Display torrent content and some options - Zeige Torrent Inhalt und einige Optionen + Zeige Torrent Inhalt und einige Optionen - Do not start download automatically The torrent will be added to download list in pause state - Download nicht automatisch starten + Download nicht automatisch starten Folder watching @@ -978,16 +930,12 @@ p, li { white-space: pre-wrap; } Downloadliste: - - Start/Stop - Start/Stop + Start/Stop - - Open folder - Öffne Verzeichnis + Öffne Verzeichnis Seeding list: @@ -1006,9 +954,8 @@ p, li { white-space: pre-wrap; } Lade Torrents in diesem Ordner automatisch: - Listening port - Port auf dem gelauscht wird + Port auf dem gelauscht wird to @@ -1016,93 +963,72 @@ p, li { white-space: pre-wrap; } bis - Enable UPnP port mapping - Aktiviere UPnP Port Mapping + Aktiviere UPnP Port Mapping - Enable NAT-PMP port mapping - Aktiviere NAP-PMP Port Mapping + Aktiviere NAP-PMP Port Mapping - Global bandwidth limiting - Globale bandbreiten Limitierung + Globale bandbreiten Limitierung - Upload: - Upload: + Upload: - Download: - Download: + Download: - Peer connections - Peer Verbindungen + Peer Verbindungen - Resolve peer countries - Löse Herkunftsländer der Peers auf + Löse Herkunftsländer der Peers auf - Resolve peer host names - Löse Hostnamen der Peers auf + Löse Hostnamen der Peers auf - Bittorrent features - Bittorrent Funktionen + Bittorrent Funktionen Use the same port for DHT and Bittorrent Denselben Port für DHT und Bittorrent verwenden - Spoof µtorrent to avoid ban (requires restart) - µtorrent täuschen um einen Ban zu vermeiden (erfordert Neustart) + µtorrent täuschen um einen Ban zu vermeiden (erfordert Neustart) - - Type: - Typ: + Typ: - - (None) - (Keine) + (Keine) - - Proxy: - Proxy: + Proxy: - - - Username: - Benutzername: + Benutzername: - Bittorrent - Bittorrent + Bittorrent - UI - UI + UI Action on double click @@ -1110,176 +1036,100 @@ p, li { white-space: pre-wrap; } Aktion be Doppelklick - Downloading: - Lade: + Lade: - Completed: - Vollständig: + Vollständig: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Verbindungsbeschränkung + Verbindungsbeschränkung - Global maximum number of connections: - Globale maximale Anzahl der Verbindungen: + Globale maximale Anzahl der Verbindungen: - Maximum number of connections per torrent: - Maximale Anzahl der Verbindungen pro Torrent: + Maximale Anzahl der Verbindungen pro Torrent: - Maximum number of upload slots per torrent: - Maximale Anzahl der Upload-Slots pro Torrent: + Maximale Anzahl der Upload-Slots pro Torrent: Additional Bittorrent features Weitere Bittorrent Funktionen - Enable DHT network (decentralized) - Aktiviere DHT Netzwerk (dezentralisiert) + Aktiviere DHT Netzwerk (dezentralisiert) Enable Peer eXchange (PeX) Aktiviere Peer eXchange (PeX) - Enable Local Peer Discovery - Aktiviere Lokale Peer Auffindung + Aktiviere Lokale Peer Auffindung - Encryption: - Verschlüssellung: + Verschlüssellung: - Share ratio settings - Share Verhältnis Einstellungen + Share Verhältnis Einstellungen - Desired ratio: - Gewünschtes Verhältnis: + Gewünschtes Verhältnis: - Filter file path: - Pfad zur Filter-Datei: + Pfad zur Filter-Datei: transfer lists refresh interval: Aktualisierungsinterval der Übetragungslisten: - ms - ms + ms - - RSS - RSS + RSS - RSS feeds refresh interval: - Aktualisierungsintervall für RSS Feeds: + Aktualisierungsintervall für RSS Feeds: - minutes - Minuten + Minuten - Maximum number of articles per feed: - Maximale Anzahl von Artikeln pro Feed: + Maximale Anzahl von Artikeln pro Feed: - File system - Datei System + Datei System - Remove finished torrents when their ratio reaches: - Entferne beendete Torrents bei einem Verhältnis von: + Entferne beendete Torrents bei einem Verhältnis von: - System default - Standardeinstellung + Standardeinstellung - Start minimized - Minimiert starten + Minimiert starten Action on double click in transfer lists @@ -1320,121 +1170,68 @@ qBittorrent beobachtet das Verzeichniss und starten den Download von vorhandenen Vortäuschen von Azureus um nicht gebannt zu werden (benötigt Neustart) - Web UI - Web UI + Web UI - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - Port used for incoming connections: - Port für eingehende Verbindungen: + Port für eingehende Verbindungen: - Random - Zufällig + Zufällig - Use a different port for DHT and Bittorrent - Unterschiedliche Ports für DHT und Bittorrent verwenden + Unterschiedliche Ports für DHT und Bittorrent verwenden - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - Aktiviere Web User Interface + Aktiviere Web User Interface - HTTP Server - HTTP Server + HTTP Server - Enable RSS support - Aktiviere RSS Unterstützung + Aktiviere RSS Unterstützung - RSS settings - RSS Einstellungen + RSS Einstellungen - Torrent queueing - Torrent Warteschlangen + Torrent Warteschlangen - Enable queueing system - Aktiviere Warteschlangen + Aktiviere Warteschlangen - Maximum active downloads: - Maximale aktive Downloads: + Maximale aktive Downloads: - Maximum active torrents: - Maximale aktive Torrents: + Maximale aktive Torrents: - Display top toolbar - Zeige obere Werkzeugleiste + Zeige obere Werkzeugleiste - Search engine proxy settings - Suchmaschinen Proxy Einstellungen + Suchmaschinen Proxy Einstellungen - Bittorrent proxy settings - Bittorrent Proxy Einstellungen + Bittorrent Proxy Einstellungen - Maximum active uploads: - Maximale aktive Uploads: + Maximale aktive Uploads: @@ -1595,33 +1392,33 @@ qBittorrent beobachtet das Verzeichniss und starten den Download von vorhandenen Maximum - - + + this session Diese Session - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s Geseeded seit %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/Sekunde @@ -3017,6 +2814,37 @@ Sind Sie sicher, daß sie qBittorrent beenden möchten? Unable to save program preferences, qBittorrent is probably unreachable. Konnte Programmeinstellungen nicht speichern, qBittorrent ist vermutlich nicht erreichbar. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3445,6 +3273,598 @@ Sind Sie sicher, daß sie qBittorrent beenden möchten? Begrenzung der Downloadrate + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_el.qm b/src/lang/qbittorrent_el.qm index 6fef1a252..c73f9b812 100644 Binary files a/src/lang/qbittorrent_el.qm and b/src/lang/qbittorrent_el.qm differ diff --git a/src/lang/qbittorrent_el.ts b/src/lang/qbittorrent_el.ts index 6e3b07855..cfd869f2d 100644 --- a/src/lang/qbittorrent_el.ts +++ b/src/lang/qbittorrent_el.ts @@ -491,9 +491,8 @@ Copyright © 2006 από τον Christophe Dumez<br> προς - Proxy - Proxy + Proxy Proxy Settings @@ -508,33 +507,24 @@ Copyright © 2006 από τον Christophe Dumez<br> 0.0.0.0 - - - Port: - Θύρα: + Θύρα: Proxy server requires authentication Ο εξυπηρετητής Proxy ζητά πιστοποίηση - - - Authentication - Πιστοποίηση + Πιστοποίηση User Name: Όνομα Χρήστη: - - - Password: - Κωδικός: + Κωδικός: Enable connection through a proxy server @@ -609,14 +599,12 @@ Copyright © 2006 από τον Christophe Dumez<br> Μέγ. KB Up. - Activate IP Filtering - Ενεργοποίηση Φιλτραρίσματος ΙΡ + Ενεργοποίηση Φιλτραρίσματος ΙΡ - Filter Settings - Ρυθμίσεις Φίλτρου + Ρυθμίσεις Φίλτρου ipfilter.dat URL or PATH: @@ -643,9 +631,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Εφαρμογή - IP Filter - Φίλτρο ΙΡ + Φίλτρο ΙΡ Add Range @@ -684,9 +671,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Ρυθμίσεις Τοποθεσίας - Language: - Γλώσσα: + Γλώσσα: Behaviour @@ -709,10 +695,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Απόκρυψη OSD - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -747,9 +731,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Ρυθμίσεις DHT - DHT port: - Θύρα DHT: + Θύρα DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -796,9 +779,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Εμφάνιση στην μπάρα συστήματος στο κλείσιμο κυρίως παραθύρου - Connection - Σύνδεση + Σύνδεση Peer eXchange (PeX) @@ -829,9 +811,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Στυλ (Look 'n Feel) - Plastique style (KDE like) - Πλαστικό στυλ (KDE like) + Πλαστικό στυλ (KDE like) Cleanlooks style (GNOME like) @@ -842,9 +823,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Στυλ μοτίβ (προκαθορισμένο στυλ του Qt σε Unix συστήματα) - CDE style (Common Desktop Environment like) - Στυλ CDE (Common Desktop Environment like) + Στυλ CDE (Common Desktop Environment like) MacOS style (MacOSX only) @@ -871,40 +851,32 @@ Copyright © 2006 από τον Christophe Dumez<br> Τύπος Proxy: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Επηρεασμένες συνδέσεις + Επηρεασμένες συνδέσεις - Use proxy for connections to trackers - Χρήση proxy για σύνδεση με ιχνηλάτες + Χρήση proxy για σύνδεση με ιχνηλάτες - Use proxy for connections to regular peers - Χρήση proxy για σύνδεση με όλους τους χρήστες + Χρήση proxy για σύνδεση με όλους τους χρήστες - Use proxy for connections to web seeds - Χρήση proxy για σύνδεση με διαμοιραστές διαδικτύου + Χρήση proxy για σύνδεση με διαμοιραστές διαδικτύου - Use proxy for DHT messages - Χρήση proxy για μηνύματα DHT + Χρήση proxy για μηνύματα DHT Encryption @@ -915,24 +887,20 @@ Copyright © 2006 από τον Christophe Dumez<br> Κατάσταση κρυπτογράφησης: - Enabled - Ενεργοποιημένο + Ενεργοποιημένο - Forced - Εξαναγκασμένο + Εξαναγκασμένο - Disabled - Απενεργοποιημένο + Απενεργοποιημένο - Preferences - Προτιμήσεις + Προτιμήσεις General @@ -947,92 +915,77 @@ Copyright © 2006 από τον Christophe Dumez<br> Ρυθμίσεις διεπαφής χρήστη - Visual style: - Στυλ: + Στυλ: - Cleanlooks style (Gnome like) - Καθαρό στυλ (Gnome like) + Καθαρό στυλ (Gnome like) - Motif style (Unix like) - Στυλ motif (Unix like) + Στυλ motif (Unix like) - Ask for confirmation on exit when download list is not empty - Επιβεβαίωση εξόδου όταν η λίστα ληφθέντων έχει περιεχόμενα + Επιβεβαίωση εξόδου όταν η λίστα ληφθέντων έχει περιεχόμενα - Disable splash screen - Απενεργοποίηση μηνύματος καλωσορίσματος + Απενεργοποίηση μηνύματος καλωσορίσματος - Display current speed in title bar - Ένδειξη τρέχουσας ταχύτητας στην μπάρα τίτλου + Ένδειξη τρέχουσας ταχύτητας στην μπάρα τίτλου Transfer list refresh interval: Ρυθμός ανανέωσης λίστας μεταφορών: - System tray icon - Εικόνα μπάρας εργασιών + Εικόνα μπάρας εργασιών - Disable system tray icon - Απενεργοποίηση εικόνας μπάρας εργασιών + Απενεργοποίηση εικόνας μπάρας εργασιών - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Κλείσιμο στη μπάρα εργασιών + Κλείσιμο στη μπάρα εργασιών - Minimize to tray - Ελαχιστοποίηση στη μπάρα εργασιών + Ελαχιστοποίηση στη μπάρα εργασιών - Show notification balloons in tray - Εμφάνιση μπαλονιών ειδοποιήσεων στη μπάρα εργασιών + Εμφάνιση μπαλονιών ειδοποιήσεων στη μπάρα εργασιών Media player: Media player: - Downloads - Λήψεις + Λήψεις Put downloads in this folder: Προσθήκη ληφθέντων σε αυτό το φάκελο: - Pre-allocate all files - Αρχική τοποθέτηση όλων των αρχείων + Αρχική τοποθέτηση όλων των αρχείων - When adding a torrent - Όταν προστίθεται κάποιο torrent + Όταν προστίθεται κάποιο torrent - Display torrent content and some options - Εμφάνιση περιεχομένων torrent και μερικών ρυθμίσεων + Εμφάνιση περιεχομένων torrent και μερικών ρυθμίσεων Do not start download automatically @@ -1055,16 +1008,12 @@ Copyright © 2006 από τον Christophe Dumez<br> Λίστα ληφθέντων: - - Start/Stop - Έναρξη/Παύση + Έναρξη/Παύση - - Open folder - Άνοιγμα φακέλου + Άνοιγμα φακέλου Show properties @@ -1087,9 +1036,8 @@ Copyright © 2006 από τον Christophe Dumez<br> Αυτόματο κατέβασμα torrent που βρίσκονται σε αυτό το φάκελο: - Listening port - Εποικινωνία θύρας + Εποικινωνία θύρας to @@ -1097,93 +1045,72 @@ Copyright © 2006 από τον Christophe Dumez<br> ως - Enable UPnP port mapping - Ενεργοποίηση χαρτογράφησης θυρών UPnP + Ενεργοποίηση χαρτογράφησης θυρών UPnP - Enable NAT-PMP port mapping - Ενεργοποίηση χαρτογράφησης θυρών NAT-PMP + Ενεργοποίηση χαρτογράφησης θυρών NAT-PMP - Global bandwidth limiting - Συνολικό όριο σύνδεσης + Συνολικό όριο σύνδεσης - Upload: - Αποστολή: + Αποστολή: - Download: - Λήψη: + Λήψη: - Peer connections - Συνδέσεις με χρήστες + Συνδέσεις με χρήστες - Resolve peer countries - Ανεύρεση χωρών διασυνδέσεων + Ανεύρεση χωρών διασυνδέσεων - Resolve peer host names - Ανεύρεση ονομάτων φορέων διασυνδέσεων + Ανεύρεση ονομάτων φορέων διασυνδέσεων - Bittorrent features - Λειτουργίες Bittorrent + Λειτουργίες Bittorrent Use the same port for DHT and Bittorrent Χρήση της ίδιας θύρας για DHT και Bittorrent - Spoof µtorrent to avoid ban (requires restart) - Παραλλαγή του µtorrent για αποφυγή εκδίωξης (απαιτεί επανεκκίνηση) + Παραλλαγή του µtorrent για αποφυγή εκδίωξης (απαιτεί επανεκκίνηση) - - Type: - Είδος: + Είδος: - - (None) - (Κανένα) + (Κανένα) - - Proxy: - Proxy: + Proxy: - - - Username: - Όνομα χρήστη: + Όνομα χρήστη: - Bittorrent - Bittorrent + Bittorrent - UI - UI + UI Action on double click @@ -1191,214 +1118,105 @@ Copyright © 2006 από τον Christophe Dumez<br> Ενέργεια στο διπλό κλικ - Downloading: - Λήψεις: + Λήψεις: - Completed: - Ολοκληρωμένο: + Ολοκληρωμένο: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Do not start download automatically The torrent will be added to download list in pause state - Μη αυτόματη εκκίνηση λήψης + Μη αυτόματη εκκίνηση λήψης - Connections limit - Όριο συνδέσεων + Όριο συνδέσεων - Global maximum number of connections: - Συνολικός αριθμός μεγίστων συνδέσεων: + Συνολικός αριθμός μεγίστων συνδέσεων: - Maximum number of connections per torrent: - Μέγιστος αριθμός συνδέσεων ανά torrent: + Μέγιστος αριθμός συνδέσεων ανά torrent: - Maximum number of upload slots per torrent: - Μέγιστες θυρίδες αποστολής ανά torrent: + Μέγιστες θυρίδες αποστολής ανά torrent: Additional Bittorrent features Πρόσθετα χαρακτηριστικά Bittorrent - Enable DHT network (decentralized) - Ενεργοποίηση δικτύου DHT (αποκεντροποιημένο) + Ενεργοποίηση δικτύου DHT (αποκεντροποιημένο) Enable Peer eXchange (PeX) Ενεργοποίηση Μοιράσματος Συνδέσεων (PeX) - Enable Local Peer Discovery - Ενεργοποίηση Ανακάλυψης Νέων Συνδέσεων + Ενεργοποίηση Ανακάλυψης Νέων Συνδέσεων - Encryption: - Κρυπτογράφηση: + Κρυπτογράφηση: - Share ratio settings - Ρυθμίσεις ποσοστού μοιράσματος + Ρυθμίσεις ποσοστού μοιράσματος - Desired ratio: - Επιθυμητή αναλογία: + Επιθυμητή αναλογία: - Filter file path: - Διαδρομή αρχείου φίλτρου: + Διαδρομή αρχείου φίλτρου: transfer lists refresh interval: χρονικό διάστημα ανανέωσης λιστών μεταφοράς: - ms - ms + ms - - RSS - RSS + RSS - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - χρονικό διάστημα ανανέωσης παροχών RSS: + χρονικό διάστημα ανανέωσης παροχών RSS: - minutes - λεπτά + λεπτά - Maximum number of articles per feed: - Μέγιστος αριθμός άρθρων ανά τροφοδοσία: + Μέγιστος αριθμός άρθρων ανά τροφοδοσία: - File system - Σύστημα αρχείων + Σύστημα αρχείων - Remove finished torrents when their ratio reaches: - Αφαίρεση τελειωμένων torrent όταν η αναλογία τους φτάσει στο: + Αφαίρεση τελειωμένων torrent όταν η αναλογία τους φτάσει στο: - System default - Προεπιλογή συστήματος + Προεπιλογή συστήματος - Start minimized - Εκκίνηση σε ελαχιστοποίηση + Εκκίνηση σε ελαχιστοποίηση Action on double click in transfer lists @@ -1438,9 +1256,8 @@ QGroupBox { Προσομοίωση σε Azureus για αποφυγή ban (απαιτεί επανεκκίνηση) - Web UI - Web UI + Web UI Action for double click @@ -1449,84 +1266,64 @@ QGroupBox { Ενέργεια διπλού κλικ - Port used for incoming connections: - Θύρα που χρησιμοποιείται για εισερχόμενες συνδέσεις: + Θύρα που χρησιμοποιείται για εισερχόμενες συνδέσεις: - Random - Τυχαία + Τυχαία - Use a different port for DHT and Bittorrent - Χρήση διαφορετικής θύρας για DHT και Bittorrent + Χρήση διαφορετικής θύρας για DHT και Bittorrent - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - Ενεργοποίηση Web User Interface + Ενεργοποίηση Web User Interface - HTTP Server - Διακομιστής HTTP + Διακομιστής HTTP - Enable RSS support - Ενεργοποίηση υποστήριξης RSS + Ενεργοποίηση υποστήριξης RSS - RSS settings - Ρυθμίσεις RSS + Ρυθμίσεις RSS - Torrent queueing - Σειρά torrent + Σειρά torrent - Enable queueing system - Ενεργοποίηση συστήματος σειρών + Ενεργοποίηση συστήματος σειρών - Maximum active downloads: - Μέγιστος αριθμός ενεργών λήψεων: + Μέγιστος αριθμός ενεργών λήψεων: - Maximum active torrents: - Μέγιστος αριθμός ενεργών torrent: + Μέγιστος αριθμός ενεργών torrent: - Display top toolbar - Εμφάνιση άνω μπάρας εργαλείων + Εμφάνιση άνω μπάρας εργαλείων - Search engine proxy settings - Ρυθμίσεις proxy μηχανής αναζήτησης + Ρυθμίσεις proxy μηχανής αναζήτησης - Bittorrent proxy settings - Ρυθμίσεις proxy bittorrent + Ρυθμίσεις proxy bittorrent - Maximum active uploads: - Μέγιστος αριθμός ενεργών αποστολών: + Μέγιστος αριθμός ενεργών αποστολών: @@ -1674,33 +1471,33 @@ QGroupBox { Δεν επικοινώνησε ακόμα - - + + this session αυτή η συνεδρία - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Διαμοιράστηκε για %1 - + %1 max e.g. 10 max μέγιστο %1 - - + + %1/s e.g. 120 KiB/s %1 /s @@ -3104,6 +2901,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Αδύνατο να αλλάξουν οι προτιμήσεις, το qBittorrent είναι πιθανότατα απρόσιτο. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3544,6 +3372,598 @@ Are you sure you want to quit qBittorrent? Περιορισμός ορίου λήψης + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_en.ts b/src/lang/qbittorrent_en.ts index 7794c78e4..be3e9c3b1 100644 --- a/src/lang/qbittorrent_en.ts +++ b/src/lang/qbittorrent_en.ts @@ -329,598 +329,6 @@ p, li { white-space: pre-wrap; } - - Dialog - - - - - Port: - - - - - - - Authentication - - - - - - - Password: - - - - - Activate IP Filtering - - - - - Filter Settings - - - - - Language: - - - - - - KiB/s - - - - - Connection - - - - - User interface - - - - - (Requires restart) - - - - - Plastique style (KDE like) - - - - - CDE style (Common Desktop Environment like) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - - Start/Stop - - - - - - Open folder - - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Port used for incoming connections: - - - - - Random - - - - - Use a different port for DHT and Bittorrent - - - - - Enable Peer Exchange / PeX (requires restart) - - - - - - HTTP - - - - - SOCKS5 - - - - - Affected connections - - - - - Use proxy for connections to trackers - - - - - Use proxy for connections to regular peers - - - - - Use proxy for connections to web seeds - - - - - Use proxy for DHT messages - - - - - Enabled - - - - - Forced - - - - - Disabled - - - - - Preferences - - - - - IP Filter - - - - - Visual style: - - - - - Cleanlooks style (Gnome like) - - - - - Motif style (Unix like) - - - - - Ask for confirmation on exit when download list is not empty - - - - - Display current speed in title bar - - - - - System tray icon - - - - - Disable system tray icon - - - - - Close to tray - i.e: The systray tray icon will still be visible when closing the main window. - - - - - Minimize to tray - - - - - Show notification balloons in tray - - - - - Downloads - - - - - Pre-allocate all files - - - - - When adding a torrent - - - - - Display torrent content and some options - - - - - Do not start download automatically - The torrent will be added to download list in pause state - - - - - UI - - - - - Proxy - - - - - Disable splash screen - - - - - Disk cache: - - - - - MiB (advanced) - - - - - Listening port - - - - - Enable UPnP port mapping - - - - - Enable NAT-PMP port mapping - - - - - Global bandwidth limiting - - - - - Upload: - - - - - Download: - - - - - Peer connections - - - - - Resolve peer countries - - - - - Resolve peer host names - - - - - Bittorrent features - - - - - DHT port: - - - - - Spoof µtorrent to avoid ban (requires restart) - - - - - - Type: - - - - - - (None) - - - - - - Proxy: - - - - - - - Username: - - - - - Bittorrent - - - - - Downloading: - - - - - Completed: - - - - - Connections limit - - - - - Global maximum number of connections: - - - - - Maximum number of connections per torrent: - - - - - Maximum number of upload slots per torrent: - - - - - Enable DHT network (decentralized) - - - - - Enable Local Peer Discovery - - - - - Encryption: - - - - - Share ratio settings - - - - - Desired ratio: - - - - - Filter file path: - - - - - ms - - - - - - RSS - - - - - RSS feeds refresh interval: - - - - - minutes - - - - - Maximum number of articles per feed: - - - - - File system - - - - - Remove finished torrents when their ratio reaches: - - - - - System default - - - - - Start minimized - - - - - Web UI - - - - - Enable Web User Interface - - - - - HTTP Server - - - - - Enable RSS support - - - - - RSS settings - - - - - Enable queueing system - - - - - Maximum active downloads: - - - - - Torrent queueing - - - - - Maximum active torrents: - - - - - Display top toolbar - - - - - Search engine proxy settings - - - - - Bittorrent proxy settings - - - - - Maximum active uploads: - - - EventManager @@ -947,33 +355,33 @@ QGroupBox { - - + + this session - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -1509,6 +917,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -1789,6 +1228,598 @@ Are you sure you want to quit qBittorrent? + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropertiesWidget diff --git a/src/lang/qbittorrent_es.qm b/src/lang/qbittorrent_es.qm index 7ba85892e..0dfc36a47 100644 Binary files a/src/lang/qbittorrent_es.qm and b/src/lang/qbittorrent_es.qm differ diff --git a/src/lang/qbittorrent_es.ts b/src/lang/qbittorrent_es.ts index 5ee81a247..c88b475e3 100644 --- a/src/lang/qbittorrent_es.ts +++ b/src/lang/qbittorrent_es.ts @@ -445,9 +445,8 @@ p, li { white-space: pre-wrap; } hasta - Proxy - Proxy + Proxy Proxy Settings @@ -462,33 +461,24 @@ p, li { white-space: pre-wrap; } 0.0.0.0 - - - Port: - Puerto: + Puerto: Proxy server requires authentication El servidor Proxy requiere autentificarse - - - Authentication - Autentificación + Autentificación User Name: Nombre de Usuario: - - - Password: - Contraseña: + Contraseña: Enable connection through a proxy server @@ -539,14 +529,12 @@ p, li { white-space: pre-wrap; } KB de subida max. - Activate IP Filtering - Activar Filtro de IP + Activar Filtro de IP - Filter Settings - Preferencias del Filtro + Preferencias del Filtro ipfilter.dat URL or PATH: @@ -573,9 +561,8 @@ p, li { white-space: pre-wrap; } Aplicar - IP Filter - Filtro IP + Filtro IP Add Range @@ -618,9 +605,8 @@ p, li { white-space: pre-wrap; } Ubicación - Language: - Idioma: + Idioma: Behaviour @@ -643,10 +629,8 @@ p, li { white-space: pre-wrap; } No mostrar nunca OSD - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -681,9 +665,8 @@ p, li { white-space: pre-wrap; } Configuración DHT - DHT port: - Puerto DHT: + Puerto DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -730,9 +713,8 @@ p, li { white-space: pre-wrap; } Enviar a la bandeja del sistema cuando se cierre la ventana principal - Connection - Conexión + Conexión Peer eXchange (PeX) @@ -763,9 +745,8 @@ p, li { white-space: pre-wrap; } Estilo (Apariencia) - Plastique style (KDE like) - Estilo Plastique (como KDE) + Estilo Plastique (como KDE) Cleanlooks style (GNOME like) @@ -776,9 +757,8 @@ p, li { white-space: pre-wrap; } Estilo Motif (el estilo por defecto de Qt en sistemas Unix) - CDE style (Common Desktop Environment like) - Estilo CDE (como el Common Desktop Enviroment) + Estilo CDE (como el Common Desktop Enviroment) MacOS style (MacOSX only) @@ -805,40 +785,32 @@ p, li { white-space: pre-wrap; } Tipo de proxy: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Conexiones afectadas + Conexiones afectadas - Use proxy for connections to trackers - Usar proxy para las conexiones a trackers + Usar proxy para las conexiones a trackers - Use proxy for connections to regular peers - Usar proxy para las conexiones a pares regulares + Usar proxy para las conexiones a pares regulares - Use proxy for connections to web seeds - Usar proxy para las conexiones a semillas de web + Usar proxy para las conexiones a semillas de web - Use proxy for DHT messages - Usar proxy para mensajes DHT + Usar proxy para mensajes DHT Encryption @@ -849,24 +821,20 @@ p, li { white-space: pre-wrap; } Estado de encriptación: - Enabled - Habilitado + Habilitado - Forced - Forzado + Forzado - Disabled - Deshabilitado + Deshabilitado - Preferences - Preferencias + Preferencias General @@ -877,93 +845,78 @@ p, li { white-space: pre-wrap; } Preferencias de interfaz de usuario - Visual style: - Estilo visual: + Estilo visual: - Cleanlooks style (Gnome like) - Estilo Cleanlooks (como Gnome) + Estilo Cleanlooks (como Gnome) - Motif style (Unix like) - Estilo Motif (como Unix) + Estilo Motif (como Unix) - Ask for confirmation on exit when download list is not empty - Pedir confirmación al salir cuando la lista de descargas aún esté activa + Pedir confirmación al salir cuando la lista de descargas aún esté activa - Display current speed in title bar - Mostrar velocidad actual en la barra de título + Mostrar velocidad actual en la barra de título Transfer list refresh interval: Intervalo de refresco de la lista de transferencia: - System tray icon - Icono en la bandeja del sistema + Icono en la bandeja del sistema - Disable system tray icon - Deshabilitar icono de la bandeja del sistema + Deshabilitar icono de la bandeja del sistema - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Minimizar en la bandeja del sistema al cerrar + Minimizar en la bandeja del sistema al cerrar - Minimize to tray - Minimizar en la bandeja del sistema + Minimizar en la bandeja del sistema - Show notification balloons in tray - Mostrar globos de notificación en la bandeja + Mostrar globos de notificación en la bandeja Media player: Reproductor de medios: - Downloads - Descargas + Descargas Put downloads in this folder: Poner las descargas en esta carpeta: - Pre-allocate all files - Pre-localizar todos los archivos (espacio para todos los archivos) + Pre-localizar todos los archivos (espacio para todos los archivos) - When adding a torrent - Al añadir un torrent + Al añadir un torrent - Display torrent content and some options - Mostrar el contenido del Torrent y opciones + Mostrar el contenido del Torrent y opciones - Do not start download automatically The torrent will be added to download list in pause state - No comenzar a descargar automáticamente + No comenzar a descargar automáticamente Folder watching @@ -971,26 +924,16 @@ p, li { white-space: pre-wrap; } Seguimineto de archivos - UI - UI + UI - Disable splash screen - Desactivar pantalla de inicio + Desactivar pantalla de inicio - - - Start/Stop - - - - - Open folder - Abrir Carpeta + Abrir Carpeta Download folder: @@ -1005,9 +948,8 @@ p, li { white-space: pre-wrap; } Descargar automáticamente los torrents presentes en esta carpeta: - Listening port - Puerto de escucha + Puerto de escucha to @@ -1015,283 +957,152 @@ p, li { white-space: pre-wrap; } hasta - Enable UPnP port mapping - Habilitar mapeo de puertos UPnP + Habilitar mapeo de puertos UPnP - Enable NAT-PMP port mapping - Habilitar mapeo de puertos NAT-PMP + Habilitar mapeo de puertos NAT-PMP - Global bandwidth limiting - Limite global de ancho de banda + Limite global de ancho de banda - Upload: - Subida: + Subida: - Download: - Bajada: + Bajada: - Peer connections - Conexiones Pares + Conexiones Pares - Resolve peer countries - Resolver pares por Paises + Resolver pares por Paises - Resolve peer host names - Resolver pares por nombre de host + Resolver pares por nombre de host - Bittorrent features - Características de Bittorrent - - - - Enable Peer Exchange / PeX (requires restart) - + Características de Bittorrent - Spoof µtorrent to avoid ban (requires restart) - Camuflar a qBittorrent, haciéndole pasar por µtorrent (requiere reiniciar) + Camuflar a qBittorrent, haciéndole pasar por µtorrent (requiere reiniciar) - - Type: - Tipo: + Tipo: - - (None) - (Ninguno) + (Ninguno) - - Proxy: - Proxy: + Proxy: - - - Username: - Nombre de Usuario: + Nombre de Usuario: - Bittorrent - Bittorrent + Bittorrent - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Límite de conexiones + Límite de conexiones - Global maximum number of connections: - Número global máximo de conexiones: + Número global máximo de conexiones: - Maximum number of connections per torrent: - Número máximo de conexiones por torrent: + Número máximo de conexiones por torrent: - Maximum number of upload slots per torrent: - Número máximo de slots de subida por torrent: + Número máximo de slots de subida por torrent: Additional Bittorrent features Funcionalidades adicionales de bittorrent - Enable DHT network (decentralized) - Habilitar red DHT (descentralizada) + Habilitar red DHT (descentralizada) Enable Peer eXchange (PeX) Habilitar Peer eXchange (PeX) - Enable Local Peer Discovery - Habilitar la fuente de búsqueda local de pares + Habilitar la fuente de búsqueda local de pares - Encryption: - Encriptación: + Encriptación: - Share ratio settings - Preferencias de radio de compartición + Preferencias de radio de compartición - Desired ratio: - Radio deseado: + Radio deseado: - Filter file path: - Ruta de acceso al archivo filtrado: + Ruta de acceso al archivo filtrado: transfer lists refresh interval: Intervalo de actualización de listas de transferencia: - ms - ms + ms - - RSS - RSS + RSS - RSS feeds refresh interval: - Intervalo de actualización de Canales RSS: + Intervalo de actualización de Canales RSS: - minutes - minutos + minutos - Maximum number of articles per feed: - Número máximo de artículos por Canal: + Número máximo de artículos por Canal: - File system - Sistema de archivos + Sistema de archivos - Remove finished torrents when their ratio reaches: - Eliminar torrents terminados cuando su radio llegue a: + Eliminar torrents terminados cuando su radio llegue a: - System default - Por defecto del sistema + Por defecto del sistema - Start minimized - Iniciar minimizado + Iniciar minimizado Action on double click in transfer lists @@ -1331,9 +1142,8 @@ QGroupBox { Engañar a Azureus para evitar ban (requiere reiniciar) - Web UI - IU Web + IU Web Action on double click @@ -1341,89 +1151,72 @@ QGroupBox { Al hacer doble Click en un elemento de la lista - Downloading: - Descargados: + Descargados: - Completed: - Completados: + Completados: - Port used for incoming connections: - Puerto utilizado para conexiones entrantes: + Puerto utilizado para conexiones entrantes: - Random - Aleatorio + Aleatorio - Use a different port for DHT and Bittorrent - Utilizar un puerto diferente para la DHT y Bittorrent + Utilizar un puerto diferente para la DHT y Bittorrent - Enable Web User Interface - Habilitar Interfaz de Usuario Web + Habilitar Interfaz de Usuario Web - HTTP Server - Servidor HTTP + Servidor HTTP - Enable RSS support - Activar soporte RSS + Activar soporte RSS - RSS settings - Ajustes RSS + Ajustes RSS - Torrent queueing - Torrents en Cola + Torrents en Cola - Enable queueing system - Habilitar ajustes en Cola + Habilitar ajustes en Cola - Maximum active downloads: - Número máximo de descargar activas: + Número máximo de descargar activas: - Maximum active torrents: - Número máximo de torrents activos: + Número máximo de torrents activos: - Display top toolbar - Mostrar la barra de herramientas superior + Mostrar la barra de herramientas superior - Search engine proxy settings - Proxy, configuración de motores de búsqueda + Proxy, configuración de motores de búsqueda - Bittorrent proxy settings - Ajustes proxy Bittorrent + Ajustes proxy Bittorrent - Maximum active uploads: - Número máximo de subidas activas: + Número máximo de subidas activas: @@ -1584,33 +1377,33 @@ QGroupBox { Máxima - - + + this session en esta sesión - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s Completo desde %1 - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -2960,6 +2753,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. No se puede guardar las preferencias del programa, qbittorrent probablemente no es accesible. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3400,6 +3224,598 @@ Are you sure you want to quit qBittorrent? Límite tasa de bajada + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_fi.qm b/src/lang/qbittorrent_fi.qm index 34a9cf473..72a6b0094 100644 Binary files a/src/lang/qbittorrent_fi.qm and b/src/lang/qbittorrent_fi.qm differ diff --git a/src/lang/qbittorrent_fi.ts b/src/lang/qbittorrent_fi.ts index de89cac7d..b41b5d389 100644 --- a/src/lang/qbittorrent_fi.ts +++ b/src/lang/qbittorrent_fi.ts @@ -386,9 +386,8 @@ p, li { white-space: pre-wrap; } ... - Activate IP Filtering - Käytä IP-suodatusta + Käytä IP-suodatusta Add Range @@ -411,11 +410,8 @@ p, li { white-space: pre-wrap; } Multimediatoistin: - - - Authentication - Sisäänkirjautuminen + Sisäänkirjautuminen Automatically clear finished downloads @@ -458,9 +454,8 @@ p, li { white-space: pre-wrap; } DHT-asetukset - DHT port: - DHT-portti: + DHT-portti: DHT (Trackerless): @@ -499,28 +494,24 @@ p, li { white-space: pre-wrap; } Loppu - Filter Settings - Suotimen asetukset + Suotimen asetukset Go to systray when minimizing window Pienennä ilmoitusalueen kuvakkeeseen - IP Filter - IP-suodatin + IP-suodatin ipfilter.dat Path: ipfilter.datin sijainti: - - KiB/s - KiB/s + KiB/s KiB UP max. @@ -531,9 +522,8 @@ p, li { white-space: pre-wrap; } Kieli - Language: - Kieli: + Kieli: Localization @@ -572,18 +562,12 @@ p, li { white-space: pre-wrap; } Lähde - - - Password: - Salasana: + Salasana: - - - Port: - Portti: + Portti: Port range: @@ -594,9 +578,8 @@ p, li { white-space: pre-wrap; } Esikatseluohjelma - Proxy - Välityspalvelin + Välityspalvelin Proxy server requires authentication @@ -651,24 +634,20 @@ p, li { white-space: pre-wrap; } 1 KiB DL = - Connection - Yhteys + Yhteys - Plastique style (KDE like) - Plastique-tyyli (KDE) + Plastique-tyyli (KDE) - CDE style (Common Desktop Environment like) - CDE-tyyli (Common Dekstop Environment) + CDE-tyyli (Common Dekstop Environment) - Disable splash screen - Poista aloituskuva + Poista aloituskuva Action for double click @@ -676,96 +655,72 @@ p, li { white-space: pre-wrap; } Toiminta tuplanapsautuksella - - Start/Stop - Aloita/lopeta + Aloita/lopeta - - Open folder - Avaa kansio + Avaa kansio Show properties Ominaisuudet - Port used for incoming connections: - Portti sisääntuleville yhteyksille: + Portti sisääntuleville yhteyksille: - Random - Satunnainen + Satunnainen - Use a different port for DHT and Bittorrent - Käytä eri porttia DHT:lle ja Bittorrentille + Käytä eri porttia DHT:lle ja Bittorrentille - - Enable Peer Exchange / PeX (requires restart) - - - - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Käytä yhteyksille + Käytä yhteyksille - Use proxy for connections to trackers - Käytä välityspalvelinta seurantapalvelinyhteyksiin + Käytä välityspalvelinta seurantapalvelinyhteyksiin - Use proxy for connections to regular peers - Käytä välityspalvelinta yhteyksiin muiden käyttäjien kanssa + Käytä välityspalvelinta yhteyksiin muiden käyttäjien kanssa - Use proxy for connections to web seeds - Käytä välityspalvelinta web-jakoihin + Käytä välityspalvelinta web-jakoihin - Use proxy for DHT messages - Käytä välityspalvelinta DHT-viesteihin + Käytä välityspalvelinta DHT-viesteihin - Enabled - Käytössä + Käytössä - Forced - Pakotettu + Pakotettu - Disabled - Ei käytössä + Ei käytössä - Preferences - Asetukset + Asetukset General @@ -776,89 +731,74 @@ p, li { white-space: pre-wrap; } Käyttöliittymäasetukset - Visual style: - Ulkoasu: + Ulkoasu: - Cleanlooks style (Gnome like) - Cleanlooks-tyyli (Gnome) + Cleanlooks-tyyli (Gnome) - Motif style (Unix like) - Motif-tyyli (Unix) + Motif-tyyli (Unix) - Ask for confirmation on exit when download list is not empty - Kysy varmistusta, jos latauslista ei ole tyhjä poistuttaessa + Kysy varmistusta, jos latauslista ei ole tyhjä poistuttaessa - Display current speed in title bar - Näytä nopeus otsikkorivillä + Näytä nopeus otsikkorivillä Transfer list refresh interval: Siirtolistan päivitysväli: - System tray icon - Ilmoitusalueen kuvake + Ilmoitusalueen kuvake - Disable system tray icon - Älä näytä kuvaketta ilmoitusalueella + Älä näytä kuvaketta ilmoitusalueella - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Sulje ilmoitusalueen kuvakkeeseen + Sulje ilmoitusalueen kuvakkeeseen - Minimize to tray - Pienennä ilmoitusalueen kuvakkeeseen + Pienennä ilmoitusalueen kuvakkeeseen - Show notification balloons in tray - Näytä ilmoitukset ilmoitusalueen kuvakkeesta + Näytä ilmoitukset ilmoitusalueen kuvakkeesta - Downloads - Lataukset + Lataukset Put downloads in this folder: Latauskansio: - Pre-allocate all files - Varaa tila kaikille tiedostoille + Varaa tila kaikille tiedostoille - When adding a torrent - Kun lisään torrent-tiedostoa + Kun lisään torrent-tiedostoa - Display torrent content and some options - Näytä sen sisältö ja joitakin asetuksia + Näytä sen sisältö ja joitakin asetuksia - Do not start download automatically The torrent will be added to download list in pause state - Älä aloita lataamista automaattisesti + Älä aloita lataamista automaattisesti Folder watching @@ -870,9 +810,8 @@ p, li { white-space: pre-wrap; } Lataa torrentit tästä kansiosta automaattisesti: - Listening port - Kuuntele porttia + Kuuntele porttia to @@ -880,44 +819,36 @@ p, li { white-space: pre-wrap; } - Enable UPnP port mapping - Käytä UPnP-porttivarausta + Käytä UPnP-porttivarausta - Enable NAT-PMP port mapping - Käytä NAT-PMP -porttivarausta + Käytä NAT-PMP -porttivarausta - Global bandwidth limiting - Kaistankäyttörajoitukset + Kaistankäyttörajoitukset - Upload: - Lähetys: + Lähetys: - Download: - Lataus: + Lataus: - Peer connections - Asiakasyhteydet + Asiakasyhteydet - Resolve peer countries - Selvitä asiakkaiden kotimaat + Selvitä asiakkaiden kotimaat - Resolve peer host names - Selvitä asiakkaiden palvelinnimet + Selvitä asiakkaiden palvelinnimet Use the same port for DHT and Bittorrent @@ -925,44 +856,32 @@ p, li { white-space: pre-wrap; } Käytä samaa porttia DHT:lle ja Bittorrentille - Spoof µtorrent to avoid ban (requires restart) - Esitä µtorrent (vaatii uudelleenkäynnistyksen) + Esitä µtorrent (vaatii uudelleenkäynnistyksen) - - Type: - Tyyppi: + Tyyppi: - - (None) - (ei mikään) + (ei mikään) - - Proxy: - Välityspalvelin: + Välityspalvelin: - - - Username: - Tunnus: + Tunnus: - Bittorrent - Bittorrent + Bittorrent - UI - Käyttöliittymä + Käyttöliittymä Action on double click @@ -970,176 +889,100 @@ p, li { white-space: pre-wrap; } Toiminta tuplanapsautuksella - Downloading: - Ladataan: + Ladataan: - Completed: - Valmiina: + Valmiina: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Yhteyksien enimmäismäärä + Yhteyksien enimmäismäärä - Global maximum number of connections: - Kaikkien yhteyksien enimmäismäärä: + Kaikkien yhteyksien enimmäismäärä: - Maximum number of connections per torrent: - Yhteyksien enimmäismäärä latausta kohden: + Yhteyksien enimmäismäärä latausta kohden: - Maximum number of upload slots per torrent: - Lähetyspaikkoja torrentia kohden: + Lähetyspaikkoja torrentia kohden: Additional Bittorrent features Muut Bittorrent-ominaisuudet - Enable DHT network (decentralized) - Käytä hajautettua DHT-verkkoa + Käytä hajautettua DHT-verkkoa Enable Peer eXchange (PeX) Vaihda tietoja muiden käyttäjien kanssa (Peer eXchange) - Enable Local Peer Discovery - Käytä paikallista käyttäjien löytämistä + Käytä paikallista käyttäjien löytämistä - Encryption: - Salaus: + Salaus: - Share ratio settings - Jakosuhteen asetukset + Jakosuhteen asetukset - Desired ratio: - Tavoiteltu suhde: + Tavoiteltu suhde: - Filter file path: - Suodatustiedoston sijainti: + Suodatustiedoston sijainti: transfer lists refresh interval: siirtolistan päivitystiheys: - ms - ms + ms - - RSS - RSS + RSS - RSS feeds refresh interval: - RSS-syötteen päivitystiheys: + RSS-syötteen päivitystiheys: - minutes - minuuttia + minuuttia - Maximum number of articles per feed: - Artikkeleiden enimmäismäärä syötettä kohden: + Artikkeleiden enimmäismäärä syötettä kohden: - File system - Tiedostojärjestelmä + Tiedostojärjestelmä - Remove finished torrents when their ratio reaches: - Poista valmistuneet torrentit, kun jakosuhde saa arvon: + Poista valmistuneet torrentit, kun jakosuhde saa arvon: - System default - Järjestelmän oletus + Järjestelmän oletus - Start minimized - Aloita minimoituna + Aloita minimoituna Action on double click in transfer lists @@ -1179,101 +1022,56 @@ QGroupBox { Esitä Azureusta (vaatii uudelleenkäynnistyksen) - Web UI - Verkkokäyttöliittymä + Verkkokäyttöliittymä - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - Enable Web User Interface - Käytä verkkokäyttöliittymää + Käytä verkkokäyttöliittymää - HTTP Server - HTTP-palvelin + HTTP-palvelin - Enable RSS support - RSS-tuki + RSS-tuki - RSS settings - RSS:n asetukset + RSS:n asetukset - Enable queueing system - Käytä jonotusjärjestelmää + Käytä jonotusjärjestelmää - Maximum active downloads: - Aktiivisia latauksia enintään: + Aktiivisia latauksia enintään: - Torrent queueing - Torrenttien jonotus + Torrenttien jonotus - Maximum active torrents: - Aktiivisia torrentteja enintään: + Aktiivisia torrentteja enintään: - Display top toolbar - Näytä ylätyökalupalkki + Näytä ylätyökalupalkki - Search engine proxy settings - Hakukoneen välityspalvelinasetukset + Hakukoneen välityspalvelinasetukset - Bittorrent proxy settings - Bittorrentin välityspalvelinasetukset + Bittorrentin välityspalvelinasetukset - Maximum active uploads: - Aktiivisia lähetettäviä torrentteja enintään: + Aktiivisia lähetettäviä torrentteja enintään: Network @@ -1301,9 +1099,8 @@ QGroupBox { Väliaikaiskansio: - Bittorrent features - Bittorrent-piirteet + Bittorrent-piirteet @@ -1469,33 +1266,33 @@ QGroupBox { Korkein - - + + this session tämä istunto - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s jaettu %1 - + %1 max e.g. 10 max korkeintaan %1 - - + + %1/s e.g. 120 KiB/s %1/s @@ -2699,6 +2496,37 @@ Haluatko varmasti lopettaa qBittorrentin? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3071,6 +2899,598 @@ Haluatko varmasti lopettaa qBittorrentin? Latausnopeuden rajoittaminen + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_fr.qm b/src/lang/qbittorrent_fr.qm index be64d55a3..b6491c68d 100644 Binary files a/src/lang/qbittorrent_fr.qm and b/src/lang/qbittorrent_fr.qm differ diff --git a/src/lang/qbittorrent_fr.ts b/src/lang/qbittorrent_fr.ts index 64bb78be5..2d86c4a20 100644 --- a/src/lang/qbittorrent_fr.ts +++ b/src/lang/qbittorrent_fr.ts @@ -542,33 +542,24 @@ Copyright © 2006 par Christophe DUMEZ<br> IP du serveur : - - - Port: - Port : + Port : Proxy server requires authentication Le serveur proxy nécessite une authentification - - - Authentication - Authentification + Authentification User Name: Nom d'utilisateur : - - - Password: - Mot de passe : + Mot de passe : Enable connection through a proxy server @@ -619,14 +610,12 @@ Copyright © 2006 par Christophe DUMEZ<br> Filtre IP - Activate IP Filtering - Activer le filtrage d'IP + Activer le filtrage d'IP - Filter Settings - Paramètres de filtrage + Paramètres de filtrage Add Range @@ -661,9 +650,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Appliquer - IP Filter - Filtrage IP + Filtrage IP Add Range @@ -702,9 +690,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Traduction - Language: - Langue : + Langue : Behaviour @@ -723,10 +710,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Ne jamais afficher d'OSD - - KiB/s - Ko/s + Ko/s 1 KiB DL = @@ -777,9 +762,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Configuration DHT - DHT port: - Port DHT : + Port DHT : <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -810,9 +794,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Iconifier lors de la fermeture de la fenêtre - Connection - Connexion + Connexion Peer eXchange (PeX) @@ -843,9 +826,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Apparence (Look 'n Feel) - Plastique style (KDE like) - Style Plastique (Type KDE) + Style Plastique (Type KDE) Cleanlooks style (GNOME like) @@ -856,9 +838,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Style Motif (Style Qt par défaut sur Unix) - CDE style (Common Desktop Environment like) - Style CDE (Type Common Desktop Environment) + Style CDE (Type Common Desktop Environment) MacOS style (MacOSX only) @@ -885,40 +866,24 @@ Copyright © 2006 par Christophe DUMEZ<br> Type du Proxy : - - - HTTP - - - - - SOCKS5 - - - - Affected connections - Connexions concernées + Connexions concernées - Use proxy for connections to trackers - Utiliser le proxy pour les connexions aux trackers + Utiliser le proxy pour les connexions aux trackers - Use proxy for connections to regular peers - Utiliser le proxy pour les connexions aux autres clients + Utiliser le proxy pour les connexions aux autres clients - Use proxy for connections to web seeds - Utiliser le proxy pour les connexions aux sources web + Utiliser le proxy pour les connexions aux sources web - Use proxy for DHT messages - Utiliser le proxy pour les connexions DHT (sans tracker) + Utiliser le proxy pour les connexions DHT (sans tracker) Encryption @@ -929,24 +894,20 @@ Copyright © 2006 par Christophe DUMEZ<br> Etat du cryptage : - Enabled - Activé + Activé - Forced - Forcé + Forcé - Disabled - Désactivé + Désactivé - Preferences - Préférences + Préférences General @@ -961,98 +922,82 @@ Copyright © 2006 par Christophe DUMEZ<br> Paramètres de l'interface - Visual style: - Style visuel : + Style visuel : - Cleanlooks style (Gnome like) - Style Cleanlooks (Type Gnome) + Style Cleanlooks (Type Gnome) - Motif style (Unix like) - Style Motif (Type Unix) + Style Motif (Type Unix) - Ask for confirmation on exit when download list is not empty - Confirmation lors de la sortie si la liste de téléchargement n'est pas vide + Confirmation lors de la sortie si la liste de téléchargement n'est pas vide - Disable splash screen - Désactiver l'écran de démarrage + Désactiver l'écran de démarrage - Display current speed in title bar - Afficher la vitesse de transfert actuelle dans la barre de titre + Afficher la vitesse de transfert actuelle dans la barre de titre Transfer list refresh interval: Intervalle de rafraîchissement de la liste : - System tray icon - Intégration dans la barre des tâches + Intégration dans la barre des tâches - Disable system tray icon - Désactiver l'intégration dans la barre des tâches + Désactiver l'intégration dans la barre des tâches - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Iconifier lors de la fermeture + Iconifier lors de la fermeture - Minimize to tray - Iconifier lors de la minimisation + Iconifier lors de la minimisation - Show notification balloons in tray - Afficher les messages de notification dans la barre des tâches + Afficher les messages de notification dans la barre des tâches Media player: Lecteur média : - Downloads - Téléchargements + Téléchargements Put downloads in this folder: Mettre les fichiers téléchargés dans ce dossier : - Pre-allocate all files - Pré-allouer l'espace disque pour tous les fichiers + Pré-allouer l'espace disque pour tous les fichiers - When adding a torrent - Lors de l'ajout d'un torrent + Lors de l'ajout d'un torrent - Display torrent content and some options - Afficher le contenu du torrent et quelques paramètres + Afficher le contenu du torrent et quelques paramètres - Do not start download automatically The torrent will be added to download list in pause state - Ne pas commencer le téléchargement automatiquement + Ne pas commencer le téléchargement automatiquement Folder watching @@ -1069,16 +1014,12 @@ Copyright © 2006 par Christophe DUMEZ<br> Liste de téléchargement : - - Start/Stop - Démarrer/Stopper + Démarrer/Stopper - - Open folder - Ouvrir le dossier + Ouvrir le dossier Show properties @@ -1101,9 +1042,8 @@ Copyright © 2006 par Christophe DUMEZ<br> Télécharger automatiquement les torrents présents dans ce dossier : - Listening port - Port d'écoute + Port d'écoute to @@ -1111,93 +1051,68 @@ Copyright © 2006 par Christophe DUMEZ<br> à - Enable UPnP port mapping - Activer l'UPnP + Activer l'UPnP - Enable NAT-PMP port mapping - Activer le NAT-PMP + Activer le NAT-PMP - Global bandwidth limiting - Limitation globale de bande passante + Limitation globale de bande passante - Upload: - Envoi : + Envoi : - Download: - Téléchargement : + Téléchargement : - Peer connections - Connexions aux peers + Connexions aux peers - Resolve peer countries - Afficher le pays des peers + Afficher le pays des peers - Resolve peer host names - Afficher le nom d'hôte des peers + Afficher le nom d'hôte des peers - Bittorrent features - Fonctionnalités Bittorrent + Fonctionnalités Bittorrent Use the same port for DHT and Bittorrent Utiliser le même port pour le DHT et Bittorrent - Spoof µtorrent to avoid ban (requires restart) - Se faire passer pour µtorrent pour éviter le blocage (redémarrage requis) + Se faire passer pour µtorrent pour éviter le blocage (redémarrage requis) - - Type: - Type : + Type : - - (None) - (Aucun) + (Aucun) - - Proxy: - Serveur mandataire (proxy) : + Serveur mandataire (proxy) : - - - Username: - Nom d'utilisateur : + Nom d'utilisateur : - - Bittorrent - - - - UI - Interface + Interface Action on double click @@ -1205,212 +1120,120 @@ Copyright © 2006 par Christophe DUMEZ<br> Action du double clic - Downloading: - Téléchargement : + Téléchargement : - Completed: - Terminé : + Terminé : - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - Répertoire de destination : + Répertoire de destination : - Append the torrent's label - Ajouter à la fin la catégorie du torrent + Ajouter à la fin la catégorie du torrent - Use a different folder for incomplete downloads: - Utiliser un répertoire différent pour les téléchargements incomplets : + Utiliser un répertoire différent pour les téléchargements incomplets : - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - Charger automatiquement les fichiers .torrent depuis : + Charger automatiquement les fichiers .torrent depuis : - Append .!qB extension to incomplete files - Ajouter l'extension .!qB aux fichiers incomplets + Ajouter l'extension .!qB aux fichiers incomplets - Disk cache: - Tampon disque : + Tampon disque : - MiB (advanced) - Mo (avancé) + Mo (avancé) - Connections limit - Limite de connections + Limite de connections - Global maximum number of connections: - Nombre global maximum de connexions : + Nombre global maximum de connexions : - Maximum number of connections per torrent: - Nombre maximum de connexions par torrent : + Nombre maximum de connexions par torrent : - Maximum number of upload slots per torrent: - Nombre maximum de slots d'envoi par torrent : + Nombre maximum de slots d'envoi par torrent : Additional Bittorrent features Fonctionnalités Bittorrent additionnelles - Enable DHT network (decentralized) - Activer le réseau DHT (décentralisé) + Activer le réseau DHT (décentralisé) Enable Peer eXchange (PeX) Activer l'échange de sources (PeX) - Enable Local Peer Discovery - Activer la recherche locale de sources + Activer la recherche locale de sources - Encryption: - Chiffrement : + Chiffrement : - Share ratio settings - Paramètres du ratio de partage + Paramètres du ratio de partage - Desired ratio: - Ratio désiré : + Ratio désiré : Remove torrents when their ratio reaches: Supprimer les torrent - Filter file path: - Chemin vers le fichier de filtrage : + Chemin vers le fichier de filtrage : transfer lists refresh interval: Intervalle de rafraîchissement des listes de transfert : - - ms - - - - - - RSS - - - - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - Intervalle de rafraîchissement des flux RSS : + Intervalle de rafraîchissement des flux RSS : - - minutes - - - - Maximum number of articles per feed: - Numbre maximum d'articles par flux : + Numbre maximum d'articles par flux : - File system - Système de fichiers + Système de fichiers - Remove finished torrents when their ratio reaches: - Supprimer les torrents terminés lorsque leur ratio atteint : + Supprimer les torrents terminés lorsque leur ratio atteint : - System default - Par défaut + Par défaut - Start minimized - Minimisation de la fenêtre au démarrage + Minimisation de la fenêtre au démarrage Action on double click in transfer lists @@ -1450,9 +1273,8 @@ QGroupBox { Se faire passer pour Azureus pour éviter le bannissement (redémarrage requis) - Web UI - Interface Web + Interface Web Action for double click @@ -1460,89 +1282,68 @@ QGroupBox { Action du double-clic - Port used for incoming connections: - Port pour les connexions entrantes : + Port pour les connexions entrantes : - Random - Aléatoire + Aléatoire - Use a different port for DHT and Bittorrent - Utiliser un port différent pour le DHT et Bittorrent + Utiliser un port différent pour le DHT et Bittorrent - Enable Peer Exchange / PeX (requires restart) - Activer l'échange de sources / PeX (redémarrage nécessaire) + Activer l'échange de sources / PeX (redémarrage nécessaire) - Enable Web User Interface - Activer l'interface Web + Activer l'interface Web - HTTP Server - Serveur HTTP + Serveur HTTP - Enable RSS support - Activer le module RSS + Activer le module RSS - RSS settings - Paramètres du RSS + Paramètres du RSS - Enable queueing system - Activer le système de file d'attente + Activer le système de file d'attente - Maximum active downloads: - Nombre maximum de téléchargements actifs : + Nombre maximum de téléchargements actifs : - Torrent queueing - Mise en attente de torrents + Mise en attente de torrents - Maximum active torrents: - Nombre maximum de torrents actifs : + Nombre maximum de torrents actifs : - - Display top toolbar - - - - Proxy - Serveur mandataire + Serveur mandataire - Search engine proxy settings - Paramètres du proxy (moteur de recherche) + Paramètres du proxy (moteur de recherche) - Bittorrent proxy settings - Paramètres du proxy (Bittorrent) + Paramètres du proxy (Bittorrent) - Maximum active uploads: - Nombre maximum d'uploads actifs : + Nombre maximum d'uploads actifs : @@ -1708,33 +1509,33 @@ QGroupBox { Maximale - - + + this session cette session - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Complet depuis %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/s @@ -3193,6 +2994,41 @@ Etes-vous certain de vouloir quitter qBittorrent ? Unable to save program preferences, qBittorrent is probably unreachable. Impossible de sauvegarder les préférences, qBittorrent est probablement injoignable. + + + Language + Langue + + + + Downloaded + Is the file downloaded or not? + Téléchargé + + + Downloaded + Téléchargé + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + Le port utilisé pour les connexions entrantes doit être compris entre 1025 et 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + Le port utilisé pour l'interface Web doit être compris entre 1025 et 65535. + + + + The Web UI username must be at least 3 characters long. + Le nom d'utilisateur pour l'interface Web doit contenir au moins 3 caractères. + + + + The Web UI password must be at least 3 characters long. + Le mot de passe pour l'interface Web doit contenir au moins 3 caractères. + MainWindow @@ -3629,6 +3465,602 @@ Etes-vous certain de vouloir quitter qBittorrent ? Limitation de la vitesse de réception + + Preferences + + + Preferences + Préférences + + + + UI + Interface + + + + Downloads + Téléchargements + + + + Connection + Connexion + + + + Bittorrent + Bittorrent + + + + Proxy + Serveur mandataire + + + + IP Filter + Filtrage IP + + + + Web UI + Interface Web + + + + + RSS + RSS + + + + User interface + Paramètres de l'interface + + + + Language: + Langue : + + + + (Requires restart) + Redémarrage nécessaire) + + + + Visual style: + Style visuel : + + + + System default + Par défaut + + + + Plastique style (KDE like) + Style Plastique (Type KDE) + + + + Cleanlooks style (Gnome like) + Style Cleanlooks (Type Gnome) + + + + Motif style (Unix like) + Style Motif (Type Unix) + + + + CDE style (Common Desktop Environment like) + Style CDE (Type Common Desktop Environment) + + + + Ask for confirmation on exit when download list is not empty + Confirmation à l'extinction si la liste de téléchargement n'est pas vide + + + + Display top toolbar + Afficher la barre d'outils supérieure + + + + Disable splash screen + Désactiver l'écran de démarrage + + + + Display current speed in title bar + Afficher la vitesse de transfert actuelle dans la barre de titre + + + + Transfer list + Liste de transferts + + + + Refresh interval: + Intervalle de rafraîchissement : + + + + ms + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + Alterner la couleur des lignes + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + Action du double clic : + + + + Downloading: + Téléchargement : + + + + + Start/Stop + Démarrer/Arrêter + + + + + Open folder + Ouvrir le dossier + + + + Completed: + Terminé : + + + + System tray icon + Icône dans la barre des tâches + + + + Disable system tray icon + Désactiver l'icône dans la barre des tâches + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + Iconifier lors de la fermeture + + + + Minimize to tray + Iconifier lors de la minimisation + + + + Start minimized + Minimisation de la fenêtre au démarrage + + + + Show notification balloons in tray + Afficher les messages de notification dans la barre des tâches + + + + File system + Système de fichiers + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + Répertoire de destination : + + + + Append the torrent's label + Ajouter à la fin la catégorie du torrent + + + + Use a different folder for incomplete downloads: + Utiliser un répertoire différent pour les téléchargements incomplets : + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + Charger automatiquement les fichiers .torrent depuis : + + + + Append .!qB extension to incomplete files + Ajouter l'extension .!qB aux fichiers incomplets + + + + Pre-allocate all files + Pré-allouer l'espace disque pour tous les fichiers + + + + Disk cache: + Tampon disque : + + + + MiB (advanced) + Mo (avancé) + + + + Torrent queueing + Mise en attente des torrents + + + + Enable queueing system + Activer le système de file d'attente + + + + Maximum active downloads: + Nombre maximum de téléchargements actifs : + + + + Maximum active uploads: + Nombre maximum d'envois actifs : + + + + Maximum active torrents: + Nombre maximum de torrents actifs : + + + + When adding a torrent + A l'ajout d'un torrent + + + + Display torrent content and some options + Afficher le contenu du torrent et quelques paramètres + + + + Do not start download automatically + The torrent will be added to download list in pause state + Ne pas commencer le téléchargement automatiquement + + + + Listening port + Port d'écoute + + + + Port used for incoming connections: + Port pour les connexions entrantes : + + + + Random + Aléatoire + + + + Enable UPnP port mapping + Activer l'UPnP + + + + Enable NAT-PMP port mapping + Activer le NAT-PMP + + + + Connections limit + Limite de connections + + + + Global maximum number of connections: + Nombre global maximum de connexions : + + + + Maximum number of connections per torrent: + Nombre maximum de connexions par torrent : + + + + Maximum number of upload slots per torrent: + Nombre maximum de slots d'envoi par torrent : + + + + Global bandwidth limiting + Limitation globale de bande passante + + + + Upload: + Envoi : + + + + Download: + Réception : + + + + + KiB/s + Ko/s + + + + Peer connections + Connexion aux peers + + + + Resolve peer countries + Afficher le pays des peers + + + + Resolve peer host names + Afficher le nom d'hôte des peers + + + + Bittorrent features + Fonctionnalités Bittorrent + + + + Enable DHT network (decentralized) + Activer le réseau DHT (décentralisé) + + + + Use a different port for DHT and Bittorrent + Utiliser un port différent pour le DHT et Bittorrent + + + + DHT port: + Port DHT : + + + + Enable Peer Exchange / PeX (requires restart) + Activer l'échange de sources / PeX (redémarrage nécessaire) + + + + Enable Local Peer Discovery + Activer la recherche locale de sources + + + + Spoof µtorrent to avoid ban (requires restart) + Se faire passer pour µtorrent pour éviter le blocage (redémarrage requis) + + + + Encryption: + Brouillage : + + + + Enabled + Activé + + + + Forced + Forcé + + + + Disabled + Désactivé + + + + Share ratio settings + Paramètres du ratio de partage + + + + Desired ratio: + Ratio désiré : + + + + Remove finished torrents when their ratio reaches: + Supprimer les torrents terminés lorsque leur ratio atteint : + + + + Search engine proxy settings + Paramètres du serveur mandataire (moteur de recherche) + + + + + Type: + Type : + + + + + (None) + (Aucun) + + + + + HTTP + + + + + + Proxy: + Serveur mandataire (proxy) : + + + + + + Port: + Port : + + + + + + Authentication + Authentification + + + + + + Username: + Nom d'utilisateur : + + + + + + Password: + Mot de passe : + + + + Bittorrent proxy settings + Paramètres du serveur mandataire (Bittorrent) + + + + SOCKS5 + + + + + Affected connections + Connexions concernées + + + + Use proxy for connections to trackers + Connexions aux trackers + + + + Use proxy for connections to regular peers + Connexions aux autres clients + + + + Use proxy for DHT messages + Connexions DHT (sans tracker) + + + + Use proxy for connections to web seeds + Connexions aux sources web + + + + Filter Settings + Paramètres de filtrage + + + + Activate IP Filtering + Activer le filtrage d'IP + + + + Filter path (.dat, .p2p, .p2b): + Chemin du filtre (.dat, .p2p, .p2b) : + + + Filter file path: + Chemin vers le fichier de filtrage : + + + + Enable Web User Interface + Activer l'interface Web + + + + HTTP Server + Serveur HTTP + + + + Enable RSS support + Activer le module RSS + + + + RSS settings + Paramètres RSS + + + + RSS feeds refresh interval: + Intervalle de rafraîchissement des flux RSS : + + + + minutes + + + + + Maximum number of articles per feed: + Numbre maximum d'articles par flux : + + PropListDelegate @@ -5055,13 +5487,13 @@ Changements: New... New label... - + Nouvelle catégorie... Reset Reset label - + Réinitialiser catégorie New... diff --git a/src/lang/qbittorrent_hu.qm b/src/lang/qbittorrent_hu.qm index dfcbab12c..76290e803 100644 Binary files a/src/lang/qbittorrent_hu.qm and b/src/lang/qbittorrent_hu.qm differ diff --git a/src/lang/qbittorrent_hu.ts b/src/lang/qbittorrent_hu.ts index 40e9de96c..30db72c8d 100644 --- a/src/lang/qbittorrent_hu.ts +++ b/src/lang/qbittorrent_hu.ts @@ -426,9 +426,8 @@ Copyright © 2006 by Christophe Dumez<br> kapcsolat - Proxy - Proxy + Proxy Proxy Settings @@ -439,33 +438,24 @@ Copyright © 2006 by Christophe Dumez<br> 0.0.0.0 - - - Port: - Port: + Port: Proxy server requires authentication A proxy kiszolgáló megköveteli a hitelesítést - - - Authentication - Felhasználó + Felhasználó User Name: Név: - - - Password: - Jelszó: + Jelszó: Enable connection through a proxy server @@ -484,14 +474,12 @@ Copyright © 2006 by Christophe Dumez<br> Megosztási arány: - Activate IP Filtering - IP-szűrő használata + IP-szűrő használata - Filter Settings - Szűrő beállításai + Szűrő beállításai Start IP @@ -510,9 +498,8 @@ Copyright © 2006 by Christophe Dumez<br> Megjegyzés - IP Filter - IP szűrő + IP szűrő Add Range @@ -539,19 +526,16 @@ Copyright © 2006 by Christophe Dumez<br> Honosítás - Language: - Nyelv: + Nyelv: Behaviour Ablakok - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -586,9 +570,8 @@ Copyright © 2006 by Christophe Dumez<br> DHT beállítása - DHT port: - DHT port: + DHT port: Language @@ -623,9 +606,8 @@ Copyright © 2006 by Christophe Dumez<br> Panelre helyezés a főablak bezárásakor - Connection - Kapcsolatok + Kapcsolatok Peer eXchange (PeX) @@ -656,9 +638,8 @@ Copyright © 2006 by Christophe Dumez<br> Kinézet - Plastique style (KDE like) - KDE-szerű + KDE-szerű Cleanlooks style (GNOME like) @@ -669,9 +650,8 @@ Copyright © 2006 by Christophe Dumez<br> Qt-szerű - CDE style (Common Desktop Environment like) - Átlagos munkaasztal + Átlagos munkaasztal MacOS style (MacOSX only) @@ -698,40 +678,32 @@ Copyright © 2006 by Christophe Dumez<br> Proxy típusa: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Proxy kapcsolatok + Proxy kapcsolatok - Use proxy for connections to trackers - Csatlakozás a trackerhez proxyn keresztül + Csatlakozás a trackerhez proxyn keresztül - Use proxy for connections to regular peers - Csatlakozás ügyfelekhez proxyn keresztül + Csatlakozás ügyfelekhez proxyn keresztül - Use proxy for connections to web seeds - Proxy használata web seedhez + Proxy használata web seedhez - Use proxy for DHT messages - Proxy a DHT üzenetekhez + Proxy a DHT üzenetekhez Encryption @@ -742,24 +714,20 @@ Copyright © 2006 by Christophe Dumez<br> Titkosítás állapota: - Enabled - Engedélyez + Engedélyez - Forced - Kényszerít + Kényszerít - Disabled - Tilt + Tilt - Preferences - Beállítások + Beállítások General @@ -774,98 +742,82 @@ Copyright © 2006 by Christophe Dumez<br> Felület beállításai - Visual style: - Kinézet: + Kinézet: - Cleanlooks style (Gnome like) - Letisztult felület (Gnome-szerű) + Letisztult felület (Gnome-szerű) - Motif style (Unix like) - Unix-szerű mintázat + Unix-szerű mintázat - Ask for confirmation on exit when download list is not empty - Megerősítés kérése a kilépésről aktív letöltéseknél + Megerősítés kérése a kilépésről aktív letöltéseknél - Disable splash screen - Induló kép kikapcsolása + Induló kép kikapcsolása - Display current speed in title bar - Sebesség megjelenítése a címsoron + Sebesség megjelenítése a címsoron Transfer list refresh interval: Átviteli lista frissítése: - System tray icon - Panel ikon + Panel ikon - Disable system tray icon - Panel ikon letiltása + Panel ikon letiltása - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Panelre helyezés bezáráskor + Panelre helyezés bezáráskor - Minimize to tray - Panelre helyezés háttérben + Panelre helyezés háttérben - Show notification balloons in tray - Panel üzenetek megjelenítése + Panel üzenetek megjelenítése Media player: Media player: - Downloads - Letöltések + Letöltések Put downloads in this folder: Letöltések mappája: - Pre-allocate all files - Fájlok helyének lefoglalása + Fájlok helyének lefoglalása - When adding a torrent - Torrent hozzáadása + Torrent hozzáadása - Display torrent content and some options - Torrent részleteinek megjelenítése + Torrent részleteinek megjelenítése - Do not start download automatically The torrent will be added to download list in pause state - Letöltés nélkül add a listához + Letöltés nélkül add a listához Folder watching @@ -882,16 +834,12 @@ Copyright © 2006 by Christophe Dumez<br> Letöltési listán: - - Start/Stop - Indítás/szünet + Indítás/szünet - - Open folder - Könyvtár megnyitás + Könyvtár megnyitás Show properties @@ -914,9 +862,8 @@ Copyright © 2006 by Christophe Dumez<br> Torrent automatikus letöltése ebből a könyvtárból: - Listening port - Port beállítása + Port beállítása to @@ -924,93 +871,72 @@ Copyright © 2006 by Christophe Dumez<br> - - Enable UPnP port mapping - UPnP port átirányítás engedélyezése + UPnP port átirányítás engedélyezése - Enable NAT-PMP port mapping - NAT-PMP port átirányítás engedélyezése + NAT-PMP port átirányítás engedélyezése - Global bandwidth limiting - Sávszélesség korlátozása + Sávszélesség korlátozása - Upload: - Feltöltés: + Feltöltés: - Download: - Letöltés: + Letöltés: - Peer connections - Kapcsolatok + Kapcsolatok - Resolve peer countries - Országok megjelenítése + Országok megjelenítése - Resolve peer host names - Host név megjelenítése + Host név megjelenítése - Bittorrent features - Bittorrent funkciók + Bittorrent funkciók Use the same port for DHT and Bittorrent Egyazon port használata Bittorrenthez és DHT-hoz - Spoof µtorrent to avoid ban (requires restart) - Álcázás µtorrent (újraindítást igényel) + Álcázás µtorrent (újraindítást igényel) - - Type: - Típus: + Típus: - - (None) - (Nincs) + (Nincs) - - Proxy: - Proxy: + Proxy: - - - Username: - Felhasználónév: + Felhasználónév: - Bittorrent - Bittorrent + Bittorrent - UI - Felület + Felület Action on double click @@ -1018,208 +944,100 @@ Copyright © 2006 by Christophe Dumez<br> Dupla katt esetén - Downloading: - Letöltés: + Letöltés: - Completed: - Letöltött: + Letöltött: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Kapcsolatok korlátozása + Kapcsolatok korlátozása - Global maximum number of connections: - Kapcsolatok maximális száma: + Kapcsolatok maximális száma: - Maximum number of connections per torrent: - Kapcsolatok maximális száma torrentenként: + Kapcsolatok maximális száma torrentenként: - Maximum number of upload slots per torrent: - Feltöltési szálak száma torrentenként: + Feltöltési szálak száma torrentenként: Additional Bittorrent features További Bittorrent jellemzők - Enable DHT network (decentralized) - DHT hálózati működés engedélyezése + DHT hálózati működés engedélyezése Enable Peer eXchange (PeX) Ügyfél csere engedélyezése (PeX) - Enable Local Peer Discovery - Enable Local Peer Discovery + Enable Local Peer Discovery - Encryption: - Titkosítás: + Titkosítás: - Share ratio settings - Megosztási arányok + Megosztási arányok - Desired ratio: - Elérendő arány: + Elérendő arány: - Filter file path: - Ip szűrő fájl helye: + Ip szűrő fájl helye: transfer lists refresh interval: Átviteli lista frissítési időköze: - ms - ms + ms - - RSS - RSS + RSS - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - RSS csatornák firssítésének időköze: + RSS csatornák firssítésének időköze: - minutes - perc + perc - Maximum number of articles per feed: - Hírek maximális száma csatornánként: + Hírek maximális száma csatornánként: - File system - Fájlrendszer + Fájlrendszer - Remove finished torrents when their ratio reaches: - Torrent eltávolítása, ha elérte ezt az arányt: + Torrent eltávolítása, ha elérte ezt az arányt: - System default - Rendszer alapértelmezett + Rendszer alapértelmezett - Start minimized - Kicsinyítve indítás + Kicsinyítve indítás Action on double click in transfer lists @@ -1259,9 +1077,8 @@ QGroupBox { Álcázás Azureusnak (újraindítást igényel) - Web UI - Webes felület + Webes felület Action for double click @@ -1269,84 +1086,64 @@ QGroupBox { Dupla katt esetén - Port used for incoming connections: - Port a bejövő kapcsoaltokhoz: + Port a bejövő kapcsoaltokhoz: - Random - Random + Random - Use a different port for DHT and Bittorrent - Használj külön porot DHT és torrenthez + Használj külön porot DHT és torrenthez - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - Webes felület engedélyezése + Webes felület engedélyezése - HTTP Server - HTTP Szerver + HTTP Szerver - Enable RSS support - RSS engedélyezése + RSS engedélyezése - RSS settings - RSS beállítások + RSS beállítások - Enable queueing system - Korlátozások engedélyezése + Korlátozások engedélyezése - Maximum active downloads: - Aktív letöltések maximási száma: + Aktív letöltések maximási száma: - Torrent queueing - Torrent korlátozások + Torrent korlátozások - Maximum active torrents: - Torrentek maximális száma: + Torrentek maximális száma: - Display top toolbar - Eszközsor megjelenítése + Eszközsor megjelenítése - Search engine proxy settings - Keresőmotor proxy beállításai + Keresőmotor proxy beállításai - Bittorrent proxy settings - Bittorrent proxy beállítások + Bittorrent proxy beállítások - Maximum active uploads: - Maximális aktív feltöltés: + Maximális aktív feltöltés: @@ -1512,33 +1309,33 @@ QGroupBox { Maximális - - + + this session ezen folyamat - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Feltöltés ennek: %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/s @@ -2544,6 +2341,37 @@ Bizotos, hogy bezárod a qBittorrentet? Unable to save program preferences, qBittorrent is probably unreachable. Nem sikerült menteni a beállításokat. A qBittorrent valószínüleg nem elérhető. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -2876,6 +2704,598 @@ Bizotos, hogy bezárod a qBittorrentet? Letöltési arány korlátozása + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_it.qm b/src/lang/qbittorrent_it.qm index c50479a77..bae714032 100644 Binary files a/src/lang/qbittorrent_it.qm and b/src/lang/qbittorrent_it.qm differ diff --git a/src/lang/qbittorrent_it.ts b/src/lang/qbittorrent_it.ts index 20a662712..80583ed7d 100644 --- a/src/lang/qbittorrent_it.ts +++ b/src/lang/qbittorrent_it.ts @@ -426,9 +426,8 @@ Copyright © 2006 by Christophe Dumez<br> connessioni - Proxy - Proxy + Proxy Proxy Settings @@ -443,33 +442,24 @@ Copyright © 2006 by Christophe Dumez<br> 0.0.0.0 - - - Port: - Porta: + Porta: Proxy server requires authentication Il server proxy richiede l'autenticazione - - - Authentication - Autenticazione + Autenticazione User Name: Nome utente: - - - Password: - Password: + Password: Enable connection through a proxy server @@ -500,14 +490,12 @@ Copyright © 2006 by Christophe Dumez<br> Rapporto di condivisione: - Activate IP Filtering - Attiva Filtraggio IP + Attiva Filtraggio IP - Filter Settings - Impostazioni del filtro + Impostazioni del filtro Start IP @@ -530,9 +518,8 @@ Copyright © 2006 by Christophe Dumez<br> Applica - IP Filter - Filtro IP + Filtro IP Add Range @@ -555,9 +542,8 @@ Copyright © 2006 by Christophe Dumez<br> Localizzazione - Language: - Lingua: + Lingua: Behaviour @@ -588,10 +574,8 @@ Copyright © 2006 by Christophe Dumez<br> Non mostrare mai l'OSD - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -642,9 +626,8 @@ Copyright © 2006 by Christophe Dumez<br> Configurazione DHT - DHT port: - Porta DHT: + Porta DHT: Language @@ -679,9 +662,8 @@ Copyright © 2006 by Christophe Dumez<br> Riduci alla systray quando si chiude la finestra - Connection - Connessione + Connessione Peer eXchange (PeX) @@ -712,9 +694,8 @@ Copyright © 2006 by Christophe Dumez<br> Stile (Look 'n Feel) - Plastique style (KDE like) - Stile Plastique (KDE) + Stile Plastique (KDE) Cleanlooks style (GNOME like) @@ -725,9 +706,8 @@ Copyright © 2006 by Christophe Dumez<br> Stile Motif (stile Qt di default su sistemi Unix) - CDE style (Common Desktop Environment like) - Stile CDE (Common Desktop Environment) + Stile CDE (Common Desktop Environment) MacOS style (MacOSX only) @@ -754,40 +734,32 @@ Copyright © 2006 by Christophe Dumez<br> Tipo di proxy: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Connessioni interessate + Connessioni interessate - Use proxy for connections to trackers - Usa un proxy per le connessioni ai tracker + Usa un proxy per le connessioni ai tracker - Use proxy for connections to regular peers - Usa un proxy per le connessioni ai peer regolari + Usa un proxy per le connessioni ai peer regolari - Use proxy for connections to web seeds - Usa un proxy per connessioni ai seed web + Usa un proxy per connessioni ai seed web - Use proxy for DHT messages - Usa un proxy per i messaggi DHT + Usa un proxy per i messaggi DHT Encryption @@ -798,24 +770,20 @@ Copyright © 2006 by Christophe Dumez<br> Stato cifratura: - Enabled - Attivata + Attivata - Forced - Forzata + Forzata - Disabled - Disattivata + Disattivata - Preferences - Preferenze + Preferenze General @@ -830,98 +798,82 @@ Copyright © 2006 by Christophe Dumez<br> Impostazioni interfaccia utente - Visual style: - Stile grafico: + Stile grafico: - Cleanlooks style (Gnome like) - Stile Cleanlooks (Gnome) + Stile Cleanlooks (Gnome) - Motif style (Unix like) - Stile Motif (Unix) + Stile Motif (Unix) - Ask for confirmation on exit when download list is not empty - Chiedi conferma in uscita quando la lista dei download non è vuota + Chiedi conferma in uscita quando la lista dei download non è vuota - Disable splash screen - Disabilita spalsh screen + Disabilita spalsh screen - Display current speed in title bar - Mostra la velocità attuale nella barra del titolo + Mostra la velocità attuale nella barra del titolo Transfer list refresh interval: Intervallo aggiornamento liste di trasferimento: - System tray icon - Icona nel vassoio di sistema + Icona nel vassoio di sistema - Disable system tray icon - Disabilita icona nel vassoio di sistema + Disabilita icona nel vassoio di sistema - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Chiudi nel vassoio di sistema + Chiudi nel vassoio di sistema - Minimize to tray - Minimizza nel vassoio di sistema + Minimizza nel vassoio di sistema - Show notification balloons in tray - Mostra nuvolette di notifica nel vassoio di sistema + Mostra nuvolette di notifica nel vassoio di sistema Media player: Player multimediale: - Downloads - Download + Download Put downloads in this folder: Cartella dei download: - Pre-allocate all files - Pre-alloca tutti i file + Pre-alloca tutti i file - When adding a torrent - All'aggiunta di un torrent + All'aggiunta di un torrent - Display torrent content and some options - Mostra il contenuto del torrent ed alcune opzioni + Mostra il contenuto del torrent ed alcune opzioni - Do not start download automatically The torrent will be added to download list in pause state - Non iniziare il download automaticamente + Non iniziare il download automaticamente Folder watching @@ -938,16 +890,12 @@ Copyright © 2006 by Christophe Dumez<br> Lista download: - - Start/Stop - Avvia/Ferma + Avvia/Ferma - - Open folder - Apri cartella + Apri cartella Show properties @@ -970,9 +918,8 @@ Copyright © 2006 by Christophe Dumez<br> Download automatico dei torrent presenti in questa cartella: - Listening port - Porte di ascolto + Porte di ascolto to @@ -980,93 +927,72 @@ Copyright © 2006 by Christophe Dumez<br> a - Enable UPnP port mapping - Abilita mappatura porte UPnP + Abilita mappatura porte UPnP - Enable NAT-PMP port mapping - Abilita mappatura porte NAT-PMP + Abilita mappatura porte NAT-PMP - Global bandwidth limiting - Limiti globali di banda + Limiti globali di banda - Upload: - Upload: + Upload: - Download: - Download: + Download: - Peer connections - Connessioni ai peer + Connessioni ai peer - Resolve peer countries - Risolvi il paese dei peer + Risolvi il paese dei peer - Resolve peer host names - Risolvi gli host name dei peer + Risolvi gli host name dei peer - Bittorrent features - Caratteristiche di Bittorrent + Caratteristiche di Bittorrent Use the same port for DHT and Bittorrent Usa la stessa porta per DHT e Bittorrent - Spoof µtorrent to avoid ban (requires restart) - Spoofing di µtorrent per evitare il ban (richiede riavvio) + Spoofing di µtorrent per evitare il ban (richiede riavvio) - - Type: - Tipo: + Tipo: - - (None) - (Nessuno) + (Nessuno) - - Proxy: - Proxy: + Proxy: - - - Username: - Nome utente: + Nome utente: - Bittorrent - Bittorrent + Bittorrent - UI - UI + UI Action on double click @@ -1074,208 +1000,100 @@ Copyright © 2006 by Christophe Dumez<br> Azione per il doppio clic - Downloading: - In download: + In download: - Completed: - Completati: + Completati: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - Limiti alle connessioni + Limiti alle connessioni - Global maximum number of connections: - Numero massimo globale di connessioni: + Numero massimo globale di connessioni: - Maximum number of connections per torrent: - Numero massimo di connessioni per torrent: + Numero massimo di connessioni per torrent: - Maximum number of upload slots per torrent: - Numero massimo di slot in upload per torrent: + Numero massimo di slot in upload per torrent: Additional Bittorrent features Funzioni aggiuntive Bittorrent - Enable DHT network (decentralized) - Abilita rete DHT (decentralizzata) + Abilita rete DHT (decentralizzata) Enable Peer eXchange (PeX) Abilita scambio peer (PeX) - Enable Local Peer Discovery - Abilita scoperta peer locali + Abilita scoperta peer locali - Encryption: - Cifratura: + Cifratura: - Share ratio settings - Impostazioni rapporto di condivisione + Impostazioni rapporto di condivisione - Desired ratio: - Rapporto desiderato: + Rapporto desiderato: - Filter file path: - Percorso file filtro: + Percorso file filtro: transfer lists refresh interval: intervallo aggiornamento liste di trasferimento: - ms - ms + ms - - RSS - RSS + RSS - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - Intervallo aggiornamento feed RSS: + Intervallo aggiornamento feed RSS: - minutes - minuti + minuti - Maximum number of articles per feed: - Numero massimo di articoli per feed: + Numero massimo di articoli per feed: - File system - File system + File system - Remove finished torrents when their ratio reaches: - Rimuovi i torrent completati quando il rapporto raggiunge: + Rimuovi i torrent completati quando il rapporto raggiunge: - System default - Predefinito di sistema + Predefinito di sistema - Start minimized - Avvia minimizzato + Avvia minimizzato Action on double click in transfer lists @@ -1315,9 +1133,8 @@ QGroupBox { Spoofing di Azureus per evitare il ban (richiede riavvio) - Web UI - Interfaccia Web + Interfaccia Web Action for double click @@ -1325,84 +1142,64 @@ QGroupBox { Azione per il doppio clic - Port used for incoming connections: - Porta usata per connessioni in entrata: + Porta usata per connessioni in entrata: - Random - Casuale + Casuale - Use a different port for DHT and Bittorrent - Usa una porta diversa per DHT e Bittorrent + Usa una porta diversa per DHT e Bittorrent - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - Abilita interfaccia Web + Abilita interfaccia Web - HTTP Server - Server HTTP + Server HTTP - Enable RSS support - Attiva supporto RSS + Attiva supporto RSS - RSS settings - Impostazioni RSS + Impostazioni RSS - Enable queueing system - Attiva sistema code + Attiva sistema code - Maximum active downloads: - Numero massimo di download attivi: + Numero massimo di download attivi: - Torrent queueing - Accodamento torrent + Accodamento torrent - Maximum active torrents: - Numero massimo di torrent attivi: + Numero massimo di torrent attivi: - Display top toolbar - Mostra la barra degli strumenti + Mostra la barra degli strumenti - Search engine proxy settings - Impostazioni proxy motore di ricerca + Impostazioni proxy motore di ricerca - Bittorrent proxy settings - Impostazioni proxy bittorrent + Impostazioni proxy bittorrent - Maximum active uploads: - Numero massimo di upload attivi: + Numero massimo di upload attivi: @@ -1568,33 +1365,33 @@ QGroupBox { Massima - - + + this session questa sessione - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Condiviso per %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/s @@ -2871,6 +2668,37 @@ Sei sicuro di voler chiudere qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3255,6 +3083,598 @@ Sei sicuro di voler chiudere qBittorrent? Rapporto di download in limitazione + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_ja.qm b/src/lang/qbittorrent_ja.qm index 6cbf5ce2b..d6139c2cb 100644 Binary files a/src/lang/qbittorrent_ja.qm and b/src/lang/qbittorrent_ja.qm differ diff --git a/src/lang/qbittorrent_ja.ts b/src/lang/qbittorrent_ja.ts index 76ec1b2e4..d6264d6ce 100644 --- a/src/lang/qbittorrent_ja.ts +++ b/src/lang/qbittorrent_ja.ts @@ -421,9 +421,8 @@ Copyright © 2006 by Christophe Dumez<br> 個の接続 - Proxy - プロキシ + プロキシ Proxy Settings @@ -438,33 +437,24 @@ Copyright © 2006 by Christophe Dumez<br> 0.0.0.0 - - - Port: - ポート: + ポート: Proxy server requires authentication プロキシ サーバーは認証を必要とします - - - Authentication - 認証 + 認証 User Name: ユーザー名: - - - Password: - パスワード: + パスワード: Enable connection through a proxy server @@ -491,14 +481,12 @@ Copyright © 2006 by Christophe Dumez<br> 共有率: - Activate IP Filtering - IP フィルタをアクティブにする + IP フィルタをアクティブにする - Filter Settings - フィルタの設定 + フィルタの設定 Start IP @@ -521,9 +509,8 @@ Copyright © 2006 by Christophe Dumez<br> 適用 - IP Filter - IP フィルタ + IP フィルタ Add Range @@ -550,19 +537,16 @@ Copyright © 2006 by Christophe Dumez<br> 地方化 - Language: - 言語: + 言語: Behaviour 動作 - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -597,9 +581,8 @@ Copyright © 2006 by Christophe Dumez<br> DHT 構成 - DHT port: - DHT ポート: + DHT ポート: Language @@ -634,9 +617,8 @@ Copyright © 2006 by Christophe Dumez<br> メイン ウィンドウが閉じられるときにシステムトレイへ移動する - Connection - 接続 + 接続 Peer eXchange (PeX) @@ -683,9 +665,8 @@ Copyright © 2006 by Christophe Dumez<br> スタイル (外観) - Plastique style (KDE like) - プラスチック スタイル (KDE 風) + プラスチック スタイル (KDE 風) Cleanlooks style (GNOME like) @@ -696,9 +677,8 @@ Copyright © 2006 by Christophe Dumez<br> Motif スタイル (既定の Unix システムでの Qt スタイル) - CDE style (Common Desktop Environment like) - CDE スタイル (Common Desktop Environment 風) + CDE スタイル (Common Desktop Environment 風) MacOS style (MacOSX only) @@ -725,40 +705,32 @@ Copyright © 2006 by Christophe Dumez<br> プロキシの種類: - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - 影響された接続 + 影響された接続 - Use proxy for connections to trackers - トラッカへの接続にプロキシを使用する + トラッカへの接続にプロキシを使用する - Use proxy for connections to regular peers - 通常のピアへの接続にプロキシを使用する + 通常のピアへの接続にプロキシを使用する - Use proxy for connections to web seeds - Web シードへの接続にプロキシを使用する + Web シードへの接続にプロキシを使用する - Use proxy for DHT messages - DHT メッセージへの接続にプロキシを使用する + DHT メッセージへの接続にプロキシを使用する Encryption @@ -769,24 +741,20 @@ Copyright © 2006 by Christophe Dumez<br> 暗号化の状況: - Enabled - 有効 + 有効 - Forced - 強制済み + 強制済み - Disabled - 無効 + 無効 - Preferences - 環境設定 + 環境設定 General @@ -797,125 +765,87 @@ Copyright © 2006 by Christophe Dumez<br> ユーザー インターフェイスの設定 - Visual style: - 視覚スタイル: + 視覚スタイル: - Cleanlooks style (Gnome like) - クリーンルック スタイル (Gnome 風) + クリーンルック スタイル (Gnome 風) - Motif style (Unix like) - モチーフ スタイル (Unix 風) + モチーフ スタイル (Unix 風) - Ask for confirmation on exit when download list is not empty - ダウンロードの一覧が空ではないときの終了時の確認を質問する + ダウンロードの一覧が空ではないときの終了時の確認を質問する - Display current speed in title bar - タイトル バーに現在の速度を表示する + タイトル バーに現在の速度を表示する - System tray icon - システム トレイ アイコン + システム トレイ アイコン - Disable system tray icon - システム トレイ アイコンを無効にする + システム トレイ アイコンを無効にする - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - トレイへ閉じる + トレイへ閉じる - Minimize to tray - トレイへ最小化する + トレイへ最小化する - Show notification balloons in tray - トレイに通知バルーンを表示する + トレイに通知バルーンを表示する Media player: メディア プレーヤー: - Downloads - ダウンロード + ダウンロード Put downloads in this folder: このフォルダにダウンロードを置く: - Pre-allocate all files - すべてのファイルを前割り当てする + すべてのファイルを前割り当てする - When adding a torrent - Torrent の追加時 + Torrent の追加時 - Display torrent content and some options - Torrent の内容といくつかのオプションを表示する + Torrent の内容といくつかのオプションを表示する - Do not start download automatically The torrent will be added to download list in pause state - 自動的にダウンロードを開始しない + 自動的にダウンロードを開始しない Folder watching qBittorrent will watch a directory and automatically download torrents present in it フォルダの監視 - - - UI - - - - - Disable splash screen - - - - - - Start/Stop - - - - - - Open folder - - Automatically download torrents present in this folder: このフォルダに torrent プリセットを自動的にダウンロードする: - Listening port - 傾聴するポート + 傾聴するポート to @@ -923,224 +853,132 @@ Copyright © 2006 by Christophe Dumez<br> から - Enable UPnP port mapping - UPnP ポート マップを有効にする + UPnP ポート マップを有効にする - Enable NAT-PMP port mapping - NAT-PMP ポート マップを有効にする + NAT-PMP ポート マップを有効にする - Global bandwidth limiting - グローバル大域幅制限 + グローバル大域幅制限 - Upload: - アップロード: + アップロード: - Download: - ダウンロード: + ダウンロード: - - Peer connections - - - - - Resolve peer countries - - - - - Resolve peer host names - - - - - Bittorrent features - - - - - Spoof µtorrent to avoid ban (requires restart) - - - - - Type: - 種類: + 種類: - - (None) - (なし) + (なし) - - Proxy: - プロキシ: + プロキシ: - - - Username: - ユーザー名: + ユーザー名: - Bittorrent - Bittorrent + Bittorrent - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - Connections limit - 接続制限 + 接続制限 - Global maximum number of connections: - グローバル最大接続数: + グローバル最大接続数: - Maximum number of connections per torrent: - Torrent あたりの最大接続数: + Torrent あたりの最大接続数: - Maximum number of upload slots per torrent: - Torrent あたりの最大アップロード スロット数: + Torrent あたりの最大アップロード スロット数: Additional Bittorrent features Bittorrent の追加機能 - Enable DHT network (decentralized) - DHT ネットワーク (分散) を有効にする + DHT ネットワーク (分散) を有効にする Enable Peer eXchange (PeX) Peer eXchange (PeX) を有効にする - Enable Local Peer Discovery - ローカル ピア ディスカバリを有効にする + ローカル ピア ディスカバリを有効にする - Encryption: - 暗号化: + 暗号化: - Share ratio settings - 共有率の設定 + 共有率の設定 - Desired ratio: - 希望率: + 希望率: - Filter file path: - フィルタのファイル パス: + フィルタのファイル パス: transfer lists refresh interval: 転送の一覧の更新の間隔: - ms - ms + ms - - RSS - RSS + RSS - RSS feeds refresh interval: - RSS フィードの更新の間隔: + RSS フィードの更新の間隔: - minutes - + - Maximum number of articles per feed: - フィードあたりの最大記事数: + フィードあたりの最大記事数: - File system - ファイル システム + ファイル システム - Remove finished torrents when their ratio reaches: - 率の達成時に完了済み torrent を削除する: + 率の達成時に完了済み torrent を削除する: - System default - システム既定 + システム既定 - Start minimized - 最小化して起動する + 最小化して起動する Action on double click in transfer lists @@ -1167,155 +1005,6 @@ Copyright © 2006 by Christophe Dumez<br> In seeding list: シードの一覧: - - - Web UI - - - - - Downloading: - - - - - Completed: - - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - - Port used for incoming connections: - - - - - Random - - - - - Use a different port for DHT and Bittorrent - - - - - Enable Peer Exchange / PeX (requires restart) - - - - - Enable Web User Interface - - - - - HTTP Server - - - - - Enable RSS support - - - - - RSS settings - - - - - Enable queueing system - - - - - Maximum active downloads: - - - - - Torrent queueing - - - - - Maximum active torrents: - - - - - Display top toolbar - - - - - Search engine proxy settings - - - - - Bittorrent proxy settings - - - - - Maximum active uploads: - - DownloadingTorrents @@ -1467,33 +1156,33 @@ QGroupBox { 最大 - - + + this session - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -2456,6 +2145,37 @@ qBittorrent を終了してもよろしいですか? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -2788,6 +2508,598 @@ qBittorrent を終了してもよろしいですか? + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_ko.qm b/src/lang/qbittorrent_ko.qm index 8bb87af69..2185e5dc2 100644 Binary files a/src/lang/qbittorrent_ko.qm and b/src/lang/qbittorrent_ko.qm differ diff --git a/src/lang/qbittorrent_ko.ts b/src/lang/qbittorrent_ko.ts index b65be23ad..8e99218c4 100644 --- a/src/lang/qbittorrent_ko.ts +++ b/src/lang/qbittorrent_ko.ts @@ -459,9 +459,8 @@ inside) 것입니다.) - Proxy - 프럭시 (Proxy) + 프럭시 (Proxy) Enable connection through a proxy server @@ -480,33 +479,24 @@ inside) 0.0.0.0 - - - Port: - 포트: + 포트: Proxy server requires authentication 프록시 서버를 사용하기 위해서는 인증확인이 필요합니다 - - - Authentication - 인증 + 인증 User Name: 아이디: - - - Password: - 비밀번호: + 비밀번호: Language @@ -551,14 +541,12 @@ list: KB 최고 업로딩 속도. - Activate IP Filtering - IP 필터링 사용 + IP 필터링 사용 - Filter Settings - 필터 설정 + 필터 설정 ipfilter.dat URL or PATH: @@ -585,9 +573,8 @@ list: 적용 - IP Filter - IP 필터 + IP 필터 Add Range @@ -622,9 +609,8 @@ list: 변환 - Language: - 언어: + 언어: Behaviour @@ -674,20 +660,13 @@ list: Audio/Video player: 음악 및 영상 재생기: - - - - KiB/s - - DHT configuration DHT 설정 - DHT port: - DHT 포트: + DHT 포트: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -734,9 +713,8 @@ list: 메인 창을 닫을 때 시스템 트레이에 아이템 보여주기 - Connection - 연결 + 연결 Peer eXchange (PeX) @@ -767,9 +745,8 @@ list: 스타일 (Look 'n Feel) - Plastique style (KDE like) - Plastique 스타일 (KDE 과 비슷) + Plastique 스타일 (KDE 과 비슷) Cleanlooks style (GNOME like) @@ -780,9 +757,8 @@ list: Motif 스타일 (기본 Qt 스타일 on 유닉스 시스템) - CDE style (Common Desktop Environment like) - CDE 스타일 (Common Desktop Environment과 비슷) + CDE 스타일 (Common Desktop Environment과 비슷) MacOS style (MacOSX only) @@ -809,40 +785,24 @@ list: 프락시 종류 (Proxy type): - - - HTTP - - - - - SOCKS5 - - - - Affected connections - 관련된 연결 + 관련된 연결 - Use proxy for connections to trackers - 트렉커(tracker)에 연결하는데 프락시 사용 + 트렉커(tracker)에 연결하는데 프락시 사용 - Use proxy for connections to regular peers - 일반 사용자(peer)와 연결하는데 프락시 사용 + 일반 사용자(peer)와 연결하는데 프락시 사용 - Use proxy for connections to web seeds - 웹 완전체(Web seed)와 연결하는데 프락시 사용 + 웹 완전체(Web seed)와 연결하는데 프락시 사용 - Use proxy for DHT messages - DHT 메세지에 프락시 사용 + DHT 메세지에 프락시 사용 Encryption @@ -853,24 +813,20 @@ list: 암호화(Encryption) 상태: - Enabled - 사용하기 + 사용하기 - Forced - 강제 + 강제 - Disabled - 사용하지 않기 + 사용하지 않기 - Preferences - 선호사항 설정 + 선호사항 설정 General @@ -885,98 +841,82 @@ list: 사용자 인터페이스 정의 - Visual style: - 시각 스타일: + 시각 스타일: - Cleanlooks style (Gnome like) - 깨끗한 스타일 (Gnome과 비슷) + 깨끗한 스타일 (Gnome과 비슷) - Motif style (Unix like) - 모티브 스타일 (Unix와 비슷) + 모티브 스타일 (Unix와 비슷) - Ask for confirmation on exit when download list is not empty - 종료시 다운로드 목록에 파일이 남아있다면 종료 확인하기 + 종료시 다운로드 목록에 파일이 남아있다면 종료 확인하기 - Disable splash screen - 시작 팝업 화면 숨기기 + 시작 팝업 화면 숨기기 - Display current speed in title bar - 현재 속도를 타이틀 바에 표시하기 + 현재 속도를 타이틀 바에 표시하기 Transfer list refresh interval: 전송 목록 새로고침 빈도: - System tray icon - 시스템 트레이 이이콘 + 시스템 트레이 이이콘 - Disable system tray icon - 시스템 트레이 아이템 사용하지 않기 + 시스템 트레이 아이템 사용하지 않기 - Close to tray i.e: The systray tray icon will still be visible when closing the main window. - 창을 닫은 후 시스템 트레이 이이콘으로 + 창을 닫은 후 시스템 트레이 이이콘으로 - Minimize to tray - 최소화후 시스템 트레이 이이콘으로 + 최소화후 시스템 트레이 이이콘으로 - Show notification balloons in tray - 트레이에서 알림창 띄우기 + 트레이에서 알림창 띄우기 Media player: 미디어 플레이어: - Downloads - 다운로드 + 다운로드 Put downloads in this folder: 다운로드 된것을 다음 폴더에 보관함: - Pre-allocate all files - 파일을 받기전에 디스크 용량 확보하기 + 파일을 받기전에 디스크 용량 확보하기 - When adding a torrent - 토렌트를 추가할때 + 토렌트를 추가할때 - Display torrent content and some options - 토렌트 내용과 선택사항을 보이기 + 토렌트 내용과 선택사항을 보이기 - Do not start download automatically The torrent will be added to download list in pause state - 자동 다운로드 시작 사용하기 않기 + 자동 다운로드 시작 사용하기 않기 Folder watching @@ -993,16 +933,12 @@ list: 다운로드 목록: - - Start/Stop - 시작/멈춤 + 시작/멈춤 - - Open folder - 폴더 열기 + 폴더 열기 Show properties @@ -1025,9 +961,8 @@ list: 이 폴더에 있는 토렌트 파일을 자동으로 다운받기: - Listening port - 포트 연결 + 포트 연결 to @@ -1035,93 +970,72 @@ list: ~ - Enable UPnP port mapping - UPnP 포트 맵핑 사용하기 + UPnP 포트 맵핑 사용하기 - Enable NAT-PMP port mapping - NAT-PMP 포트 맵핑 사용하기 + NAT-PMP 포트 맵핑 사용하기 - Global bandwidth limiting - 전제 속도 제한하기 + 전제 속도 제한하기 - Upload: - 업로드: + 업로드: - Download: - 다운로드: + 다운로드: - Peer connections - 공유자(Peer) 연결 + 공유자(Peer) 연결 - Resolve peer countries - 공유자(Peer) 국가 재설정하기 + 공유자(Peer) 국가 재설정하기 - Resolve peer host names - 공유자(Peer) 호스트 이름 재 설정하기 + 공유자(Peer) 호스트 이름 재 설정하기 - Bittorrent features - 비토렌트 기능 + 비토렌트 기능 Use the same port for DHT and Bittorrent DHT와 비토렌트에 동일한 포트를 사용하기 - Spoof µtorrent to avoid ban (requires restart) - Ban을 피하기 위해 µtorrent처럼 보이게 하기 (Spoof µtorrent) (이 설정은 재시작을 필요합니다) + Ban을 피하기 위해 µtorrent처럼 보이게 하기 (Spoof µtorrent) (이 설정은 재시작을 필요합니다) - - Type: - 종류: + 종류: - - (None) - (없음) + (없음) - - Proxy: - 프록시: + 프록시: - - - Username: - 사용자 이름: + 사용자 이름: - Bittorrent - 비트토렌트 + 비트토렌트 - UI - 사용자 인터페이스(UI) + 사용자 인터페이스(UI) Action on double click @@ -1129,208 +1043,96 @@ list: 더블 클릭시 - Downloading: - 다운로딩중: + 다운로딩중: - Completed: - 완료됨: + 완료됨: - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Connections limit - 연결 제한 + 연결 제한 - Global maximum number of connections: - 최대 전체 연결수 + 최대 전체 연결수 - Maximum number of connections per torrent: - 한 토렌트 파일에 사용할수 있는 최대 연결수: + 한 토렌트 파일에 사용할수 있는 최대 연결수: - Maximum number of upload slots per torrent: - 한 토렌트 파일의 업로드에 사용할수 있는 최대 연결수: + 한 토렌트 파일의 업로드에 사용할수 있는 최대 연결수: Additional Bittorrent features 부과 비토렌트 사항 - Enable DHT network (decentralized) - DHT 네트웍크 (분화됨, decentralized) 사용하기 + DHT 네트웍크 (분화됨, decentralized) 사용하기 Enable Peer eXchange (PeX) 피어 익스체인지(Pex) 사용하기 - Enable Local Peer Discovery - 로컬 네트웍크내 공유자 찾기 (Local Peer Discovery) 사용하기 + 로컬 네트웍크내 공유자 찾기 (Local Peer Discovery) 사용하기 - Encryption: - 암호화(Encryption) + 암호화(Encryption) - Share ratio settings - 공유 비율(Radio) 설정 + 공유 비율(Radio) 설정 - Desired ratio: - 원하는 할당비(Ratio): + 원하는 할당비(Ratio): - Filter file path: - 필터 파일 경로: + 필터 파일 경로: transfer lists refresh interval: 전송 목록을 업데이트 할 간격: - ms - ms(milli second) + ms(milli second) - - - RSS - - - - - User interface - - - - - (Requires restart) - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - RSS feeds refresh interval: - RSS 을 새로 고칠 시간 간격: + RSS 을 새로 고칠 시간 간격: - minutes - + - Maximum number of articles per feed: - 하나의 소스당 최대 기사수: + 하나의 소스당 최대 기사수: - File system - 파일 시스템 + 파일 시스템 - Remove finished torrents when their ratio reaches: - 공유비율(Shared Ratio)에 도달했을때 완료된 파일을 목록에서 지우기: + 공유비율(Shared Ratio)에 도달했을때 완료된 파일을 목록에서 지우기: - System default - 시스템 디폴트 + 시스템 디폴트 - Start minimized - 최소화하기 + 최소화하기 Action on double click in transfer lists @@ -1370,9 +1172,8 @@ QGroupBox { Ban을 피하기 위해 Arureus처럼 보이게 하기 (Spoof Azureus) (이 설정은 재시작을 필요합니다) - Web UI - 웹 유저 인터페이스 + 웹 유저 인터페이스 Action for double click @@ -1380,84 +1181,64 @@ QGroupBox { 더블 클릭시 동작 - Port used for incoming connections: - 다운용(incoming connection) 으로 사용된 포트: + 다운용(incoming connection) 으로 사용된 포트: - Random - 무작위 + 무작위 - Use a different port for DHT and Bittorrent - 비토렌트와 DHT에 다른 포트 사용하기 + 비토렌트와 DHT에 다른 포트 사용하기 - - Enable Peer Exchange / PeX (requires restart) - - - - Enable Web User Interface - 웹사용자인터페이스 사용 + 웹사용자인터페이스 사용 - HTTP Server - HTTP 서버 + HTTP 서버 - Enable RSS support - RSS 지원을 사용하기 + RSS 지원을 사용하기 - RSS settings - RSS 설정 + RSS 설정 - Enable queueing system - 우선 순위 배열 시스템(queueing system) 사용하기 + 우선 순위 배열 시스템(queueing system) 사용하기 - Maximum active downloads: - 최대 활성 다운로드(Maximum active downloads): + 최대 활성 다운로드(Maximum active downloads): - Torrent queueing - 토렌트 배열 + 토렌트 배열 - Maximum active torrents: - 최대 활성 토렌트(Maximum active torrents): + 최대 활성 토렌트(Maximum active torrents): - Display top toolbar - 상위 도구메뉴 보이기 + 상위 도구메뉴 보이기 - Search engine proxy settings - 검색 엔진 프록시 설정 + 검색 엔진 프록시 설정 - Bittorrent proxy settings - 비토렌트 프록시 설정 + 비토렌트 프록시 설정 - Maximum active uploads: - 최대 활성 업로드(Maximum active downloads): + 최대 활성 업로드(Maximum active downloads): @@ -1623,33 +1404,33 @@ QGroupBox { 최고 - - + + this session 이 세션 - - + + /s /second (i.e. per second) /초 - + Seeded for %1 e.g. Seeded for 3m10s 완전체 공유한 시간: %1 - + %1 max e.g. 10 max 최고 %1 - - + + %1/s e.g. 120 KiB/s %1/초 @@ -3040,6 +2821,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -3476,6 +3288,598 @@ Are you sure you want to quit qBittorrent? 다운로드 비율 제한 + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_nb.qm b/src/lang/qbittorrent_nb.qm index 272409570..8fe2c6335 100644 Binary files a/src/lang/qbittorrent_nb.qm and b/src/lang/qbittorrent_nb.qm differ diff --git a/src/lang/qbittorrent_nb.ts b/src/lang/qbittorrent_nb.ts index 98c9a167a..3c042a26e 100644 --- a/src/lang/qbittorrent_nb.ts +++ b/src/lang/qbittorrent_nb.ts @@ -408,9 +408,8 @@ Copyright © 2006 av Christophe Dumez<br> tilkoblinger - Proxy - Mellomtjener + Mellomtjener Proxy Settings @@ -425,33 +424,24 @@ Copyright © 2006 av Christophe Dumez<br> 0.0.0.0 - - - Port: - Port: + Port: Proxy server requires authentication Mellomtjener krever autentisering - - - Authentication - Autentisering + Autentisering User Name: Brukernavn: - - - Password: - Passord: + Passord: Enable connection through a proxy server @@ -482,14 +472,12 @@ Copyright © 2006 av Christophe Dumez<br> Delingsforhold: - Activate IP Filtering - Aktiver IP filtrering + Aktiver IP filtrering - Filter Settings - Filteroppsett + Filteroppsett Start IP @@ -512,9 +500,8 @@ Copyright © 2006 av Christophe Dumez<br> Bruk - IP Filter - IP filter + IP filter Add Range @@ -545,9 +532,8 @@ Copyright © 2006 av Christophe Dumez<br> Lokalisering - Language: - Språk: + Språk: Behaviour @@ -570,10 +556,8 @@ Copyright © 2006 av Christophe Dumez<br> Vis aldri skjermmeldinger - - KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -608,9 +592,8 @@ Copyright © 2006 av Christophe Dumez<br> DHT oppsett - DHT port: - DHT port: + DHT port: Language @@ -661,216 +644,8 @@ Copyright © 2006 av Christophe Dumez<br> Flytt til systemkurven ved lukking - - Plastique style (KDE like) - - - - - CDE style (Common Desktop Environment like) - - - - - Disable splash screen - - - - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - - Start/Stop - - - - - - Open folder - - - - - Port used for incoming connections: - - - - - Random - - - - - - HTTP - - - - - SOCKS5 - - - - - Affected connections - - - - - Use proxy for connections to trackers - - - - - Use proxy for connections to regular peers - - - - - Use proxy for connections to web seeds - - - - - Use proxy for DHT messages - - - - - Enabled - - - - - Forced - - - - - Disabled - - - - Preferences - Innstillinger - - - - Visual style: - - - - - Cleanlooks style (Gnome like) - - - - - Motif style (Unix like) - - - - - Ask for confirmation on exit when download list is not empty - - - - - Display current speed in title bar - - - - - System tray icon - - - - - Disable system tray icon - - - - - Close to tray - i.e: The systray tray icon will still be visible when closing the main window. - - - - - Minimize to tray - - - - - Show notification balloons in tray - - - - - Downloads - - - - - User interface - - - - - (Requires restart) - - - - - Pre-allocate all files - - - - - When adding a torrent - - - - - Display torrent content and some options - - - - - Do not start download automatically - The torrent will be added to download list in pause state - - - - - Connection - - - - - Listening port - + Innstillinger to @@ -878,324 +653,8 @@ Copyright © 2006 av Christophe Dumez<br> til - - Enable UPnP port mapping - - - - - Enable NAT-PMP port mapping - - - - - Global bandwidth limiting - - - - - Upload: - - - - - Download: - - - - - Bittorrent features - - - - - Spoof µtorrent to avoid ban (requires restart) - - - - - - Type: - - - - - - (None) - - - - - - Proxy: - - - - - - Username: - Brukernavn: - - - - Bittorrent - - - - - UI - - - - - Downloading: - - - - - Completed: - - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - - Connections limit - - - - - Global maximum number of connections: - - - - - Maximum number of connections per torrent: - - - - - Maximum number of upload slots per torrent: - - - - - Peer connections - - - - - Resolve peer countries - - - - - Resolve peer host names - - - - - Enable DHT network (decentralized) - - - - - Use a different port for DHT and Bittorrent - - - - - Enable Peer Exchange / PeX (requires restart) - - - - - Enable Local Peer Discovery - - - - - Encryption: - - - - - Share ratio settings - - - - - Desired ratio: - - - - - Filter file path: - - - - - ms - - - - - - RSS - - - - - RSS feeds refresh interval: - - - - - minutes - - - - - Maximum number of articles per feed: - - - - - File system - - - - - Remove finished torrents when their ratio reaches: - - - - - System default - - - - - Start minimized - - - - - Web UI - - - - - Enable Web User Interface - - - - - HTTP Server - - - - - Enable RSS support - - - - - RSS settings - - - - - Enable queueing system - - - - - Maximum active downloads: - - - - - Torrent queueing - - - - - Maximum active torrents: - - - - - Display top toolbar - - - - - Search engine proxy settings - - - - - Bittorrent proxy settings - - - - - Maximum active uploads: - + Brukernavn: @@ -1295,33 +754,33 @@ QGroupBox { - - + + this session - - + + /s /second (i.e. per second) - + Seeded for %1 e.g. Seeded for 3m10s - + %1 max e.g. 10 max - - + + %1/s e.g. 120 KiB/s @@ -2404,6 +1863,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -2776,6 +2266,598 @@ Are you sure you want to quit qBittorrent? + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_nl.qm b/src/lang/qbittorrent_nl.qm index 731d0f035..86d2557ed 100644 Binary files a/src/lang/qbittorrent_nl.qm and b/src/lang/qbittorrent_nl.qm differ diff --git a/src/lang/qbittorrent_nl.ts b/src/lang/qbittorrent_nl.ts index 16cdf54da..555da17c3 100644 --- a/src/lang/qbittorrent_nl.ts +++ b/src/lang/qbittorrent_nl.ts @@ -439,15 +439,15 @@ p, li { white-space: pre-wrap; } IP Filter - IP Filter + IP Filter Activate IP Filtering - IP filteren activeren + IP filteren activeren Filter Settings - Filterinstellingen + Filterinstellingen Add Range @@ -479,7 +479,7 @@ p, li { white-space: pre-wrap; } Proxy - Proxy + Proxy Enable connection through a proxy server @@ -499,11 +499,11 @@ p, li { white-space: pre-wrap; } Port: - Poort: + Poort: Authentication - Authenticatie + Authenticatie User Name: @@ -511,7 +511,7 @@ p, li { white-space: pre-wrap; } Password: - Wachtwoord: + Wachtwoord: Proxy server requires authentication @@ -595,7 +595,7 @@ p, li { white-space: pre-wrap; } Language: - Taal: + Taal: Behaviour @@ -619,7 +619,7 @@ p, li { white-space: pre-wrap; } KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -671,7 +671,7 @@ p, li { white-space: pre-wrap; } DHT port: - DHT poort: + DHT poort: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -703,7 +703,7 @@ p, li { white-space: pre-wrap; } Connection - Verbinding + Verbinding Peer eXchange (PeX) @@ -735,7 +735,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Plastique stijl (zoals KDE) + Plastique stijl (zoals KDE) Cleanlooks style (GNOME like) @@ -747,7 +747,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - CDE stijl (zoals Common Desktop Environment) + CDE stijl (zoals Common Desktop Environment) MacOS style (MacOSX only) @@ -775,31 +775,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Beïnvloedde verbindingen + Beïnvloedde verbindingen Use proxy for connections to trackers - Proxy gebruiken voor verbindingen met tracker + Proxy gebruiken voor verbindingen met tracker Use proxy for connections to regular peers - Proxy gebruiken voor verbindingen met normale peers + Proxy gebruiken voor verbindingen met normale peers Use proxy for connections to web seeds - Proxy gebruiken voor verbindingen met web seeds + Proxy gebruiken voor verbindingen met web seeds Use proxy for DHT messages - Proxy gebruiken voor DHT berichten + Proxy gebruiken voor DHT berichten Encryption @@ -811,19 +811,19 @@ p, li { white-space: pre-wrap; } Enabled - Ingeschakeld + Ingeschakeld Forced - Geforceerd + Geforceerd Disabled - Uitgeschakeld + Uitgeschakeld Preferences - Voorkeuren + Voorkeuren General @@ -835,44 +835,44 @@ p, li { white-space: pre-wrap; } Visual style: - Visuele stijl: + Visuele stijl: Cleanlooks style (Gnome like) - Cleanlooks stijl (zoals Gnome) + Cleanlooks stijl (zoals Gnome) Motif style (Unix like) - Motif stijl (zoals Unix) + Motif stijl (zoals Unix) Ask for confirmation on exit when download list is not empty - Toestemming vragen tijdens afsluiten als de downloadlijst niet leeg is + Toestemming vragen tijdens afsluiten als de downloadlijst niet leeg is Display current speed in title bar - Huidige snelheid weergeven in titelbalk + Huidige snelheid weergeven in titelbalk System tray icon - Systeemvakicoon + Systeemvakicoon Disable system tray icon - Systeemvakicon uitschakelen + Systeemvakicon uitschakelen Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Sluiten naar systeemvak + Sluiten naar systeemvak Minimize to tray - Minimaliseren naar systeemvak + Minimaliseren naar systeemvak Show notification balloons in tray - Notificaties weergeven in systeemvak + Notificaties weergeven in systeemvak Media player: @@ -880,7 +880,7 @@ p, li { white-space: pre-wrap; } Downloads - Downloads + Downloads Put downloads in this folder: @@ -888,30 +888,26 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Schijfruimte vooraf toewijzen voor alle bestanden + Schijfruimte vooraf toewijzen voor alle bestanden When adding a torrent - Tijdens torrent toevoegen + Tijdens torrent toevoegen Display torrent content and some options - Torrentinhoud en enkele opties weergeven + Torrentinhoud en enkele opties weergeven Do not start download automatically The torrent will be added to download list in pause state - Download niet automatisch starten + Download niet automatisch starten Folder watching qBittorrent will watch a directory and automatically download torrents present in it Map in de gaten houden - - UI - - Action for double click Action executed when doucle-clicking on an item in transfer (download/upload) list @@ -923,11 +919,11 @@ p, li { white-space: pre-wrap; } Start/Stop - Start/Stop + Start/Stop Open folder - Open map + Open map Show properties @@ -951,7 +947,7 @@ p, li { white-space: pre-wrap; } Listening port - Luisterpoort + Luisterpoort to @@ -960,27 +956,23 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - UPnP port mapping inschakelen + UPnP port mapping inschakelen Enable NAT-PMP port mapping - NAT-PMP port mapping inschakelen + NAT-PMP port mapping inschakelen Global bandwidth limiting - Globaal bandbreedtelimiet + Globaal bandbreedtelimiet Upload: - Upload: + Upload: Download: - Download: - - - Bittorrent features - + Download: Use the same port for DHT and Bittorrent @@ -988,43 +980,43 @@ p, li { white-space: pre-wrap; } Spoof µtorrent to avoid ban (requires restart) - Spoof µtorrent om ban te voorkomen (herstart nodig) + Spoof µtorrent om ban te voorkomen (herstart nodig) Type: - Type: + Type: (None) - (Geen) + (Geen) Proxy: - Proxy: + Proxy: Username: - Gebruikersnaam: + Gebruikersnaam: Bittorrent - Bittorrent + Bittorrent Connections limit - Verbindingslimiet + Verbindingslimiet Global maximum number of connections: - Globaal verbindingslimiet: + Globaal verbindingslimiet: Maximum number of connections per torrent: - Verbindingslimiet per torrent: + Verbindingslimiet per torrent: Maximum number of upload slots per torrent: - Maximum aantal uploads per torrent: + Maximum aantal uploads per torrent: Additional Bittorrent features @@ -1032,7 +1024,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - DHT (gedecentraliseerd) netwerk inschakelen + DHT (gedecentraliseerd) netwerk inschakelen Enable Peer eXchange (PeX) @@ -1040,23 +1032,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Local Peer Discovery inschakelen + Local Peer Discovery inschakelen Encryption: - Encryptie: + Encryptie: Share ratio settings - Deel ratio instellingen + Deel ratio instellingen Desired ratio: - Gewenste ratio: + Gewenste ratio: Filter file path: - Filterbestand pad: + Filterbestand pad: transfer lists refresh interval: @@ -1064,39 +1056,39 @@ p, li { white-space: pre-wrap; } ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - RSS feeds vernieuwingsinterval: + RSS feeds vernieuwingsinterval: minutes - minuten + minuten Maximum number of articles per feed: - Maximum aantal artikelen per feed: + Maximum aantal artikelen per feed: File system - Bestandssysteem + Bestandssysteem Remove finished torrents when their ratio reaches: - Complete torrents verwijderen bij een ratio van: + Complete torrents verwijderen bij een ratio van: System default - Systeem standaard + Systeem standaard Start minimized - Start geminimaliseerd + Start geminimaliseerd Action on double click in transfer lists @@ -1137,165 +1129,63 @@ p, li { white-space: pre-wrap; } Web UI - Web UI + Web UI Port used for incoming connections: - Poort voor inkomende verbindingen: + Poort voor inkomende verbindingen: Random - Willekeurig + Willekeurig Enable Web User Interface - Web Gebruikers Interface inschakelen + Web Gebruikers Interface inschakelen HTTP Server - HTTP Server + HTTP Server Enable RSS support - RSS ondersteuning inschakelen + RSS ondersteuning inschakelen RSS settings - RSS instellingen + RSS instellingen Torrent queueing - Torrent wachtrij + Torrent wachtrij Enable queueing system - Wachtrij inschakelen + Wachtrij inschakelen Maximum active downloads: - Maximum actieve downloads: + Maximum actieve downloads: Maximum active torrents: - Maximum actieve torrents: + Maximum actieve torrents: Display top toolbar - Werkbalk boven weergeven + Werkbalk boven weergeven Search engine proxy settings - Zoekmachine proxy instellingen + Zoekmachine proxy instellingen Bittorrent proxy settings - Bittorrent proxy instellingen + Bittorrent proxy instellingen Maximum active uploads: - Maximum actieve uploads: - - - Disable splash screen - - - - Downloading: - - - - Completed: - - - - Peer connections - - - - Resolve peer countries - - - - Resolve peer host names - - - - Use a different port for DHT and Bittorrent - - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Maximum actieve uploads: @@ -2671,6 +2561,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -3050,6 +2965,469 @@ Are you sure you want to quit qBittorrent? + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_pl.qm b/src/lang/qbittorrent_pl.qm index b34b8b848..711459ab1 100644 Binary files a/src/lang/qbittorrent_pl.qm and b/src/lang/qbittorrent_pl.qm differ diff --git a/src/lang/qbittorrent_pl.ts b/src/lang/qbittorrent_pl.ts index a392ae9d8..9cfebf810 100644 --- a/src/lang/qbittorrent_pl.ts +++ b/src/lang/qbittorrent_pl.ts @@ -414,7 +414,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Proxy - Proxy + Proxy Proxy Settings @@ -430,7 +430,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Port: - Port: + Port: Proxy server requires authentication @@ -438,7 +438,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Authentication - Autentykacja + Autentykacja User Name: @@ -446,7 +446,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Password: - Hasło: + Hasło: Enable connection through a proxy server @@ -522,11 +522,11 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Activate IP Filtering - Włącz filtrowanie IP + Włącz filtrowanie IP Filter Settings - Ustawienia filtra + Ustawienia filtra ipfilter.dat URL or PATH: @@ -554,7 +554,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) IP Filter - Filtr IP + Filtr IP Add Range @@ -594,7 +594,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Language: - Język: + Język: Behaviour @@ -618,7 +618,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -654,7 +654,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) DHT port: - Port DHT: + Port DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -702,7 +702,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Connection - Połączenie + Połączenie Peer eXchange (PeX) @@ -734,7 +734,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Plastique style (KDE like) - Styl Plastique (jak KDE) + Styl Plastique (jak KDE) Cleanlooks style (GNOME like) @@ -746,7 +746,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) CDE style (Common Desktop Environment like) - Styl CDE (jak Common Desktop Environment) + Styl CDE (jak Common Desktop Environment) MacOS style (MacOSX only) @@ -774,31 +774,31 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Wymuszone połączenia + Wymuszone połączenia Use proxy for connections to trackers - Użyj proxy do połączenia z trackerami + Użyj proxy do połączenia z trackerami Use proxy for connections to regular peers - Użyj proxy do połączenia z partnerami + Użyj proxy do połączenia z partnerami Use proxy for connections to web seeds - Użyj proxy do połączenia z seedami www + Użyj proxy do połączenia z seedami www Use proxy for DHT messages - Użyj proxy do wiadomości DHT + Użyj proxy do wiadomości DHT Encryption @@ -810,19 +810,19 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Enabled - Włączone + Włączone Forced - Wymuszone + Wymuszone Disabled - Wyłączone + Wyłączone Preferences - Ustawienia + Ustawienia General @@ -834,44 +834,44 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Visual style: - Styl wizualny: + Styl wizualny: Cleanlooks style (Gnome like) - Styl Cleanlooks (jak Gnome) + Styl Cleanlooks (jak Gnome) Motif style (Unix like) - Styl Motif (jak Unix) + Styl Motif (jak Unix) Ask for confirmation on exit when download list is not empty - Pytaj o potwierdzenie wyjścia jeśli lista pobierania nie jest pusta + Pytaj o potwierdzenie wyjścia jeśli lista pobierania nie jest pusta Display current speed in title bar - Pokaż aktualną prędkość na pasku tytułu + Pokaż aktualną prędkość na pasku tytułu System tray icon - Ikona w tacce systemowej + Ikona w tacce systemowej Disable system tray icon - Wyłącz ikonę w tacce systemowej + Wyłącz ikonę w tacce systemowej Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Zamknij do tacki systemowej + Zamknij do tacki systemowej Minimize to tray - Minimalizuj do tacki systemowej + Minimalizuj do tacki systemowej Show notification balloons in tray - Pokaż balony powiadomień w tacce systemowej + Pokaż balony powiadomień w tacce systemowej Media player: @@ -879,7 +879,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Downloads - Pobieranie + Pobieranie Put downloads in this folder: @@ -887,20 +887,20 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Pre-allocate all files - Rezerwuj miejsce na dysku + Rezerwuj miejsce na dysku When adding a torrent - Gdy dodajesz torrent + Gdy dodajesz torrent Display torrent content and some options - Pokaż zawartość torrenta i kilka opcji + Pokaż zawartość torrenta i kilka opcji Do not start download automatically The torrent will be added to download list in pause state - Nie uruchamiaj automatycznie pobierań + Nie uruchamiaj automatycznie pobierań Folder watching @@ -909,15 +909,15 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) UI - Wygląd + Wygląd Start/Stop - Uruchom/Zatrzymaj + Uruchom/Zatrzymaj Open folder - Otwórz katalog + Otwórz katalog Download folder: @@ -933,7 +933,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Listening port - Port nasłuchu + Port nasłuchu to @@ -942,67 +942,67 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Enable UPnP port mapping - Włącz mapowanie portu UPnP + Włącz mapowanie portu UPnP Enable NAT-PMP port mapping - Włącz mapowanie portu NAT-PMP + Włącz mapowanie portu NAT-PMP Global bandwidth limiting - Globalne ograniczenie przepustowości łącza + Globalne ograniczenie przepustowości łącza Upload: - Wysyłanie: + Wysyłanie: Download: - Pobieranie: + Pobieranie: Bittorrent features - Ustawienia bittorrent + Ustawienia bittorrent Spoof µtorrent to avoid ban (requires restart) - Naśladowanie µtorrent w celu omijania blokad (wymaga restartu) + Naśladowanie µtorrent w celu omijania blokad (wymaga restartu) Type: - Typ: + Typ: (None) - (Żaden) + (Żaden) Proxy: - Proxy: + Proxy: Username: - Nazwa użytkownika: + Nazwa użytkownika: Bittorrent - Bittorrent + Bittorrent Connections limit - Limit połączeń + Limit połączeń Global maximum number of connections: - Maksymalna ilość połączeń: + Maksymalna ilość połączeń: Maximum number of connections per torrent: - Maksymalna ilość połączeń na torrent: + Maksymalna ilość połączeń na torrent: Maximum number of upload slots per torrent: - Maksymalna ilość slotów wysyłania na torrent: + Maksymalna ilość slotów wysyłania na torrent: Additional Bittorrent features @@ -1010,7 +1010,7 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Enable DHT network (decentralized) - Włącz sieć DHT (rozproszona) + Włącz sieć DHT (rozproszona) Enable Peer eXchange (PeX) @@ -1018,23 +1018,23 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Enable Local Peer Discovery - Włącz Local Peer Discovery + Włącz Local Peer Discovery Encryption: - Szyfrowanie: + Szyfrowanie: Share ratio settings - Ustawienia współczynnika udziału + Ustawienia współczynnika udziału Desired ratio: - Żądany współczynnik: + Żądany współczynnik: Filter file path: - Plik filtra IP: + Plik filtra IP: transfer lists refresh interval: @@ -1042,39 +1042,39 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Częstotliwość odświeżania nagłówków RSS: + Częstotliwość odświeżania nagłówków RSS: minutes - minut + minut Maximum number of articles per feed: - Maksymalna ilość wiadomości w nagłówku: + Maksymalna ilość wiadomości w nagłówku: File system - Katalogi + Katalogi Remove finished torrents when their ratio reaches: - Usuń zakończone torrenty gdy współczynnik osiągnie: + Usuń zakończone torrenty gdy współczynnik osiągnie: System default - Domyślne systemu + Domyślne systemu Start minimized - Uruchom zminimalizowany + Uruchom zminimalizowany Action on double click in transfer lists @@ -1115,67 +1115,67 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Web UI - Interfejs www + Interfejs www Port used for incoming connections: - Port dla połączeń przychodzących: + Port dla połączeń przychodzących: Random - Losowy + Losowy Enable Web User Interface - Włącz interfejs www + Włącz interfejs www HTTP Server - Interfejs www + Interfejs www Enable RSS support - Włącz obsługę RSS + Włącz obsługę RSS RSS settings - Ustawienia RSS + Ustawienia RSS Enable queueing system - Włącz kolejkowanie + Włącz kolejkowanie Maximum active downloads: - Maksymalna ilość aktywnych pobierań: + Maksymalna ilość aktywnych pobierań: Torrent queueing - Kolejkowanie torrentów + Kolejkowanie torrentów Maximum active torrents: - Maksymalna ilość aktywnych torrentów: + Maksymalna ilość aktywnych torrentów: Display top toolbar - Pokaż górny pasek narzędzi + Pokaż górny pasek narzędzi Search engine proxy settings - Ustawienia proxy dla mechanizmu wyszukiwania + Ustawienia proxy dla mechanizmu wyszukiwania Bittorrent proxy settings - Ustawienia proxy dla bittorrent + Ustawienia proxy dla bittorrent Maximum active uploads: - Maksymalna ilość aktywnych wysyłań: + Maksymalna ilość aktywnych wysyłań: Disable splash screen - Wyłącz ekran startowy + Wyłącz ekran startowy Transfer list refresh interval: @@ -1188,101 +1188,27 @@ Wszystkie prawa zastrżeżone © 2006 Christophe Dumez<br>(new line) Downloading: - Pobieranych: + Pobieranych: Completed: - Ukończonych: + Ukończonych: Peer connections - Połączenia partnerów + Połączenia partnerów Resolve peer countries - Odczytuje kraje partnerów + Odczytuje kraje partnerów Resolve peer host names - Odczytuje nazwy hostów partnerów + Odczytuje nazwy hostów partnerów Use a different port for DHT and Bittorrent - Używa innego portu dla DHT i bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Używa innego portu dla DHT i bittorrent @@ -2709,6 +2635,31 @@ Czy napewno zamknąć qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Nie można zapisać ustawień, prawdopodobnie qBittorrent jest nieosiągalny. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -3096,6 +3047,469 @@ Czy napewno zamknąć qBittorrent? + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_pt.qm b/src/lang/qbittorrent_pt.qm index 2e678df6f..dc3d15ede 100644 Binary files a/src/lang/qbittorrent_pt.qm and b/src/lang/qbittorrent_pt.qm differ diff --git a/src/lang/qbittorrent_pt.ts b/src/lang/qbittorrent_pt.ts index f86016fab..f819c717c 100644 --- a/src/lang/qbittorrent_pt.ts +++ b/src/lang/qbittorrent_pt.ts @@ -364,7 +364,7 @@ p, li { white-space: pre-wrap; } Proxy - Proxy + Proxy Proxy Settings @@ -380,7 +380,7 @@ p, li { white-space: pre-wrap; } Port: - Porta: + Porta: Proxy server requires authentication @@ -388,7 +388,7 @@ p, li { white-space: pre-wrap; } Authentication - Autenticação + Autenticação User Name: @@ -396,7 +396,7 @@ p, li { white-space: pre-wrap; } Password: - Senha: + Senha: Enable connection through a proxy server @@ -436,11 +436,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - Ativar filtragem de IP + Ativar filtragem de IP Filter Settings - Configurações do Filtro + Configurações do Filtro Start IP @@ -464,7 +464,7 @@ p, li { white-space: pre-wrap; } IP Filter - Filtro de IP + Filtro de IP Add Range @@ -500,7 +500,7 @@ p, li { white-space: pre-wrap; } Language: - Língua: + Língua: Behaviour @@ -524,7 +524,7 @@ p, li { white-space: pre-wrap; } KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -568,7 +568,7 @@ p, li { white-space: pre-wrap; } DHT port: - Porta DHT: + Porta DHT: Language @@ -604,7 +604,7 @@ p, li { white-space: pre-wrap; } Connection - Conexão + Conexão Peer eXchange (PeX) @@ -636,7 +636,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Estilo Plastique (tipo KDE) + Estilo Plastique (tipo KDE) Cleanlooks style (GNOME like) @@ -648,7 +648,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - Estilo CDE (Tipo ambiente Desktop comum) + Estilo CDE (Tipo ambiente Desktop comum) MacOS style (MacOSX only) @@ -676,31 +676,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Conexões afetadas + Conexões afetadas Use proxy for connections to trackers - Usar proxy para conexões em trackers + Usar proxy para conexões em trackers Use proxy for connections to regular peers - Usar proxy para conexões em pares regulares + Usar proxy para conexões em pares regulares Use proxy for connections to web seeds - Usar proxy para conexões em pares da web + Usar proxy para conexões em pares da web Use proxy for DHT messages - Usar proxy para mensagens DHT + Usar proxy para mensagens DHT Encryption @@ -712,19 +712,19 @@ p, li { white-space: pre-wrap; } Enabled - Habilitado + Habilitado Forced - Forçado + Forçado Disabled - Desabilitado + Desabilitado Preferences - Preferências + Preferências General @@ -740,44 +740,44 @@ p, li { white-space: pre-wrap; } Visual style: - Estilo visual: + Estilo visual: Cleanlooks style (Gnome like) - Estilo Cleanlooks (Gnome) + Estilo Cleanlooks (Gnome) Motif style (Unix like) - Estilo Motif (Unix) + Estilo Motif (Unix) Ask for confirmation on exit when download list is not empty - Pedir confirmação ao sair quando a lista de downloads não está vazia + Pedir confirmação ao sair quando a lista de downloads não está vazia Display current speed in title bar - Exibir velocidade atual na barra de titulo + Exibir velocidade atual na barra de titulo System tray icon - Ícone do sistema + Ícone do sistema Disable system tray icon - Desabilitar ícone do sistema + Desabilitar ícone do sistema Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Fechar na bandeja + Fechar na bandeja Minimize to tray - Minimizar para a bandeja + Minimizar para a bandeja Show notification balloons in tray - Mostrar balões de notificação no systray + Mostrar balões de notificação no systray Media player: @@ -785,7 +785,7 @@ p, li { white-space: pre-wrap; } Downloads - Downloads + Downloads Put downloads in this folder: @@ -793,20 +793,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Pré-alocar todos arquivos + Pré-alocar todos arquivos When adding a torrent - Adicionando um torrent + Adicionando um torrent Display torrent content and some options - Mostrar conteúdo torrent e as opções + Mostrar conteúdo torrent e as opções Do not start download automatically The torrent will be added to download list in pause state - Não iniciar downloads automáticamente + Não iniciar downloads automáticamente Folder watching @@ -841,7 +841,7 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Listening port - Escutando porta + Escutando porta to @@ -850,27 +850,27 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable UPnP port mapping - Habilitar mapeamento de porta UPnP + Habilitar mapeamento de porta UPnP Enable NAT-PMP port mapping - Habilitar mapeamento de porta NAT-PMP + Habilitar mapeamento de porta NAT-PMP Global bandwidth limiting - Limite global de banda + Limite global de banda Upload: - Upload: + Upload: Download: - Download: + Download: Bittorrent features - Características Bittorrent + Características Bittorrent Use the same port for DHT and Bittorrent @@ -878,39 +878,39 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Type: - Tipo: + Tipo: (None) - (Nenhum) + (Nenhum) Proxy: - Proxy: + Proxy: Username: - Usuário: + Usuário: Bittorrent - Bittorrent + Bittorrent Connections limit - Limites de conexão + Limites de conexão Global maximum number of connections: - Número máximo global de conexões: + Número máximo global de conexões: Maximum number of connections per torrent: - Número máximo global de conexões por torrent: + Número máximo global de conexões por torrent: Maximum number of upload slots per torrent: - Número máximo de slots de upload por torrent: + Número máximo de slots de upload por torrent: Additional Bittorrent features @@ -918,7 +918,7 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable DHT network (decentralized) - Habilitar DHT (decentralizado) + Habilitar DHT (decentralizado) Enable Peer eXchange (PeX) @@ -926,23 +926,23 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable Local Peer Discovery - Habilitar Peer Discovery Local + Habilitar Peer Discovery Local Encryption: - Encriptação: + Encriptação: Share ratio settings - Configurações de taxa de compartilhamento + Configurações de taxa de compartilhamento Desired ratio: - Taxa designada: + Taxa designada: Filter file path: - Caminho do arquivo do filtro: + Caminho do arquivo do filtro: transfer lists refresh interval: @@ -950,39 +950,39 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Intervalo de atualização dos RSS feeds: + Intervalo de atualização dos RSS feeds: minutes - minutos + minutos Maximum number of articles per feed: - Número máximo de artigos por feed: + Número máximo de artigos por feed: File system - Sistema de arquivo + Sistema de arquivo Remove finished torrents when their ratio reaches: - Remover torrents finalizados quando sua taxa atingir: + Remover torrents finalizados quando sua taxa atingir: System default - Padrão do Sistema + Padrão do Sistema Start minimized - Iniciar minimizado + Iniciar minimizado Action on double click in transfer lists @@ -1023,59 +1023,59 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Web UI - Caminho web + Caminho web Enable Web User Interface - Habilitar interface de usuário web + Habilitar interface de usuário web HTTP Server - Servidor web + Servidor web Enable RSS support - Habilitar suporte RSS + Habilitar suporte RSS RSS settings - Configurações RSS + Configurações RSS Enable queueing system - Habilitar sistema de espera + Habilitar sistema de espera Maximum active downloads: - Downloads máximos ativos: + Downloads máximos ativos: Torrent queueing - Torrent em espera + Torrent em espera Maximum active torrents: - Downloads máximos ativos: + Downloads máximos ativos: Display top toolbar - Exibir barra acima + Exibir barra acima Search engine proxy settings - Configurações de proxy de barra de busca + Configurações de proxy de barra de busca Bittorrent proxy settings - Configurações de proxy do Bittorrent + Configurações de proxy do Bittorrent Maximum active uploads: - Uploads máximos ativos: + Uploads máximos ativos: Spoof µtorrent to avoid ban (requires restart) - Spoof para evitar a proibição μtorrent (requer reinicialização) + Spoof para evitar a proibição μtorrent (requer reinicialização) Action for double click @@ -1084,11 +1084,11 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Start/Stop - Inicia/Para + Inicia/Para Open folder - Abrir pasta + Abrir pasta Show properties @@ -1096,19 +1096,19 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Port used for incoming connections: - Porta usada para conexões de entrada: + Porta usada para conexões de entrada: Random - Aleatório + Aleatório UI - UI + UI Disable splash screen - Desabilitar tela inicial + Desabilitar tela inicial Transfer list refresh interval: @@ -1121,101 +1121,27 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Downloading: - Baixando: + Baixando: Completed: - Completado: + Completado: Peer connections - Conexões dos peers + Conexões dos peers Resolve peer countries - Resolver países dos peers + Resolver países dos peers Resolve peer host names - Resolver host names dos peers + Resolver host names dos peers Use a different port for DHT and Bittorrent - Usar portas diferentes no DHT e no Bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Usar portas diferentes no DHT e no Bittorrent @@ -2589,6 +2515,31 @@ Está certo que quer sair do qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Impossível salvar preferências do programa, qBittorrent provavelmente está inatingível. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2964,6 +2915,469 @@ Está certo que quer sair do qBittorrent? Limitando taxa de download + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_pt_BR.qm b/src/lang/qbittorrent_pt_BR.qm index 2e678df6f..dc3d15ede 100644 Binary files a/src/lang/qbittorrent_pt_BR.qm and b/src/lang/qbittorrent_pt_BR.qm differ diff --git a/src/lang/qbittorrent_pt_BR.ts b/src/lang/qbittorrent_pt_BR.ts index f86016fab..f819c717c 100644 --- a/src/lang/qbittorrent_pt_BR.ts +++ b/src/lang/qbittorrent_pt_BR.ts @@ -364,7 +364,7 @@ p, li { white-space: pre-wrap; } Proxy - Proxy + Proxy Proxy Settings @@ -380,7 +380,7 @@ p, li { white-space: pre-wrap; } Port: - Porta: + Porta: Proxy server requires authentication @@ -388,7 +388,7 @@ p, li { white-space: pre-wrap; } Authentication - Autenticação + Autenticação User Name: @@ -396,7 +396,7 @@ p, li { white-space: pre-wrap; } Password: - Senha: + Senha: Enable connection through a proxy server @@ -436,11 +436,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - Ativar filtragem de IP + Ativar filtragem de IP Filter Settings - Configurações do Filtro + Configurações do Filtro Start IP @@ -464,7 +464,7 @@ p, li { white-space: pre-wrap; } IP Filter - Filtro de IP + Filtro de IP Add Range @@ -500,7 +500,7 @@ p, li { white-space: pre-wrap; } Language: - Língua: + Língua: Behaviour @@ -524,7 +524,7 @@ p, li { white-space: pre-wrap; } KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -568,7 +568,7 @@ p, li { white-space: pre-wrap; } DHT port: - Porta DHT: + Porta DHT: Language @@ -604,7 +604,7 @@ p, li { white-space: pre-wrap; } Connection - Conexão + Conexão Peer eXchange (PeX) @@ -636,7 +636,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Estilo Plastique (tipo KDE) + Estilo Plastique (tipo KDE) Cleanlooks style (GNOME like) @@ -648,7 +648,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - Estilo CDE (Tipo ambiente Desktop comum) + Estilo CDE (Tipo ambiente Desktop comum) MacOS style (MacOSX only) @@ -676,31 +676,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Conexões afetadas + Conexões afetadas Use proxy for connections to trackers - Usar proxy para conexões em trackers + Usar proxy para conexões em trackers Use proxy for connections to regular peers - Usar proxy para conexões em pares regulares + Usar proxy para conexões em pares regulares Use proxy for connections to web seeds - Usar proxy para conexões em pares da web + Usar proxy para conexões em pares da web Use proxy for DHT messages - Usar proxy para mensagens DHT + Usar proxy para mensagens DHT Encryption @@ -712,19 +712,19 @@ p, li { white-space: pre-wrap; } Enabled - Habilitado + Habilitado Forced - Forçado + Forçado Disabled - Desabilitado + Desabilitado Preferences - Preferências + Preferências General @@ -740,44 +740,44 @@ p, li { white-space: pre-wrap; } Visual style: - Estilo visual: + Estilo visual: Cleanlooks style (Gnome like) - Estilo Cleanlooks (Gnome) + Estilo Cleanlooks (Gnome) Motif style (Unix like) - Estilo Motif (Unix) + Estilo Motif (Unix) Ask for confirmation on exit when download list is not empty - Pedir confirmação ao sair quando a lista de downloads não está vazia + Pedir confirmação ao sair quando a lista de downloads não está vazia Display current speed in title bar - Exibir velocidade atual na barra de titulo + Exibir velocidade atual na barra de titulo System tray icon - Ícone do sistema + Ícone do sistema Disable system tray icon - Desabilitar ícone do sistema + Desabilitar ícone do sistema Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Fechar na bandeja + Fechar na bandeja Minimize to tray - Minimizar para a bandeja + Minimizar para a bandeja Show notification balloons in tray - Mostrar balões de notificação no systray + Mostrar balões de notificação no systray Media player: @@ -785,7 +785,7 @@ p, li { white-space: pre-wrap; } Downloads - Downloads + Downloads Put downloads in this folder: @@ -793,20 +793,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Pré-alocar todos arquivos + Pré-alocar todos arquivos When adding a torrent - Adicionando um torrent + Adicionando um torrent Display torrent content and some options - Mostrar conteúdo torrent e as opções + Mostrar conteúdo torrent e as opções Do not start download automatically The torrent will be added to download list in pause state - Não iniciar downloads automáticamente + Não iniciar downloads automáticamente Folder watching @@ -841,7 +841,7 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Listening port - Escutando porta + Escutando porta to @@ -850,27 +850,27 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable UPnP port mapping - Habilitar mapeamento de porta UPnP + Habilitar mapeamento de porta UPnP Enable NAT-PMP port mapping - Habilitar mapeamento de porta NAT-PMP + Habilitar mapeamento de porta NAT-PMP Global bandwidth limiting - Limite global de banda + Limite global de banda Upload: - Upload: + Upload: Download: - Download: + Download: Bittorrent features - Características Bittorrent + Características Bittorrent Use the same port for DHT and Bittorrent @@ -878,39 +878,39 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Type: - Tipo: + Tipo: (None) - (Nenhum) + (Nenhum) Proxy: - Proxy: + Proxy: Username: - Usuário: + Usuário: Bittorrent - Bittorrent + Bittorrent Connections limit - Limites de conexão + Limites de conexão Global maximum number of connections: - Número máximo global de conexões: + Número máximo global de conexões: Maximum number of connections per torrent: - Número máximo global de conexões por torrent: + Número máximo global de conexões por torrent: Maximum number of upload slots per torrent: - Número máximo de slots de upload por torrent: + Número máximo de slots de upload por torrent: Additional Bittorrent features @@ -918,7 +918,7 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable DHT network (decentralized) - Habilitar DHT (decentralizado) + Habilitar DHT (decentralizado) Enable Peer eXchange (PeX) @@ -926,23 +926,23 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Enable Local Peer Discovery - Habilitar Peer Discovery Local + Habilitar Peer Discovery Local Encryption: - Encriptação: + Encriptação: Share ratio settings - Configurações de taxa de compartilhamento + Configurações de taxa de compartilhamento Desired ratio: - Taxa designada: + Taxa designada: Filter file path: - Caminho do arquivo do filtro: + Caminho do arquivo do filtro: transfer lists refresh interval: @@ -950,39 +950,39 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Intervalo de atualização dos RSS feeds: + Intervalo de atualização dos RSS feeds: minutes - minutos + minutos Maximum number of articles per feed: - Número máximo de artigos por feed: + Número máximo de artigos por feed: File system - Sistema de arquivo + Sistema de arquivo Remove finished torrents when their ratio reaches: - Remover torrents finalizados quando sua taxa atingir: + Remover torrents finalizados quando sua taxa atingir: System default - Padrão do Sistema + Padrão do Sistema Start minimized - Iniciar minimizado + Iniciar minimizado Action on double click in transfer lists @@ -1023,59 +1023,59 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Web UI - Caminho web + Caminho web Enable Web User Interface - Habilitar interface de usuário web + Habilitar interface de usuário web HTTP Server - Servidor web + Servidor web Enable RSS support - Habilitar suporte RSS + Habilitar suporte RSS RSS settings - Configurações RSS + Configurações RSS Enable queueing system - Habilitar sistema de espera + Habilitar sistema de espera Maximum active downloads: - Downloads máximos ativos: + Downloads máximos ativos: Torrent queueing - Torrent em espera + Torrent em espera Maximum active torrents: - Downloads máximos ativos: + Downloads máximos ativos: Display top toolbar - Exibir barra acima + Exibir barra acima Search engine proxy settings - Configurações de proxy de barra de busca + Configurações de proxy de barra de busca Bittorrent proxy settings - Configurações de proxy do Bittorrent + Configurações de proxy do Bittorrent Maximum active uploads: - Uploads máximos ativos: + Uploads máximos ativos: Spoof µtorrent to avoid ban (requires restart) - Spoof para evitar a proibição μtorrent (requer reinicialização) + Spoof para evitar a proibição μtorrent (requer reinicialização) Action for double click @@ -1084,11 +1084,11 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Start/Stop - Inicia/Para + Inicia/Para Open folder - Abrir pasta + Abrir pasta Show properties @@ -1096,19 +1096,19 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Port used for incoming connections: - Porta usada para conexões de entrada: + Porta usada para conexões de entrada: Random - Aleatório + Aleatório UI - UI + UI Disable splash screen - Desabilitar tela inicial + Desabilitar tela inicial Transfer list refresh interval: @@ -1121,101 +1121,27 @@ qBittorrent irá procurar no diretório e baixará automaticamente torrents pres Downloading: - Baixando: + Baixando: Completed: - Completado: + Completado: Peer connections - Conexões dos peers + Conexões dos peers Resolve peer countries - Resolver países dos peers + Resolver países dos peers Resolve peer host names - Resolver host names dos peers + Resolver host names dos peers Use a different port for DHT and Bittorrent - Usar portas diferentes no DHT e no Bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Usar portas diferentes no DHT e no Bittorrent @@ -2589,6 +2515,31 @@ Está certo que quer sair do qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Impossível salvar preferências do programa, qBittorrent provavelmente está inatingível. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2964,6 +2915,469 @@ Está certo que quer sair do qBittorrent? Limitando taxa de download + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_ro.qm b/src/lang/qbittorrent_ro.qm index b33c9b75d..9f384dee4 100644 Binary files a/src/lang/qbittorrent_ro.qm and b/src/lang/qbittorrent_ro.qm differ diff --git a/src/lang/qbittorrent_ro.ts b/src/lang/qbittorrent_ro.ts index f86370eb3..b8e061066 100644 --- a/src/lang/qbittorrent_ro.ts +++ b/src/lang/qbittorrent_ro.ts @@ -364,7 +364,7 @@ p, li { white-space: pre-wrap; }(new line) Proxy - Proxy + Proxy Proxy Settings @@ -380,7 +380,7 @@ p, li { white-space: pre-wrap; }(new line) Port: - Portul: + Portul: Proxy server requires authentication @@ -388,7 +388,7 @@ p, li { white-space: pre-wrap; }(new line) Authentication - Autentificare + Autentificare User Name: @@ -396,7 +396,7 @@ p, li { white-space: pre-wrap; }(new line) Password: - Parola: + Parola: Enable connection through a proxy server @@ -436,11 +436,11 @@ p, li { white-space: pre-wrap; }(new line) Activate IP Filtering - Activarea IP Filtrare + Activarea IP Filtrare Filter Settings - Setările Filtrului + Setările Filtrului Start IP @@ -464,7 +464,7 @@ p, li { white-space: pre-wrap; }(new line) IP Filter - Filtru IP + Filtru IP Add Range @@ -500,7 +500,7 @@ p, li { white-space: pre-wrap; }(new line) Language: - Limba: + Limba: Behaviour @@ -524,7 +524,7 @@ p, li { white-space: pre-wrap; }(new line) KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -560,7 +560,7 @@ p, li { white-space: pre-wrap; }(new line) DHT port: - Portul DHT: + Portul DHT: Language @@ -612,7 +612,7 @@ p, li { white-space: pre-wrap; }(new line) Connection - Conectare + Conectare Peer eXchange (PeX) @@ -644,7 +644,7 @@ p, li { white-space: pre-wrap; }(new line) Plastique style (KDE like) - Stil plastic (ca in KDE) + Stil plastic (ca in KDE) Cleanlooks style (GNOME like) @@ -656,7 +656,7 @@ p, li { white-space: pre-wrap; }(new line) CDE style (Common Desktop Environment like) - Stil CDE (Common Desktop Environment like) + Stil CDE (Common Desktop Environment like) MacOS style (MacOSX only) @@ -684,31 +684,31 @@ p, li { white-space: pre-wrap; }(new line) HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Conectări afectate + Conectări afectate Use proxy for connections to trackers - Foloseşte proxy pentru conectare la tracker-i + Foloseşte proxy pentru conectare la tracker-i Use proxy for connections to regular peers - Foloseşte proxy pentru conectare la peer-i + Foloseşte proxy pentru conectare la peer-i Use proxy for connections to web seeds - Foloseşte proxy la conectare cu web seeds + Foloseşte proxy la conectare cu web seeds Use proxy for DHT messages - Foloseşte proxy pentru DHT mesage + Foloseşte proxy pentru DHT mesage Encryption @@ -720,19 +720,19 @@ p, li { white-space: pre-wrap; }(new line) Enabled - Activată + Activată Forced - Forţată + Forţată Disabled - Dezactivată + Dezactivată Preferences - Preferinţe + Preferinţe General @@ -748,44 +748,44 @@ p, li { white-space: pre-wrap; }(new line) Visual style: - Stilul vizual: + Stilul vizual: Cleanlooks style (Gnome like) - Stilul Cleanlooks(ca în Gnome) + Stilul Cleanlooks(ca în Gnome) Motif style (Unix like) - Stilul Motif(ca în Unix) + Stilul Motif(ca în Unix) Ask for confirmation on exit when download list is not empty - Întreabă confirmare la ieşire cînd lista de descărcare nu este vidă + Întreabă confirmare la ieşire cînd lista de descărcare nu este vidă Display current speed in title bar - Afişează viteza curentă în bara de titlu + Afişează viteza curentă în bara de titlu System tray icon - Imagine în system tray + Imagine în system tray Disable system tray icon - Dezactivează imagine în system tray + Dezactivează imagine în system tray Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Închide în tray + Închide în tray Minimize to tray - Minimizează în tray + Minimizează în tray Show notification balloons in tray - Arată notificări în tray + Arată notificări în tray Media player: @@ -793,7 +793,7 @@ p, li { white-space: pre-wrap; }(new line) Downloads - Descărcări + Descărcări Put downloads in this folder: @@ -801,20 +801,20 @@ p, li { white-space: pre-wrap; }(new line) Pre-allocate all files - Pre alocă toate fişierele + Pre alocă toate fişierele When adding a torrent - Cînd adaugi un torrent + Cînd adaugi un torrent Display torrent content and some options - Afişează conţinutul torrentului şi unele opţiuni + Afişează conţinutul torrentului şi unele opţiuni Do not start download automatically The torrent will be added to download list in pause state - Nu porni descărcarea automat + Nu porni descărcarea automat Folder watching @@ -849,7 +849,7 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Listening port - Port-ul de ascultare + Port-ul de ascultare to @@ -858,27 +858,27 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Enable UPnP port mapping - Activează UPnP mapare port + Activează UPnP mapare port Enable NAT-PMP port mapping - Activează NAT-PMP mapare port + Activează NAT-PMP mapare port Global bandwidth limiting - Limită globală de bandwidth + Limită globală de bandwidth Upload: - Încărcat: + Încărcat: Download: - Descărcat: + Descărcat: Bittorrent features - Facilitățile bittorrent + Facilitățile bittorrent Use the same port for DHT and Bittorrent @@ -886,39 +886,39 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Type: - Tipul: + Tipul: (None) - (Nimic) + (Nimic) Proxy: - Proxy: + Proxy: Username: - Numele de utilizator: + Numele de utilizator: Bittorrent - Bittorrent + Bittorrent Connections limit - Limită de conectare + Limită de conectare Global maximum number of connections: - Numărul global maxim de conectări: + Numărul global maxim de conectări: Maximum number of connections per torrent: - Numărul maxim de conectări pentru torrent: + Numărul maxim de conectări pentru torrent: Maximum number of upload slots per torrent: - Numărul maxim de sloturi de încărcare pentru un torrent: + Numărul maxim de sloturi de încărcare pentru un torrent: Additional Bittorrent features @@ -926,7 +926,7 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Enable DHT network (decentralized) - Activează reţeaua DHT(decentralizat) + Activează reţeaua DHT(decentralizat) Enable Peer eXchange (PeX) @@ -934,23 +934,23 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Enable Local Peer Discovery - Activează căutarea locală de Peer-i + Activează căutarea locală de Peer-i Encryption: - Codificare: + Codificare: Share ratio settings - Setările de Share ratio + Setările de Share ratio Desired ratio: - Desired ratio: + Desired ratio: Filter file path: - Filtrează cale de fisiere: + Filtrează cale de fisiere: transfer lists refresh interval: @@ -958,39 +958,39 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Intervalul de reînnoire al listei RSS: + Intervalul de reînnoire al listei RSS: minutes - minute + minute Maximum number of articles per feed: - Numărul maxim de articole pentru flux: + Numărul maxim de articole pentru flux: File system - Sistem de fişiere + Sistem de fişiere Remove finished torrents when their ratio reaches: - Şterge torrent-urile finişate cînd ratio lor ajunge la: + Şterge torrent-urile finişate cînd ratio lor ajunge la: System default - Predefinit de sistem + Predefinit de sistem Start minimized - Starteaza minimizat + Starteaza minimizat Action on double click in transfer lists @@ -1031,59 +1031,59 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Web UI - Web UI + Web UI Enable Web User Interface - Activeaza WebUI + Activeaza WebUI HTTP Server - HTTP Server + HTTP Server Enable RSS support - Activeză suport de RSS + Activeză suport de RSS RSS settings - Setări RSS + Setări RSS Enable queueing system - Activeaza sistemul de cozi + Activeaza sistemul de cozi Maximum active downloads: - Numărul maxim de descărcări active: + Numărul maxim de descărcări active: Torrent queueing - Cererea de torrente + Cererea de torrente Maximum active torrents: - Maximum torrente active: + Maximum torrente active: Display top toolbar - Afișează bara de instrumente + Afișează bara de instrumente Search engine proxy settings - Setările motorului de căutare prin proxy + Setările motorului de căutare prin proxy Bittorrent proxy settings - Setările proxy pentru bittorrent + Setările proxy pentru bittorrent Maximum active uploads: - Numărul maxim de upload-uri active : + Numărul maxim de upload-uri active : Spoof µtorrent to avoid ban (requires restart) - Înșeală utorrent pentru a nu primi ban (necesita restart) + Înșeală utorrent pentru a nu primi ban (necesita restart) Action for double click @@ -1093,11 +1093,11 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Start/Stop - Start/Stop + Start/Stop Open folder - Deschide directoriul + Deschide directoriul Show properties @@ -1105,19 +1105,19 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Port used for incoming connections: - Portul utilizat pentru conectării: + Portul utilizat pentru conectării: Random - Aleatoriu + Aleatoriu UI - UI + UI Disable splash screen - Dezactivează fereastra de logo + Dezactivează fereastra de logo Transfer list refresh interval: @@ -1130,101 +1130,27 @@ qBittorrent va monitoriza directoriul și va adăuga în lista de descărcare a Downloading: - Descărcarea: + Descărcarea: Completed: - Completat: + Completat: Peer connections - Conectări la peeri + Conectări la peeri Resolve peer countries - Rezolvă țările din care sunt peer-ii + Rezolvă țările din care sunt peer-ii Resolve peer host names - Rezolvă numele de host pentru peer-i + Rezolvă numele de host pentru peer-i Use a different port for DHT and Bittorrent - Folosește port separat pentru DHT și Bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Folosește port separat pentru DHT și Bittorrent @@ -2527,6 +2453,31 @@ Sunteți siguri că doriți să închideți qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2894,6 +2845,469 @@ Sunteți siguri că doriți să închideți qBittorrent? Reînnoiește rata de descărcare + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_ru.qm b/src/lang/qbittorrent_ru.qm index 063e74d3b..61caa074f 100644 Binary files a/src/lang/qbittorrent_ru.qm and b/src/lang/qbittorrent_ru.qm differ diff --git a/src/lang/qbittorrent_ru.ts b/src/lang/qbittorrent_ru.ts index 72384c7c9..8aa3d0cd3 100644 --- a/src/lang/qbittorrent_ru.ts +++ b/src/lang/qbittorrent_ru.ts @@ -403,7 +403,7 @@ p, li { white-space: pre-wrap; } Proxy - Прокси + Прокси Proxy Settings @@ -419,7 +419,7 @@ p, li { white-space: pre-wrap; } Port: - Порт: + Порт: Proxy server requires authentication @@ -427,7 +427,7 @@ p, li { white-space: pre-wrap; } Authentication - Аутентификация + Аутентификация User Name: @@ -435,7 +435,7 @@ p, li { white-space: pre-wrap; } Password: - Пароль: + Пароль: Enable connection through a proxy server @@ -487,11 +487,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - Включить фильтр по IP + Включить фильтр по IP Filter Settings - Настройки фильтра + Настройки фильтра Start IP @@ -515,7 +515,7 @@ p, li { white-space: pre-wrap; } IP Filter - Фильтр по IP + Фильтр по IP Add Range @@ -551,7 +551,7 @@ p, li { white-space: pre-wrap; } Language: - Язык: + Язык: Behaviour @@ -575,7 +575,7 @@ p, li { white-space: pre-wrap; } KiB/s - КиБ/с + КиБ/с 1 KiB DL = @@ -611,7 +611,7 @@ p, li { white-space: pre-wrap; } DHT port: - Порт DHT: + Порт DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -659,7 +659,7 @@ p, li { white-space: pre-wrap; } Connection - Соединение + Соединение Peer eXchange (PeX) @@ -691,7 +691,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Стиль пластик (как KDE) + Стиль пластик (как KDE) Cleanlooks style (GNOME like) @@ -703,7 +703,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - Стиль CDE (как Окружение Общего Рабочего Стола) + Стиль CDE (как Окружение Общего Рабочего Стола) MacOS style (MacOSX only) @@ -731,31 +731,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - Сервер SOCKS5 + Сервер SOCKS5 Affected connections - Затрагиваемые соединения + Затрагиваемые соединения Use proxy for connections to trackers - Использовать прокси для подключения к трекерам + Использовать прокси для подключения к трекерам Use proxy for connections to regular peers - Использовать прокси для подключения к обычным пирам + Использовать прокси для подключения к обычным пирам Use proxy for connections to web seeds - Использовать прокси для подключения к веб раздачам + Использовать прокси для подключения к веб раздачам Use proxy for DHT messages - Использовать прокси для сообщений DHT + Использовать прокси для сообщений DHT Encryption @@ -767,19 +767,19 @@ p, li { white-space: pre-wrap; } Enabled - Включено + Включено Forced - Принудительно + Принудительно Disabled - Выключено + Выключено Preferences - Настройки + Настройки General @@ -795,44 +795,44 @@ p, li { white-space: pre-wrap; } Visual style: - Визуальный стиль: + Визуальный стиль: Cleanlooks style (Gnome like) - Свободный стиль (как в GNOME) + Свободный стиль (как в GNOME) Motif style (Unix like) - Стиль Motif (на Unix-подобных системах) + Стиль Motif (на Unix-подобных системах) Ask for confirmation on exit when download list is not empty - Спрашивать о подтверждении выхода, если список закачек не пустой + Спрашивать о подтверждении выхода, если список закачек не пустой Display current speed in title bar - Отображать текущую скорость в полосе заголовка + Отображать текущую скорость в полосе заголовка System tray icon - Значок в системном лотке + Значок в системном лотке Disable system tray icon - Убрать значок из системного лотка + Убрать значок из системного лотка Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Свернуть в значок при закрытии + Свернуть в значок при закрытии Minimize to tray - Сворачивать в значок + Сворачивать в значок Show notification balloons in tray - Показывать всплывающие сообщения в системном лотке + Показывать всплывающие сообщения в системном лотке Media player: @@ -840,7 +840,7 @@ p, li { white-space: pre-wrap; } Downloads - Закачки + Закачки Put downloads in this folder: @@ -848,20 +848,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Резервировать место для всего файла + Резервировать место для всего файла When adding a torrent - При добавлении торента + При добавлении торента Display torrent content and some options - Отображать содержимое torrentа и некоторые настройки + Отображать содержимое torrentа и некоторые настройки Do not start download automatically The torrent will be added to download list in pause state - Не начинать загрузку автоматически + Не начинать загрузку автоматически Folder watching @@ -895,7 +895,7 @@ p, li { white-space: pre-wrap; } Listening port - Прослушивание порта + Прослушивание порта to @@ -904,27 +904,27 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - Включить распределение портов UPnP + Включить распределение портов UPnP Enable NAT-PMP port mapping - Включить распределение портов NAT-PMP + Включить распределение портов NAT-PMP Global bandwidth limiting - Общее ограничение канала + Общее ограничение канала Upload: - Отдача: + Отдача: Download: - Загрузка: + Загрузка: Bittorrent features - Возможности Bittorrent + Возможности Bittorrent Use the same port for DHT and Bittorrent @@ -932,39 +932,39 @@ p, li { white-space: pre-wrap; } Type: - Тип: + Тип: (None) - (нет) + (нет) Proxy: - Прокси: + Прокси: Username: - Имя пользователя: + Имя пользователя: Bittorrent - Bittorrent + Bittorrent Connections limit - Ограничение соединений + Ограничение соединений Global maximum number of connections: - Общее ограничение на число соединений: + Общее ограничение на число соединений: Maximum number of connections per torrent: - Максимальное число соединений на torrent: + Максимальное число соединений на torrent: Maximum number of upload slots per torrent: - Максимальное количество слотов отдачи на torrent: + Максимальное количество слотов отдачи на torrent: Additional Bittorrent features @@ -972,7 +972,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - Включить DHT сеть (децентрализованную) + Включить DHT сеть (децентрализованную) Enable Peer eXchange (PeX) @@ -980,23 +980,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Включить обнаружение локальных пиров + Включить обнаружение локальных пиров Encryption: - Шифрование: + Шифрование: Share ratio settings - Настройки коэффициента раздачи + Настройки коэффициента раздачи Desired ratio: - Предпочитаемое соотношение: + Предпочитаемое соотношение: Filter file path: - Файл фильтра: + Файл фильтра: transfer lists refresh interval: @@ -1004,39 +1004,39 @@ p, li { white-space: pre-wrap; } ms - мс + мс RSS - RSS + RSS RSS feeds refresh interval: - Интервал обновления RSS каналов: + Интервал обновления RSS каналов: minutes - минут + минут Maximum number of articles per feed: - Максимальное число статей на канал: + Максимальное число статей на канал: File system - Файловая система + Файловая система Remove finished torrents when their ratio reaches: - Удалять законченные torrentы когда их соотношение раздачи достигнет: + Удалять законченные torrentы когда их соотношение раздачи достигнет: System default - Системная тема + Системная тема Start minimized - Запускать свернутым + Запускать свернутым Action on double click in transfer lists @@ -1077,59 +1077,59 @@ p, li { white-space: pre-wrap; } Web UI - Web интерфейс + Web интерфейс Enable Web User Interface - Включить Web интерфейс + Включить Web интерфейс HTTP Server - HTTP сервер + HTTP сервер Enable RSS support - Включить поддержку RSS + Включить поддержку RSS RSS settings - Настройки RSS + Настройки RSS Torrent queueing - Очереди Torrent + Очереди Torrent Enable queueing system - Включить очереди torrent + Включить очереди torrent Maximum active downloads: - Максимальное число активных закачек: + Максимальное число активных закачек: Maximum active torrents: - Максимальное число активных torrent: + Максимальное число активных torrent: Display top toolbar - Показать верхнюю панель + Показать верхнюю панель Search engine proxy settings - Настройки прокси для поисковых движков + Настройки прокси для поисковых движков Bittorrent proxy settings - Настройки прокси Bittorrent + Настройки прокси Bittorrent Maximum active uploads: - Максимальное число активных раздач: + Максимальное число активных раздач: Spoof µtorrent to avoid ban (requires restart) - "Обманывать" µtorrent чтобы избежать бана (требуется перезапуск) + "Обманывать" µtorrent чтобы избежать бана (требуется перезапуск) Action for double click @@ -1138,11 +1138,11 @@ p, li { white-space: pre-wrap; } Start/Stop - Начать/Остановить + Начать/Остановить Open folder - Открыть папку + Открыть папку Show properties @@ -1150,19 +1150,19 @@ p, li { white-space: pre-wrap; } Port used for incoming connections: - Порт, используемый для входящих соединений: + Порт, используемый для входящих соединений: Random - Случайно + Случайно UI - Интерфейс + Интерфейс Disable splash screen - Отключить заставку при загрузке + Отключить заставку при загрузке Transfer list refresh interval: @@ -1175,101 +1175,27 @@ p, li { white-space: pre-wrap; } Downloading: - Скачивание: + Скачивание: Completed: - Завершено: + Завершено: Peer connections - Соединения с пирами + Соединения с пирами Resolve peer countries - Определить страну пира + Определить страну пира Resolve peer host names - Определить имя хоста пира + Определить имя хоста пира Use a different port for DHT and Bittorrent - Использовать разные порты для DHT и Bittorrent - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Disk cache: - - - - MiB (advanced) - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Использовать разные порты для DHT и Bittorrent @@ -2688,6 +2614,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Не возможно сохранить настройки, qBittorrent возможно недоступен. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -3067,6 +3018,469 @@ Are you sure you want to quit qBittorrent? Ограничение соотношения скачивания + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_sk.qm b/src/lang/qbittorrent_sk.qm index 9e150b827..8b0caf73f 100644 Binary files a/src/lang/qbittorrent_sk.qm and b/src/lang/qbittorrent_sk.qm differ diff --git a/src/lang/qbittorrent_sk.ts b/src/lang/qbittorrent_sk.ts index fc36e7920..54efa8c24 100644 --- a/src/lang/qbittorrent_sk.ts +++ b/src/lang/qbittorrent_sk.ts @@ -364,7 +364,7 @@ p, li { white-space: pre-wrap; } Proxy - Proxy + Proxy Proxy Settings @@ -380,7 +380,7 @@ p, li { white-space: pre-wrap; } Port: - Port: + Port: Proxy server requires authentication @@ -388,7 +388,7 @@ p, li { white-space: pre-wrap; } Authentication - Autentifikácia + Autentifikácia User Name: @@ -396,7 +396,7 @@ p, li { white-space: pre-wrap; } Password: - Heslo: + Heslo: Enable connection through a proxy server @@ -448,11 +448,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - Aktivovať filtrovanie IP + Aktivovať filtrovanie IP Filter Settings - Nastavenie filtra + Nastavenie filtra Start IP @@ -476,7 +476,7 @@ p, li { white-space: pre-wrap; } IP Filter - IP filter + IP filter Add Range @@ -512,7 +512,7 @@ p, li { white-space: pre-wrap; } Language: - Jazyk: + Jazyk: Behaviour @@ -536,7 +536,7 @@ p, li { white-space: pre-wrap; } KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -572,7 +572,7 @@ p, li { white-space: pre-wrap; } DHT port: - Port DHT: + Port DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -620,7 +620,7 @@ p, li { white-space: pre-wrap; } Connection - Spojenie + Spojenie Peer eXchange (PeX) @@ -660,7 +660,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Plastický štýl (ako KDE) + Plastický štýl (ako KDE) Cleanlooks style (GNOME like) @@ -672,7 +672,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - Štýl CDE (ako Common Desktop Environment) + Štýl CDE (ako Common Desktop Environment) MacOS style (MacOSX only) @@ -692,31 +692,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Ovplyvnené spojenia + Ovplyvnené spojenia Use proxy for connections to trackers - Používať proxy pre spojenia s trackermi + Používať proxy pre spojenia s trackermi Use proxy for connections to regular peers - Používať proxy pre spojenia s obyčajnými rovesníkmi + Používať proxy pre spojenia s obyčajnými rovesníkmi Use proxy for connections to web seeds - Používať proxy pre spojenia k web seedom + Používať proxy pre spojenia k web seedom Use proxy for DHT messages - Používať proxy pre DHT správy + Používať proxy pre DHT správy Encryption @@ -728,19 +728,19 @@ p, li { white-space: pre-wrap; } Enabled - Zapnuté + Zapnuté Forced - Vynútené + Vynútené Disabled - Vypnuté + Vypnuté Preferences - Nastavenia + Nastavenia General @@ -756,44 +756,44 @@ p, li { white-space: pre-wrap; } Visual style: - Vizuálny štýl: + Vizuálny štýl: Cleanlooks style (Gnome like) - Čistý vzhľad (ako GNOME) + Čistý vzhľad (ako GNOME) Motif style (Unix like) - Štýl Motif (ako Unix) + Štýl Motif (ako Unix) Ask for confirmation on exit when download list is not empty - Potvrdenie skončenia v prípade, že zoznam sťahovaní nie je prázdny + Potvrdenie skončenia v prípade, že zoznam sťahovaní nie je prázdny Display current speed in title bar - Zobraziť aktuálnu rýchlosť sťahovania v titulnom pruhu + Zobraziť aktuálnu rýchlosť sťahovania v titulnom pruhu System tray icon - Ikona v oznamovacej oblasti (systray) + Ikona v oznamovacej oblasti (systray) Disable system tray icon - Vypnúť ikonu v oznamovacej oblasti + Vypnúť ikonu v oznamovacej oblasti Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Zatvoriť do oznamovacej oblasti + Zatvoriť do oznamovacej oblasti Minimize to tray - Minimalizovať do oznamovacej oblasti + Minimalizovať do oznamovacej oblasti Show notification balloons in tray - Zobrazovať bublinové upozornenia v oblasti upozornení + Zobrazovať bublinové upozornenia v oblasti upozornení Media player: @@ -801,7 +801,7 @@ p, li { white-space: pre-wrap; } Downloads - Sťahovania + Sťahovania Put downloads in this folder: @@ -809,20 +809,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Dopredu alokovať všetky súbory + Dopredu alokovať všetky súbory When adding a torrent - Pri pridávaní torrentu + Pri pridávaní torrentu Display torrent content and some options - Zobraziť obsah torrentu a nejaké voľby + Zobraziť obsah torrentu a nejaké voľby Do not start download automatically The torrent will be added to download list in pause state - Nezačínať sťahovanie automaticky + Nezačínať sťahovanie automaticky Folder watching @@ -856,7 +856,7 @@ p, li { white-space: pre-wrap; } Listening port - Počúvať na porte + Počúvať na porte to @@ -865,27 +865,27 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - Zapnúť mapovanie portov UPnP + Zapnúť mapovanie portov UPnP Enable NAT-PMP port mapping - Zapnúť mapovanie portov NAT-PMP + Zapnúť mapovanie portov NAT-PMP Global bandwidth limiting - Globálny limit pásma + Globálny limit pásma Upload: - Nahrávanie: + Nahrávanie: Download: - Sťahovanie: + Sťahovanie: Bittorrent features - Možnosti siete Bittorrent + Možnosti siete Bittorrent Use the same port for DHT and Bittorrent @@ -893,39 +893,39 @@ p, li { white-space: pre-wrap; } Type: - Typ: + Typ: (None) - (žiadny) + (žiadny) Proxy: - Proxy: + Proxy: Username: - Meno používateľa: + Meno používateľa: Bittorrent - Bittorrent + Bittorrent Connections limit - Limit spojení + Limit spojení Global maximum number of connections: - Maximálny globálny počet spojení: + Maximálny globálny počet spojení: Maximum number of connections per torrent: - Maximálny počet spojení na torrent: + Maximálny počet spojení na torrent: Maximum number of upload slots per torrent: - Maximálny počet slotov pre nahrávanie na torrent: + Maximálny počet slotov pre nahrávanie na torrent: Additional Bittorrent features @@ -933,7 +933,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - Zapnúť sieť DHT (decentralizovaná) + Zapnúť sieť DHT (decentralizovaná) Enable Peer eXchange (PeX) @@ -941,23 +941,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Zapnúť Local Peer Discovery + Zapnúť Local Peer Discovery Encryption: - Šifrovanie: + Šifrovanie: Share ratio settings - Nastavenia pomeru zdieľania + Nastavenia pomeru zdieľania Desired ratio: - Požadovaný pomer: + Požadovaný pomer: Filter file path: - Cesta k súboru filtov: + Cesta k súboru filtov: transfer lists refresh interval: @@ -965,39 +965,39 @@ p, li { white-space: pre-wrap; } ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Interval obnovovania RSS kanálov: + Interval obnovovania RSS kanálov: minutes - minút + minút Maximum number of articles per feed: - Maximálny počet článkov na kanál: + Maximálny počet článkov na kanál: File system - Súborový systém + Súborový systém Remove finished torrents when their ratio reaches: - Odstrániť dokončené torrenty, keď ich pomer dosiahne: + Odstrániť dokončené torrenty, keď ich pomer dosiahne: System default - Štandardné nastavenie systému + Štandardné nastavenie systému Start minimized - Spustiť minimalizované + Spustiť minimalizované Action on double click in transfer lists @@ -1038,59 +1038,55 @@ p, li { white-space: pre-wrap; } Web UI - Webové rozhranie + Webové rozhranie Enable Web User Interface - Zapnúť webové rozhranie + Zapnúť webové rozhranie HTTP Server - HTTP Server - - - Enable RSS support - + HTTP Server RSS settings - Nastavenia RSS + Nastavenia RSS Enable queueing system - Zapnúť systém frontu + Zapnúť systém frontu Maximum active downloads: - Maximum aktívnych sťahovaní: + Maximum aktívnych sťahovaní: Torrent queueing - Zaraďovanie torrentov do frontu + Zaraďovanie torrentov do frontu Maximum active torrents: - Maximum aktívnych torrentov: + Maximum aktívnych torrentov: Display top toolbar - Zobrazovať horný panel nástrojov + Zobrazovať horný panel nástrojov Search engine proxy settings - Proxy nastavenie vyhľadávača + Proxy nastavenie vyhľadávača Bittorrent proxy settings - Nastavenie Bittorrent proxy + Nastavenie Bittorrent proxy Maximum active uploads: - Max. aktívnych nahrávaní: + Max. aktívnych nahrávaní: Spoof µtorrent to avoid ban (requires restart) - Predstierať µtorrent aby sme sa vyhli blokovaniu (vyžaduje reštart) + Predstierať µtorrent aby sme sa vyhli blokovaniu (vyžaduje reštart) Action for double click @@ -1099,11 +1095,11 @@ p, li { white-space: pre-wrap; } Start/Stop - Spustiť/Zastaviť + Spustiť/Zastaviť Open folder - Otvoriť priečinok + Otvoriť priečinok Show properties @@ -1111,19 +1107,19 @@ p, li { white-space: pre-wrap; } Port used for incoming connections: - Port pre prichádzajúce spojenia: + Port pre prichádzajúce spojenia: Random - Náhodný + Náhodný UI - Rozhranie + Rozhranie Disable splash screen - Vypnúť štartovaciu obrazovku + Vypnúť štartovaciu obrazovku Transfer list refresh interval: @@ -1136,101 +1132,27 @@ p, li { white-space: pre-wrap; } Downloading: - Sťahuje sa: + Sťahuje sa: Completed: - Hotovo: + Hotovo: Peer connections - Pripojení + Pripojení Resolve peer countries - Prekladať krajiny rovesníkov + Prekladať krajiny rovesníkov Resolve peer host names - Prekladať názvy počítačov rovesníkov + Prekladať názvy počítačov rovesníkov Use a different port for DHT and Bittorrent - Používať odlišný port pre DHT a Bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Používať odlišný port pre DHT a Bittorrent @@ -2619,6 +2541,31 @@ Ste si istý, že chcete ukončiť Bittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Nepodarilo sa uložiť nastavenia programu, qBittorrent je pravdepodobne nedostupný. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2990,6 +2937,469 @@ Ste si istý, že chcete ukončiť Bittorrent? Obmedzenie rýchlosti sťahovania + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_sr.qm b/src/lang/qbittorrent_sr.qm index a3bdbb415..842e4c448 100644 Binary files a/src/lang/qbittorrent_sr.qm and b/src/lang/qbittorrent_sr.qm differ diff --git a/src/lang/qbittorrent_sr.ts b/src/lang/qbittorrent_sr.ts index 7f0d59725..390e7593d 100644 --- a/src/lang/qbittorrent_sr.ts +++ b/src/lang/qbittorrent_sr.ts @@ -338,331 +338,188 @@ p, li { white-space: pre-wrap; } Dialog - - - Port: - Порт: + Порт: - - - Authentication - Аутентификација + Аутентификација - - - Password: - Шифра: + Шифра: - Activate IP Filtering - Активирање IP Филтрирања + Активирање IP Филтрирања - Filter Settings - Подешавање Филтера + Подешавање Филтера - Language: - Језик: + Језик: - - KiB/s - KiB/s + KiB/s <b>Note:</b> Changes will be applied after qBittorrent is restarted. <b>Напомена:</b> Промене ће бити примењене након рестарта qBittorrent-а. - Connection - Конекције + Конекције - - User interface - - - - - (Requires restart) - - - - Plastique style (KDE like) - Plastique стил (као KDE) + Plastique стил (као KDE) - CDE style (Common Desktop Environment like) - CDE стил (као Common Desktop Environment) + CDE стил (као Common Desktop Environment) - - Transfer list - - - - - Refresh interval: - - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - - - - - Start/Stop - Старт/Стоп + Старт/Стоп - - Open folder - Отвори фасциклу + Отвори фасциклу - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - - Destination Folder: - - - - - Append the torrent's label - - - - - Use a different folder for incomplete downloads: - - - - - - QLineEdit { - margin-left: 23px; -} - - - - - Automatically load .torrent files from: - - - - - Append .!qB extension to incomplete files - - - - - Disk cache: - - - - - MiB (advanced) - - - - Port used for incoming connections: - Порт коришћен за долазеће конекције: + Порт коришћен за долазеће конекције: - Random - Случајан + Случајан - Use a different port for DHT and Bittorrent - Користи различит порт за DHT и Бит-торент + Користи различит порт за DHT и Бит-торент - - Enable Peer Exchange / PeX (requires restart) - - - - - HTTP - HTTP + HTTP - SOCKS5 - SOCKS5 + SOCKS5 - Affected connections - Очекиване конекције + Очекиване конекције - Use proxy for connections to trackers - Користи Прокси сервер за конекције ка пратиоцима + Користи Прокси сервер за конекције ка пратиоцима - Use proxy for connections to regular peers - Користи Прокси сервер за конекције ка peers(учесницима) + Користи Прокси сервер за конекције ка peers(учесницима) - Use proxy for connections to web seeds - Користи Прокси сервер за конекције ка веб донорима + Користи Прокси сервер за конекције ка веб донорима - Use proxy for DHT messages - Користи Прокси сервер за DHT поруке + Користи Прокси сервер за DHT поруке - Enabled - Омогући + Омогући - Forced - Форсирано + Форсирано - Disabled - Онемогући + Онемогући - Preferences - Подешавања + Подешавања - IP Filter - IP Филтер + IP Филтер User interface settings Подешавање корисничког интерфејса - Visual style: - Изглед: + Изглед: - Cleanlooks style (Gnome like) - Cleanlooks стил (као Gnome) + Cleanlooks стил (као Gnome) - Motif style (Unix like) - Motif стил (као Unix) + Motif стил (као Unix) - Ask for confirmation on exit when download list is not empty - Питај за потврду при изласку, када листа преузимања није празна + Питај за потврду при изласку, када листа преузимања није празна - Display current speed in title bar - Прикажи тренутну брзину на насловној траци + Прикажи тренутну брзину на насловној траци Transfer list refresh interval: Трансфер листа интервал освежавања: - System tray icon - Системска палета , икона + Системска палета , икона - Disable system tray icon - Онемогући икону на системској палети + Онемогући икону на системској палети - Close to tray i.e: The systray tray icon will still be visible when closing the main window. н.пр.: Системска икона ће бити видљива када затворите главни прозор - Затвори на системску палету + Затвори на системску палету - Minimize to tray - Минимизуј на палету + Минимизуј на палету - Show notification balloons in tray - Прикажи балоне са коментарима на палети + Прикажи балоне са коментарима на палети - Downloads - Преузимање + Преузимање - Pre-allocate all files - Прераспореди све фајлове + Прераспореди све фајлове - When adding a torrent - Када додајете неки торент + Када додајете неки торент - Display torrent content and some options - Прикажи садржај торента и неке опције + Прикажи садржај торента и неке опције - Do not start download automatically The torrent will be added to download list in pause state Торент ће бити додат на листу преузимања у стању паузе - Немој аутоматски да стартујеш преузимање + Немој аутоматски да стартујеш преузимање Folder watching @@ -671,20 +528,17 @@ QGroupBox { Надгледање фасцикле - UI UI-КИ Кориснички интрфејс - КИ + КИ - Proxy - Прокси + Прокси - Disable splash screen - Онемогући уводни екран + Онемогући уводни екран Download folder: @@ -700,96 +554,74 @@ QGroupBox { Аутоматски преузми торенте присутне у овој фасцикли: - Listening port - Надгледај порт + Надгледај порт - Enable UPnP port mapping - Омогући UPnP мапирање порта + Омогући UPnP мапирање порта - Enable NAT-PMP port mapping - Омогући NAT-PMP мапирање порта + Омогући NAT-PMP мапирање порта - Global bandwidth limiting - Опште ограничење протока + Опште ограничење протока - Upload: - Слање: + Слање: - Download: - Преузимање: + Преузимање: - Peer connections Peer (учесничк) -активна веза - Peer(учесничке) конекције + Peer(учесничке) конекције - Resolve peer countries Peer (учесник) -активна веза - Одреди земљу peer-а (учесника) + Одреди земљу peer-а (учесника) - Resolve peer host names - Одреди име хоста peer-а (учесника) + Одреди име хоста peer-а (учесника) - Bittorrent features - Бит-торент карактеристике + Бит-торент карактеристике - DHT port: - DHT порт: + DHT порт: - Spoof µtorrent to avoid ban (requires restart) - Превари µtorrent да избегнеш забрану (захтева рестарт) + Превари µtorrent да избегнеш забрану (захтева рестарт) - - Type: - Тип: + Тип: - - (None) - (Ниједан) + (Ниједан) - - Proxy: - Прокси: + Прокси: - - - Username: - Корисничко име: + Корисничко име: - Bittorrent - Бит-торент + Бит-торент Action on double click @@ -798,177 +630,142 @@ QGroupBox { Акција за двоструки клик - Downloading: - Преузимање: + Преузимање: - Completed: - Завршено: + Завршено: - Connections limit - Конекциона ограничења + Конекциона ограничења - Global maximum number of connections: - Општи максимални број конекција: + Општи максимални број конекција: - Maximum number of connections per torrent: - Максимални број конекција по торенту: + Максимални број конекција по торенту: - Maximum number of upload slots per torrent: - Максимални број слотова за слање по торенту: + Максимални број слотова за слање по торенту: - Enable DHT network (decentralized) - Омогући DHT мрежу (децентализовано) + Омогући DHT мрежу (децентализовано) - Enable Local Peer Discovery - Омогући откривање локалних веза Peer(учесника) + Омогући откривање локалних веза Peer(учесника) - Encryption: - Шифровање: + Шифровање: - Share ratio settings - Подешавање идекса дељења + Подешавање идекса дељења - Desired ratio: - Жељени индекс: + Жељени индекс: - Filter file path: - Филтер, путања фајла: + Филтер, путања фајла: - ms - ms + ms - - RSS RSS је породица веб формата који се користе за објављивање садржаја који се често мењају, као што су новински наслови. RSS документ садржи или сажетак садржаја са придружене веб стране, или читав текст. RSS вам омогућава да будете у току са изменама и новостима са неког веб сајта потпуно аутоматски, а тај садржај се може увести у RSS апликацију на вашој страни. - RSS + RSS - RSS feeds refresh interval: - RSS поруке интервал освежавања: + RSS поруке интервал освежавања: - minutes - минута + минута - Maximum number of articles per feed: - Максимални број чланака по допису: + Максимални број чланака по допису: - File system - Фајл систем + Фајл систем - Remove finished torrents when their ratio reaches: - Премести завршене торенте када је овај индекс достигнут: + Премести завршене торенте када је овај индекс достигнут: - System default - Системски подразумевано + Системски подразумевано - Start minimized - Стартуј минимизовано + Стартуј минимизовано - Web UI Web UI (Веб Кориснички Интерфејс) - Веб КИ + Веб КИ - Enable Web User Interface - Омогући Веб Кориснички Интерфејс + Омогући Веб Кориснички Интерфејс - HTTP Server - HTTP Сервер + HTTP Сервер - Enable RSS support - Омогући RSS подршку + Омогући RSS подршку - RSS settings - RSS подешавање + RSS подешавање - Enable queueing system - Омогући системско опслуживање + Омогући системско опслуживање - Maximum active downloads: - Максимум активних преузимања: + Максимум активних преузимања: - Torrent queueing - Торент опслуживање + Торент опслуживање - Maximum active torrents: - Максимум активних торента: + Максимум активних торента: - Display top toolbar - Прикажи горњу траку алата + Прикажи горњу траку алата - Search engine proxy settings - Претраживачки модул прокси подешавања + Претраживачки модул прокси подешавања - Bittorrent proxy settings - Бит-торент прокси подешавања + Бит-торент прокси подешавања - Maximum active uploads: - Максимум активних слања: + Максимум активних слања: @@ -997,33 +794,33 @@ QGroupBox { Није још контактиран - - + + this session ова сесија - - + + /s /second (i.e. per second) /s - + Seeded for %1 e.g. Seeded for 3m10s Донирано за %1 - + %1 max e.g. 10 max %1 max - - + + %1/s e.g. 120 KiB/s %1/s @@ -1573,6 +1370,37 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. Не могу да сачувам програмска подешавања, qBittorrent је вероватно недоступан. + + + Language + + + + + Downloaded + Is the file downloaded or not? + + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + + The Web UI username must be at least 3 characters long. + + + + + The Web UI password must be at least 3 characters long. + + MainWindow @@ -1860,6 +1688,598 @@ Are you sure you want to quit qBittorrent? Ограничење брзине преузимања + + Preferences + + + Preferences + + + + + UI + + + + + Downloads + + + + + Connection + + + + + Bittorrent + + + + + Proxy + + + + + IP Filter + + + + + Web UI + + + + + + RSS + + + + + User interface + + + + + Language: + + + + + (Requires restart) + + + + + Visual style: + + + + + System default + + + + + Plastique style (KDE like) + + + + + Cleanlooks style (Gnome like) + + + + + Motif style (Unix like) + + + + + CDE style (Common Desktop Environment like) + + + + + Ask for confirmation on exit when download list is not empty + + + + + Display top toolbar + + + + + Disable splash screen + + + + + Display current speed in title bar + + + + + Transfer list + + + + + Refresh interval: + + + + + ms + + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + + Downloading: + + + + + + Start/Stop + + + + + + Open folder + + + + + Completed: + + + + + System tray icon + + + + + Disable system tray icon + + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + + Minimize to tray + + + + + Start minimized + + + + + Show notification balloons in tray + + + + + File system + + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + + Destination Folder: + + + + + Append the torrent's label + + + + + Use a different folder for incomplete downloads: + + + + + + QLineEdit { + margin-left: 23px; +} + + + + + Automatically load .torrent files from: + + + + + Append .!qB extension to incomplete files + + + + + Pre-allocate all files + + + + + Disk cache: + + + + + MiB (advanced) + + + + + Torrent queueing + + + + + Enable queueing system + + + + + Maximum active downloads: + + + + + Maximum active uploads: + + + + + Maximum active torrents: + + + + + When adding a torrent + + + + + Display torrent content and some options + + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + + Listening port + + + + + Port used for incoming connections: + + + + + Random + + + + + Enable UPnP port mapping + + + + + Enable NAT-PMP port mapping + + + + + Connections limit + + + + + Global maximum number of connections: + + + + + Maximum number of connections per torrent: + + + + + Maximum number of upload slots per torrent: + + + + + Global bandwidth limiting + + + + + Upload: + + + + + Download: + + + + + + KiB/s + + + + + Peer connections + + + + + Resolve peer countries + + + + + Resolve peer host names + + + + + Bittorrent features + + + + + Enable DHT network (decentralized) + + + + + Use a different port for DHT and Bittorrent + + + + + DHT port: + + + + + Enable Peer Exchange / PeX (requires restart) + + + + + Enable Local Peer Discovery + + + + + Spoof µtorrent to avoid ban (requires restart) + + + + + Encryption: + + + + + Enabled + + + + + Forced + + + + + Disabled + + + + + Share ratio settings + + + + + Desired ratio: + + + + + Remove finished torrents when their ratio reaches: + + + + + Search engine proxy settings + + + + + + Type: + + + + + + (None) + + + + + + HTTP + + + + + + Proxy: + + + + + + + Port: + + + + + + + Authentication + + + + + + + Username: + + + + + + + Password: + + + + + Bittorrent proxy settings + + + + + SOCKS5 + + + + + Affected connections + + + + + Use proxy for connections to trackers + + + + + Use proxy for connections to regular peers + + + + + Use proxy for DHT messages + + + + + Use proxy for connections to web seeds + + + + + Filter Settings + + + + + Activate IP Filtering + + + + + Filter path (.dat, .p2p, .p2b): + + + + + Enable Web User Interface + + + + + HTTP Server + + + + + Enable RSS support + + + + + RSS settings + + + + + RSS feeds refresh interval: + + + + + minutes + + + + + Maximum number of articles per feed: + + + PropListDelegate diff --git a/src/lang/qbittorrent_sv.qm b/src/lang/qbittorrent_sv.qm index 56de56040..e56aa32f7 100644 Binary files a/src/lang/qbittorrent_sv.qm and b/src/lang/qbittorrent_sv.qm differ diff --git a/src/lang/qbittorrent_sv.ts b/src/lang/qbittorrent_sv.ts index 798cf9085..29878fdb0 100644 --- a/src/lang/qbittorrent_sv.ts +++ b/src/lang/qbittorrent_sv.ts @@ -321,23 +321,23 @@ p, li { white-space: pre-wrap; } Port: - Port: + Port: Authentication - Autentisering + Autentisering Password: - Lösenord: + Lösenord: Activate IP Filtering - Aktivera IP-filtrering + Aktivera IP-filtrering Filter Settings - Filterinställningar + Filterinställningar Misc @@ -345,11 +345,11 @@ p, li { white-space: pre-wrap; } Language: - Språk: + Språk: KiB/s - KiB/s + KiB/s <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -357,59 +357,59 @@ p, li { white-space: pre-wrap; } Connection - Anslutning + Anslutning Plastique style (KDE like) - Plastisk stil (KDE-liknande) + Plastisk stil (KDE-liknande) CDE style (Common Desktop Environment like) - CDE-stil (Common Desktop Environment-liknande) + CDE-stil (Common Desktop Environment-liknande) HTTP - HTTP + HTTP SOCKS5 - SOCKS 5 + SOCKS 5 Affected connections - Berörda anslutningar + Berörda anslutningar Use proxy for connections to trackers - Använd proxy för anslutningar till bevakare + Använd proxy för anslutningar till bevakare Use proxy for connections to regular peers - Använd proxy för anslutningar till vanliga klienter + Använd proxy för anslutningar till vanliga klienter Use proxy for connections to web seeds - Använd proxy för anslutningar till webbdistributörer + Använd proxy för anslutningar till webbdistributörer Use proxy for DHT messages - Använd proxy för DHT-meddelanden + Använd proxy för DHT-meddelanden Enabled - Aktiverad + Aktiverad Forced - Tvingad + Tvingad Disabled - Inaktiverad + Inaktiverad Preferences - Inställningar + Inställningar General @@ -421,7 +421,7 @@ p, li { white-space: pre-wrap; } IP Filter - IP-filter + IP-filter User interface settings @@ -429,48 +429,48 @@ p, li { white-space: pre-wrap; } Visual style: - Visuell stil: + Visuell stil: Cleanlooks style (Gnome like) - Cleanlooks-stil (Gnome-liknande) + Cleanlooks-stil (Gnome-liknande) Motif style (Unix like) - Motif-stil (Unix-liknande) + Motif-stil (Unix-liknande) Ask for confirmation on exit when download list is not empty - Fråga efter bekräftelse vid avslut när hämtningslistan inte är tom + Fråga efter bekräftelse vid avslut när hämtningslistan inte är tom Display current speed in title bar - Visa aktuell hastighet i titellisten + Visa aktuell hastighet i titellisten System tray icon - Ikon i aktivitetsfältet + Ikon i aktivitetsfältet Disable system tray icon - Inaktivera ikon i aktivitetsfältet + Inaktivera ikon i aktivitetsfältet Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Stäng till aktivitetsfält + Stäng till aktivitetsfält Minimize to tray - Minimera till aktivitetsfält + Minimera till aktivitetsfält Show notification balloons in tray - Visa notifieringsballongtext i aktivitetsfält + Visa notifieringsballongtext i aktivitetsfält Downloads - Hämtningar + Hämtningar Put downloads in this folder: @@ -478,20 +478,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Förallokera alla filer + Förallokera alla filer When adding a torrent - När en torrent läggs till + När en torrent läggs till Display torrent content and some options - Visa torrent-innehåll och några alternativ + Visa torrent-innehåll och några alternativ Do not start download automatically The torrent will be added to download list in pause state - Starta inte hämtningen automatiskt + Starta inte hämtningen automatiskt Folder watching @@ -525,31 +525,31 @@ p, li { white-space: pre-wrap; } Listening port - Lyssningsport + Lyssningsport Enable UPnP port mapping - Aktivera UPnP-portmappning + Aktivera UPnP-portmappning Enable NAT-PMP port mapping - Aktivera NAT-PMP-portmappning + Aktivera NAT-PMP-portmappning Global bandwidth limiting - Allmän bandbreddsbegränsning + Allmän bandbreddsbegränsning Upload: - Sändning: + Sändning: Download: - Hämtning: + Hämtning: Bittorrent features - Bittorrent-funktioner + Bittorrent-funktioner Use the same port for DHT and Bittorrent @@ -557,43 +557,43 @@ p, li { white-space: pre-wrap; } DHT port: - DHT-port: + DHT-port: Type: - Typ: + Typ: (None) - (Ingen) + (Ingen) Proxy: - Proxy: + Proxy: Username: - Användarnamn: + Användarnamn: Bittorrent - Bittorrent + Bittorrent Connections limit - Gräns för anslutningar + Gräns för anslutningar Global maximum number of connections: - Allmänt maximalt antal anslutningar: + Allmänt maximalt antal anslutningar: Maximum number of connections per torrent: - Maximalt antal anslutningar per torrent: + Maximalt antal anslutningar per torrent: Maximum number of upload slots per torrent: - Maximalt antal sändningsplatser per torrent: + Maximalt antal sändningsplatser per torrent: Additional Bittorrent features @@ -601,7 +601,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - Aktivera DHT-nätverk (decentraliserat) + Aktivera DHT-nätverk (decentraliserat) Enable Peer eXchange (PeX) @@ -609,23 +609,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Aktivera identifiering av lokala klienter + Aktivera identifiering av lokala klienter Encryption: - Kryptering: + Kryptering: Share ratio settings - Inställningar för utdelningsförhållande + Inställningar för utdelningsförhållande Desired ratio: - Önskat förhållande: + Önskat förhållande: Filter file path: - Sökväg för filterfil: + Sökväg för filterfil: transfer lists refresh interval: @@ -633,35 +633,35 @@ p, li { white-space: pre-wrap; } ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - Uppdateringsintervall för RSS-kanaler: + Uppdateringsintervall för RSS-kanaler: minutes - minuter + minuter Maximum number of articles per feed: - Maximalt antal inlägg per RSS-kanal: + Maximalt antal inlägg per RSS-kanal: File system - Filsystem + Filsystem Remove finished torrents when their ratio reaches: - Ta bort färdiga torrent-filer när deras förhållande når: + Ta bort färdiga torrent-filer när deras förhållande når: System default - Systemets standard + Systemets standard to @@ -670,7 +670,7 @@ p, li { white-space: pre-wrap; } Start minimized - Starta minimerad + Starta minimerad Action on double click in transfer lists @@ -711,63 +711,63 @@ p, li { white-space: pre-wrap; } Web UI - Webbgränssnitt + Webbgränssnitt Enable Web User Interface - Aktivera webbgränssnitt + Aktivera webbgränssnitt HTTP Server - HTTP-server + HTTP-server Enable RSS support - Aktivera RSS-stöd + Aktivera RSS-stöd RSS settings - RSS-inställningar + RSS-inställningar Enable queueing system - Aktivera kösystem + Aktivera kösystem Maximum active downloads: - Maximalt antal aktiva hämtningar: + Maximalt antal aktiva hämtningar: Torrent queueing - Torrentkö + Torrentkö Maximum active torrents: - Maximalt antal aktiva torrent: + Maximalt antal aktiva torrent: Display top toolbar - Visa övre verktygsrad + Visa övre verktygsrad Proxy - Proxyserver + Proxyserver Search engine proxy settings - Proxyinställningar för sökmotor + Proxyinställningar för sökmotor Bittorrent proxy settings - Proxyinställningar för Bittorrent + Proxyinställningar för Bittorrent Maximum active uploads: - Maximalt antal aktiva sändningar: + Maximalt antal aktiva sändningar: Spoof µtorrent to avoid ban (requires restart) - Simulera µtorrent för att undvika bannlysning (kräver omstart) + Simulera µtorrent för att undvika bannlysning (kräver omstart) Action for double click @@ -776,11 +776,11 @@ p, li { white-space: pre-wrap; } Start/Stop - Starta/Stoppa + Starta/Stoppa Open folder - Öppna mapp + Öppna mapp Show properties @@ -788,19 +788,19 @@ p, li { white-space: pre-wrap; } Port used for incoming connections: - Port att använda för inkommande anslutningar: + Port att använda för inkommande anslutningar: Random - Slumpmässigt + Slumpmässigt UI - Användargränssnitt + Användargränssnitt Disable splash screen - Inaktivera startskärm + Inaktivera startskärm Transfer list refresh interval: @@ -813,101 +813,27 @@ p, li { white-space: pre-wrap; } Downloading: - Hämtar: + Hämtar: Completed: - Färdigt: + Färdigt: Peer connections - Klientanslutningar + Klientanslutningar Resolve peer countries - Slå upp klienternas länder + Slå upp klienternas länder Resolve peer host names - Slå upp klienternas värdnamn + Slå upp klienternas värdnamn Use a different port for DHT and Bittorrent - Använd en annan port för DHT och Bittorrent - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Använd en annan port för DHT och Bittorrent @@ -1672,6 +1598,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -1915,6 +1866,469 @@ Are you sure you want to quit qBittorrent? Begränsar hämtningsfrekvens + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_tr.qm b/src/lang/qbittorrent_tr.qm index ec19b3f82..4aa7a54e3 100644 Binary files a/src/lang/qbittorrent_tr.qm and b/src/lang/qbittorrent_tr.qm differ diff --git a/src/lang/qbittorrent_tr.ts b/src/lang/qbittorrent_tr.ts index b14c27aa3..4aada3c89 100644 --- a/src/lang/qbittorrent_tr.ts +++ b/src/lang/qbittorrent_tr.ts @@ -425,7 +425,7 @@ p, li { white-space: pre-wrap; } Proxy - Vekil + Vekil Proxy Settings @@ -441,7 +441,7 @@ p, li { white-space: pre-wrap; } Port: - Kapı: + Kapı: Proxy server requires authentication @@ -449,7 +449,7 @@ p, li { white-space: pre-wrap; } Authentication - Kimlik Denetimi + Kimlik Denetimi User Name: @@ -457,7 +457,7 @@ p, li { white-space: pre-wrap; } Password: - Parola: + Parola: Enable connection through a proxy server @@ -533,11 +533,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - IP Süzgeçlemeyi Etkinleştir + IP Süzgeçlemeyi Etkinleştir Filter Settings - Süzgeç Ayarları + Süzgeç Ayarları ipfilter.dat URL or PATH: @@ -565,7 +565,7 @@ p, li { white-space: pre-wrap; } IP Filter - IP Süzgeci + IP Süzgeci Add Range @@ -605,7 +605,7 @@ p, li { white-space: pre-wrap; } Language: - Dil: + Dil: Behaviour @@ -629,7 +629,7 @@ p, li { white-space: pre-wrap; } KiB/s - KB/s + KB/s 1 KiB DL = @@ -665,7 +665,7 @@ p, li { white-space: pre-wrap; } DHT port: - DHT portu: + DHT portu: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -713,59 +713,59 @@ p, li { white-space: pre-wrap; } Connection - Bağlantı + Bağlantı Plastique style (KDE like) - Plastik biçem (KDE benzeri) + Plastik biçem (KDE benzeri) CDE style (Common Desktop Environment like) - CDE biçemi (Common Desktop Environment benzeri) + CDE biçemi (Common Desktop Environment benzeri) HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - Etkilenen bağlantılar + Etkilenen bağlantılar Use proxy for connections to trackers - İzleyicilere bağlantı için vekil kullan + İzleyicilere bağlantı için vekil kullan Use proxy for connections to regular peers - Düzenli eşlere bağlantı için vekil kullan + Düzenli eşlere bağlantı için vekil kullan Use proxy for connections to web seeds - Ağ göndericilerine bağlantı için vekil kullan + Ağ göndericilerine bağlantı için vekil kullan Use proxy for DHT messages - DHT iletileri için vekil kullan + DHT iletileri için vekil kullan Enabled - Etkin + Etkin Forced - Zorlandı + Zorlandı Disabled - Etkisiz + Etkisiz Preferences - Yeğlenenler + Yeğlenenler General @@ -781,44 +781,44 @@ p, li { white-space: pre-wrap; } Visual style: - Görsel biçem: + Görsel biçem: Cleanlooks style (Gnome like) - Temiz görünüşler biçemi (Gnome benzeri) + Temiz görünüşler biçemi (Gnome benzeri) Motif style (Unix like) - Motif biçemi (Unix benzeri) + Motif biçemi (Unix benzeri) Ask for confirmation on exit when download list is not empty - İndirme listesi boş değilse çıkışta onay iste + İndirme listesi boş değilse çıkışta onay iste Display current speed in title bar - Başlık çubuğunda şimdiki hızı göster + Başlık çubuğunda şimdiki hızı göster System tray icon - Sistem tepsisi simgesi + Sistem tepsisi simgesi Disable system tray icon - Sistem tepsisi simgesini etkisizleştir + Sistem tepsisi simgesini etkisizleştir Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Sistem tepsisine kapat + Sistem tepsisine kapat Minimize to tray - Sistem tepsisine küçült + Sistem tepsisine küçült Show notification balloons in tray - Sistem tepsisinde bildiri balonları göster + Sistem tepsisinde bildiri balonları göster Media player: @@ -826,7 +826,7 @@ p, li { white-space: pre-wrap; } Downloads - İndirilenler + İndirilenler Put downloads in this folder: @@ -834,20 +834,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Bütün dosyalar için alan tahsisi yap + Bütün dosyalar için alan tahsisi yap When adding a torrent - Bir torrent eklerken + Bir torrent eklerken Display torrent content and some options - Torrent içeriğini ve bazı seçenekleri göster + Torrent içeriğini ve bazı seçenekleri göster Do not start download automatically The torrent will be added to download list in pause state - İndirmeyi otomatik olarak başlatma + İndirmeyi otomatik olarak başlatma Folder watching @@ -881,7 +881,7 @@ p, li { white-space: pre-wrap; } Listening port - Kullanılan kapı + Kullanılan kapı to @@ -890,27 +890,27 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - UPnP kapı haritalamayı etkinleştir + UPnP kapı haritalamayı etkinleştir Enable NAT-PMP port mapping - NAT-PMP kapı haritalamayı etkinleştir + NAT-PMP kapı haritalamayı etkinleştir Global bandwidth limiting - Genel bant genişliği sınırlama + Genel bant genişliği sınırlama Upload: - Gönderme: + Gönderme: Download: - İndirme: + İndirme: Bittorrent features - Bittorrent özellikleri + Bittorrent özellikleri Use the same port for DHT and Bittorrent @@ -918,39 +918,39 @@ p, li { white-space: pre-wrap; } Type: - Tip: + Tip: (None) - (Hiçbiri) + (Hiçbiri) Proxy: - Vekil: + Vekil: Username: - Kullanıcı adı: + Kullanıcı adı: Bittorrent - Bittorrent + Bittorrent Connections limit - Bağlantıların sınırı + Bağlantıların sınırı Global maximum number of connections: - Genel azami bağlantı sayısı: + Genel azami bağlantı sayısı: Maximum number of connections per torrent: - Torrent başına azami bağlantı sayısı: + Torrent başına azami bağlantı sayısı: Maximum number of upload slots per torrent: - Torrent başına azami gönderme yuvası sayısı: + Torrent başına azami gönderme yuvası sayısı: Additional Bittorrent features @@ -958,7 +958,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - DHT ağını etkinleştir (dağıtılmış) + DHT ağını etkinleştir (dağıtılmış) Enable Peer eXchange (PeX) @@ -966,23 +966,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Yerel Eş Keşfini Etkinleştir + Yerel Eş Keşfini Etkinleştir Encryption: - Şifreleme: + Şifreleme: Share ratio settings - Oran ayarlarını paylaş + Oran ayarlarını paylaş Desired ratio: - İstenen oran: + İstenen oran: Filter file path: - Dosya yolunu süzgeçle: + Dosya yolunu süzgeçle: transfer lists refresh interval: @@ -990,39 +990,39 @@ p, li { white-space: pre-wrap; } ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - RSS beslemeleri yenileme süresi: + RSS beslemeleri yenileme süresi: minutes - dakika + dakika Maximum number of articles per feed: - Besleme başına azami makale sayısı: + Besleme başına azami makale sayısı: File system - Dosya sistemi + Dosya sistemi Remove finished torrents when their ratio reaches: - Tamamlanan torrentleri oranları erişince kaldır: + Tamamlanan torrentleri oranları erişince kaldır: System default - Sistem varsayılanı + Sistem varsayılanı Start minimized - Küçültülmüş başlat + Küçültülmüş başlat Action on double click in transfer lists @@ -1063,59 +1063,59 @@ p, li { white-space: pre-wrap; } Web UI - Web KA + Web KA Enable Web User Interface - Web Kullanıcı Arayüzünü Etkinleştir + Web Kullanıcı Arayüzünü Etkinleştir HTTP Server - HTTP Sunucu + HTTP Sunucu Enable RSS support - RSS desteğini etkinleştir + RSS desteğini etkinleştir RSS settings - RSS ayarları + RSS ayarları Enable queueing system - Sıralama sistemini etkinleştir + Sıralama sistemini etkinleştir Maximum active downloads: - Azami etkin indirilen: + Azami etkin indirilen: Torrent queueing - Torrent kuyruğu + Torrent kuyruğu Maximum active torrents: - Azami etkin torrent: + Azami etkin torrent: Display top toolbar - Üst araç çubuğunu göster + Üst araç çubuğunu göster Search engine proxy settings - Arama motoru vekil ayarları + Arama motoru vekil ayarları Bittorrent proxy settings - Bittorrent vekil ayarları + Bittorrent vekil ayarları Maximum active uploads: - Azami etkin gönderimler: + Azami etkin gönderimler: Spoof µtorrent to avoid ban (requires restart) - Yasaktan korunmak için µtorrent'i kandır (yeniden başlatmak gerekli) + Yasaktan korunmak için µtorrent'i kandır (yeniden başlatmak gerekli) Action for double click @@ -1124,11 +1124,11 @@ p, li { white-space: pre-wrap; } Start/Stop - Başlat/Durdur + Başlat/Durdur Open folder - Klasör aç + Klasör aç Show properties @@ -1136,19 +1136,19 @@ p, li { white-space: pre-wrap; } Port used for incoming connections: - Gelen bağlantılar için kullanılacak port: + Gelen bağlantılar için kullanılacak port: Random - Rastgele + Rastgele UI - Arabirim + Arabirim Disable splash screen - Ön ekranı etkisizleştir + Ön ekranı etkisizleştir Transfer list refresh interval: @@ -1161,101 +1161,27 @@ p, li { white-space: pre-wrap; } Downloading: - İndiriliyor: + İndiriliyor: Completed: - Tamamlandı: + Tamamlandı: Peer connections - Eş bağlantılar + Eş bağlantılar Resolve peer countries - Eş ülkeleri çöz + Eş ülkeleri çöz Resolve peer host names - Ana makina adı eşlerini çöz + Ana makina adı eşlerini çöz Use a different port for DHT and Bittorrent - DHT ve Bittorrent için farklı bir port kullan - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + DHT ve Bittorrent için farklı bir port kullan @@ -2674,6 +2600,31 @@ qBittorrent'ten çıkmak istediğinize emin misiniz? Unable to save program preferences, qBittorrent is probably unreachable. Program yeğlenenleri kaydedilemedi, qBittorrent'e muhtemelen ulaşılamıyor. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -3053,6 +3004,469 @@ qBittorrent'ten çıkmak istediğinize emin misiniz? İndirme oranını sınırla + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_uk.qm b/src/lang/qbittorrent_uk.qm index 718f71cd1..a73a0bd20 100644 Binary files a/src/lang/qbittorrent_uk.qm and b/src/lang/qbittorrent_uk.qm differ diff --git a/src/lang/qbittorrent_uk.ts b/src/lang/qbittorrent_uk.ts index 40a3b9e0b..6d214d960 100644 --- a/src/lang/qbittorrent_uk.ts +++ b/src/lang/qbittorrent_uk.ts @@ -394,7 +394,7 @@ p, li { white-space: pre-wrap; } Proxy - Проксі + Проксі Proxy Settings @@ -410,7 +410,7 @@ p, li { white-space: pre-wrap; } Port: - Порт: + Порт: Proxy server requires authentication @@ -418,7 +418,7 @@ p, li { white-space: pre-wrap; } Authentication - Аутентифікація + Аутентифікація User Name: @@ -426,7 +426,7 @@ p, li { white-space: pre-wrap; } Password: - Пароль: + Пароль: Enable connection through a proxy server @@ -478,11 +478,11 @@ p, li { white-space: pre-wrap; } Activate IP Filtering - Активувати фільтрацію по IP + Активувати фільтрацію по IP Filter Settings - Налаштування фільтру + Налаштування фільтру Start IP @@ -506,7 +506,7 @@ p, li { white-space: pre-wrap; } IP Filter - IP-фільтр + IP-фільтр Add Range @@ -542,7 +542,7 @@ p, li { white-space: pre-wrap; } Language: - Мова: + Мова: Behaviour @@ -566,7 +566,7 @@ p, li { white-space: pre-wrap; } KiB/s - КіБ/с + КіБ/с 1 KiB DL = @@ -602,7 +602,7 @@ p, li { white-space: pre-wrap; } DHT port: - Порт DHT: + Порт DHT: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -650,7 +650,7 @@ p, li { white-space: pre-wrap; } Connection - З'єднання + З'єднання Peer eXchange (PeX) @@ -682,7 +682,7 @@ p, li { white-space: pre-wrap; } Plastique style (KDE like) - Стиль Plastique (KDE-подібний) + Стиль Plastique (KDE-подібний) Cleanlooks style (GNOME like) @@ -694,7 +694,7 @@ p, li { white-space: pre-wrap; } CDE style (Common Desktop Environment like) - Стиль CDE (Common Desktop Environment-подібний) + Стиль CDE (Common Desktop Environment-подібний) MacOS style (MacOSX only) @@ -722,31 +722,31 @@ p, li { white-space: pre-wrap; } HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - З'єднання, на які це вплине + З'єднання, на які це вплине Use proxy for connections to trackers - Використовувати проксі при з'єднанні з трекерами + Використовувати проксі при з'єднанні з трекерами Use proxy for connections to regular peers - Використовувати проксі при з'єднанні із звичайними пірами + Використовувати проксі при з'єднанні із звичайними пірами Use proxy for connections to web seeds - Використовувати проксі при з'єднанні з web-роздачами + Використовувати проксі при з'єднанні з web-роздачами Use proxy for DHT messages - Використовувати проксі для DHT повідомлень + Використовувати проксі для DHT повідомлень Encryption @@ -758,19 +758,19 @@ p, li { white-space: pre-wrap; } Enabled - Увімкнено + Увімкнено Forced - Примусовий + Примусовий Disabled - Вимкнено + Вимкнено Preferences - Налаштування + Налаштування General @@ -782,44 +782,44 @@ p, li { white-space: pre-wrap; } Visual style: - Візуальний стиль: + Візуальний стиль: Cleanlooks style (Gnome like) - Стиль Cleanlooks (Gnome-подібний) + Стиль Cleanlooks (Gnome-подібний) Motif style (Unix like) - Стиль Motif (Unix-подібний) + Стиль Motif (Unix-подібний) Ask for confirmation on exit when download list is not empty - Питати підтвердження при виході, коли список завантажень не порожній + Питати підтвердження при виході, коли список завантажень не порожній Display current speed in title bar - Показувати поточну швидкість в заголовку вікна + Показувати поточну швидкість в заголовку вікна System tray icon - Іконка в системному треї + Іконка в системному треї Disable system tray icon - Відключити іконку в системному треї + Відключити іконку в системному треї Close to tray i.e: The systray tray icon will still be visible when closing the main window. - Закривати до трею + Закривати до трею Minimize to tray - Мінімізувати до трею + Мінімізувати до трею Show notification balloons in tray - Показувати сповіщення в треї + Показувати сповіщення в треї Media player: @@ -827,7 +827,7 @@ p, li { white-space: pre-wrap; } Downloads - Завантаження + Завантаження Put downloads in this folder: @@ -835,20 +835,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - Попередньо виділяти місце для всіх файлів + Попередньо виділяти місце для всіх файлів When adding a torrent - Під час додавання торренту + Під час додавання торренту Display torrent content and some options - Показувати вміст торренту та деякі опції + Показувати вміст торренту та деякі опції Do not start download automatically The torrent will be added to download list in pause state - Не починати завантаження автоматично + Не починати завантаження автоматично Folder watching @@ -861,7 +861,7 @@ p, li { white-space: pre-wrap; } Listening port - Прослуховування порту + Прослуховування порту to @@ -870,63 +870,59 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - Увімкнути відображення портів UPnP + Увімкнути відображення портів UPnP Enable NAT-PMP port mapping - Увімкнути відображення портів NAT-PMP + Увімкнути відображення портів NAT-PMP Global bandwidth limiting - Глобальний ліміт пропускної здатності + Глобальний ліміт пропускної здатності Upload: - Віддача: + Віддача: Download: - Прийом: - - - Bittorrent features - + Прийом: Type: - Тип: + Тип: (None) - (Ніякого) + (Ніякого) Proxy: - Проксі: + Проксі: Username: - Ім'я користувача: + Ім'я користувача: Bittorrent - Bittorrent + Bittorrent Connections limit - Ліміт кількості з'єднань + Ліміт кількості з'єднань Global maximum number of connections: - Глобальне максимальне число з'єднань: + Глобальне максимальне число з'єднань: Maximum number of connections per torrent: - Максимальне число з'єднань для одного торрента: + Максимальне число з'єднань для одного торрента: Maximum number of upload slots per torrent: - Максимальне число слотів віддачі для одного торрента: + Максимальне число слотів віддачі для одного торрента: Additional Bittorrent features @@ -934,7 +930,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - Увімкнути мережу DHT (децентралізовану) + Увімкнути мережу DHT (децентралізовану) Enable Peer eXchange (PeX) @@ -942,23 +938,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - Увімкнути локальний пошук пірів + Увімкнути локальний пошук пірів Encryption: - Шифрування: + Шифрування: Share ratio settings - Налаштування коефіціентів розподілення + Налаштування коефіціентів розподілення Desired ratio: - Бажаний коефіціент: + Бажаний коефіціент: Filter file path: - Фільтр шляхів до файлу: + Фільтр шляхів до файлу: transfer lists refresh interval: @@ -966,217 +962,31 @@ p, li { white-space: pre-wrap; } ms - мс + мс RSS - RSS + RSS RSS feeds refresh interval: - Інтервал оновлення RSS-фідів: + Інтервал оновлення RSS-фідів: minutes - хвилин + хвилин Maximum number of articles per feed: - Максимальне число записів у одному фіді: + Максимальне число записів у одному фіді: File system - Файлова система + Файлова система Remove finished torrents when their ratio reaches: - Видаляти закінчені торренти, коли їхній коефіціент розподілу досягає: - - - System default - - - - Start minimized - - - - Web UI - - - - Enable Web User Interface - - - - HTTP Server - - - - Enable RSS support - - - - RSS settings - - - - Enable queueing system - - - - Maximum active downloads: - - - - Torrent queueing - - - - Maximum active torrents: - - - - Display top toolbar - - - - Search engine proxy settings - - - - Bittorrent proxy settings - - - - Maximum active uploads: - - - - Spoof µtorrent to avoid ban (requires restart) - - - - Start/Stop - - - - Open folder - - - - Port used for incoming connections: - - - - Random - - - - UI - - - - Disable splash screen - - - - Downloading: - - - - Completed: - - - - Peer connections - - - - Resolve peer countries - - - - Resolve peer host names - - - - Use a different port for DHT and Bittorrent - - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + Видаляти закінчені торренти, коли їхній коефіціент розподілу досягає: @@ -2530,6 +2340,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2909,6 +2744,469 @@ Are you sure you want to quit qBittorrent? + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_zh.qm b/src/lang/qbittorrent_zh.qm index 51c0973b5..6b365130d 100644 Binary files a/src/lang/qbittorrent_zh.qm and b/src/lang/qbittorrent_zh.qm differ diff --git a/src/lang/qbittorrent_zh.ts b/src/lang/qbittorrent_zh.ts index 9249a1bf8..3fc95ff57 100644 --- a/src/lang/qbittorrent_zh.ts +++ b/src/lang/qbittorrent_zh.ts @@ -375,7 +375,7 @@ p, li { white-space: pre-wrap; } Proxy - 代理服务器 + 代理服务器 Proxy Settings @@ -387,7 +387,7 @@ p, li { white-space: pre-wrap; } Port: - 端口: + 端口: Proxy server requires authentication @@ -395,7 +395,7 @@ p, li { white-space: pre-wrap; } Authentication - 验证 + 验证 User Name: @@ -403,7 +403,7 @@ p, li { white-space: pre-wrap; } Password: - 密码: + 密码: Enable connection through a proxy server @@ -457,11 +457,11 @@ inside) Activate IP Filtering - 激活IP过滤器 + 激活IP过滤器 Filter Settings - 过滤器设置 + 过滤器设置 ipfilter.dat URL or PATH: @@ -489,7 +489,7 @@ inside) IP Filter - IP过滤器 + IP过滤器 Add Range @@ -525,7 +525,7 @@ inside) Language: - 语言: + 语言: Behaviour @@ -550,7 +550,7 @@ iconified KiB/s - KiB/s + KiB/s 1 KiB DL = @@ -586,7 +586,7 @@ iconified DHT port: - DHT端口: + DHT端口: <b>Note:</b> Changes will be applied after @@ -644,7 +644,7 @@ torrent Connection - 连接 + 连接 Peer eXchange (PeX) @@ -677,7 +677,7 @@ Feel) Plastique style (KDE like) - Plastique 外观 (如KDE) + Plastique 外观 (如KDE) Cleanlooks style (GNOME like) @@ -691,7 +691,7 @@ Qt 外观) CDE style (Common Desktop Environment like) - CDE 外观(如Common Desktop + CDE 外观(如Common Desktop Environment) @@ -723,31 +723,31 @@ XP) HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - 使用代理服务器的连接 + 使用代理服务器的连接 Use proxy for connections to trackers - 使用代理服务器连接到trackers + 使用代理服务器连接到trackers Use proxy for connections to regular peers - 使用代理服务器连接到其他下载客户 + 使用代理服务器连接到其他下载客户 Use proxy for connections to web seeds - 使用代理服务器连接到HTTP种子 + 使用代理服务器连接到HTTP种子 Use proxy for DHT messages - 使用DHT消息的代理服务器 + 使用DHT消息的代理服务器 Encryption @@ -759,19 +759,19 @@ XP) Enabled - 启用 + 启用 Forced - 强制 + 强制 Disabled - 禁用 + 禁用 Preferences - 首选项 + 首选项 General @@ -787,15 +787,15 @@ XP) Visual style: - 视觉外观: + 视觉外观: Cleanlooks style (Gnome like) - Cleanlooks 外观 (如Gnome) + Cleanlooks 外观 (如Gnome) Motif style (Unix like) - Motif 外观 (如Uinx) + Motif 外观 (如Uinx) Ask for confirmation on exit when download list is not @@ -804,15 +804,15 @@ empty Display current speed in title bar - 标题栏中显示当前速度 + 标题栏中显示当前速度 System tray icon - 状态栏图标 + 状态栏图标 Disable system tray icon - 禁用状态栏图标 + 禁用状态栏图标 Close to tray @@ -822,11 +822,11 @@ closing the main window. Minimize to tray - 最小化到状态栏 + 最小化到状态栏 Show notification balloons in tray - 在状态栏显示通知消息 + 在状态栏显示通知消息 Media player: @@ -834,7 +834,7 @@ closing the main window. Downloads - 下载 + 下载 Put downloads in this folder: @@ -842,15 +842,15 @@ closing the main window. Pre-allocate all files - 预分配所有文件 + 预分配所有文件 When adding a torrent - 添加torrent时 + 添加torrent时 Display torrent content and some options - 显示torrent内容及选项 + 显示torrent内容及选项 Do not start download automatically @@ -871,7 +871,7 @@ folder: Listening port - 使用端口 + 使用端口 to @@ -880,27 +880,27 @@ folder: Enable UPnP port mapping - 启用UPnP端口映射 + 启用UPnP端口映射 Enable NAT-PMP port mapping - 启用NAT-PMP端口映射 + 启用NAT-PMP端口映射 Global bandwidth limiting - 总宽带限制 + 总宽带限制 Upload: - 上传: + 上传: Download: - 下载: + 下载: Bittorrent features - Bittorrent 功能 + Bittorrent 功能 Use the same port for DHT and Bittorrent @@ -908,23 +908,23 @@ folder: Type: - 类型: + 类型: (None) - (无) + (无) Proxy: - 代理服务器: + 代理服务器: Username: - 用户名: + 用户名: Bittorrent - Bittorrent + Bittorrent Transfer lists double-click @@ -949,19 +949,19 @@ folder: Connections limit - 连接限度 + 连接限度 Global maximum number of connections: - 总最大连接数: + 总最大连接数: Maximum number of connections per torrent: - 每torrent最大连接数: + 每torrent最大连接数: Maximum number of upload slots per torrent: - 每torrent上传位置最大值: + 每torrent上传位置最大值: Additional Bittorrent features @@ -969,7 +969,7 @@ folder: Enable DHT network (decentralized) - 启用DHT网络(分散) + 启用DHT网络(分散) Enable Peer eXchange (PeX) @@ -977,23 +977,23 @@ folder: Enable Local Peer Discovery - 启用本地资源搜索 + 启用本地资源搜索 Encryption: - 加密: + 加密: Share ratio settings - 共享率设置 + 共享率设置 Desired ratio: - 期望比率: + 期望比率: Filter file path: - 过滤文件路径: + 过滤文件路径: transfer lists refresh interval: @@ -1001,31 +1001,31 @@ folder: ms - ms + ms RSS - RSS + RSS RSS feeds refresh interval: - RSS消息种子刷新间隔: + RSS消息种子刷新间隔: minutes - 分钟 + 分钟 Maximum number of articles per feed: - 每个订阅源文章数目最大值: + 每个订阅源文章数目最大值: File system - 文件系统 + 文件系统 Remove finished torrents when their ratio reaches: - 当比率达到时移除完成的torrent: + 当比率达到时移除完成的torrent: <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -1033,17 +1033,17 @@ folder: Ask for confirmation on exit when download list is not empty - 下载列表不为空时退出需确认 + 下载列表不为空时退出需确认 Close to tray i.e: The systray tray icon will still be visible when closing the main window. - 关闭到状态栏 + 关闭到状态栏 Do not start download automatically The torrent will be added to download list in pause state - 不要开始自动下载 + 不要开始自动下载 Folder watching @@ -1056,11 +1056,11 @@ folder: System default - 系统默认 + 系统默认 Start minimized - 开始最小化 + 开始最小化 Action on double click in transfer lists @@ -1101,59 +1101,59 @@ folder: Web UI - 网络操作界面 + 网络操作界面 Enable Web User Interface - 启用网络使用者界面 + 启用网络使用者界面 HTTP Server - HTTP 服务器 + HTTP 服务器 Enable RSS support - 启用RSS支持 + 启用RSS支持 RSS settings - RSS设置 + RSS设置 Enable queueing system - 启用排队系统 + 启用排队系统 Maximum active downloads: - 使激活的下载最大化: + 使激活的下载最大化: Torrent queueing - Torrent排队 + Torrent排队 Maximum active torrents: - 使激活的torrents最大化: + 使激活的torrents最大化: Display top toolbar - 显示顶部工具栏 + 显示顶部工具栏 Search engine proxy settings - 搜索引擎代理设置 + 搜索引擎代理设置 Bittorrent proxy settings - Bittorrent代理设置 + Bittorrent代理设置 Maximum active uploads: - 使激活的上传最大化: + 使激活的上传最大化: Spoof µtorrent to avoid ban (requires restart) - 假借µtorrent名义避免被阻止(需重启) + 假借µtorrent名义避免被阻止(需重启) Action for double click @@ -1162,11 +1162,11 @@ folder: Start/Stop - 开始/结束 + 开始/结束 Open folder - 打开文件夹 + 打开文件夹 Show properties @@ -1174,19 +1174,19 @@ folder: Port used for incoming connections: - 用于对内连接的端口: + 用于对内连接的端口: Random - 随机 + 随机 UI - 用户界面 + 用户界面 Disable splash screen - 禁用程序启动画面 + 禁用程序启动画面 Transfer list refresh interval: @@ -1199,101 +1199,27 @@ folder: Downloading: - 下载中: + 下载中: Completed: - 完成: + 完成: Peer connections - 用户连接 + 用户连接 Resolve peer countries - 显示用户国家 + 显示用户国家 Resolve peer host names - 显示用户主机名 + 显示用户主机名 Use a different port for DHT and Bittorrent - DHT和Bittorrent使用不同端口 - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + DHT和Bittorrent使用不同端口 @@ -2818,6 +2744,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. 无法保存程序偏好选项,qBttorrent也许无法达到. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -3193,6 +3144,469 @@ Are you sure you want to quit qBittorrent? 下载速度限制 + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/lang/qbittorrent_zh_TW.qm b/src/lang/qbittorrent_zh_TW.qm index 7f9857453..db14db42a 100644 Binary files a/src/lang/qbittorrent_zh_TW.qm and b/src/lang/qbittorrent_zh_TW.qm differ diff --git a/src/lang/qbittorrent_zh_TW.ts b/src/lang/qbittorrent_zh_TW.ts index f0c44e733..c45e3b0f2 100644 --- a/src/lang/qbittorrent_zh_TW.ts +++ b/src/lang/qbittorrent_zh_TW.ts @@ -328,31 +328,31 @@ p, li { white-space: pre-wrap; } Port: - 埠: + 埠: Authentication - 驗證 + 驗證 Password: - 密碼: + 密碼: Activate IP Filtering - 啟用 IP 過濾 + 啟用 IP 過濾 Filter Settings - 過濾設定 + 過濾設定 Language: - 語言: + 語言: KiB/s - KiB/s + KiB/s <b>Note:</b> Changes will be applied after qBittorrent is restarted. @@ -360,59 +360,59 @@ p, li { white-space: pre-wrap; } Connection - 連線 + 連線 Plastique style (KDE like) - Plastique 樣式 (像 KDE) + Plastique 樣式 (像 KDE) CDE style (Common Desktop Environment like) - CDE 樣式 (像 Common Desktop Environment) + CDE 樣式 (像 Common Desktop Environment) HTTP - HTTP + HTTP SOCKS5 - SOCKS5 + SOCKS5 Affected connections - 使用代理伺服器的連線 + 使用代理伺服器的連線 Use proxy for connections to trackers - 使用代理伺服器連線到 tracker + 使用代理伺服器連線到 tracker Use proxy for connections to regular peers - 使用代理伺服器連線到一般的下載者 + 使用代理伺服器連線到一般的下載者 Use proxy for connections to web seeds - 使用代理伺服器連線到網頁種子 + 使用代理伺服器連線到網頁種子 Use proxy for DHT messages - 使用代理伺服器來處理 DHT 訊息 + 使用代理伺服器來處理 DHT 訊息 Enabled - 已啟用 + 已啟用 Forced - 強迫 + 強迫 Disabled - 已停用 + 已停用 Preferences - 偏好設定 + 偏好設定 General @@ -424,7 +424,7 @@ p, li { white-space: pre-wrap; } IP Filter - IP 過濾 + IP 過濾 User interface settings @@ -432,48 +432,48 @@ p, li { white-space: pre-wrap; } Visual style: - 視覺樣式: + 視覺樣式: Cleanlooks style (Gnome like) - Cleanlooks 樣式 (像 Gnome) + Cleanlooks 樣式 (像 Gnome) Motif style (Unix like) - Motif 樣式 (像 Unix) + Motif 樣式 (像 Unix) Ask for confirmation on exit when download list is not empty - 下載清單不是空的時候離開程式需確認 + 下載清單不是空的時候離開程式需確認 Display current speed in title bar - 在標題列顯示目前的速度 + 在標題列顯示目前的速度 System tray icon - 系統列圖示 + 系統列圖示 Disable system tray icon - 停用系統列圖示 + 停用系統列圖示 Close to tray i.e: The systray tray icon will still be visible when closing the main window. - 關閉到系統列 + 關閉到系統列 Minimize to tray - 最小化到系統列 + 最小化到系統列 Show notification balloons in tray - 在系統列顯示通知氣球 + 在系統列顯示通知氣球 Downloads - 下載 + 下載 Put downloads in this folder: @@ -481,20 +481,20 @@ p, li { white-space: pre-wrap; } Pre-allocate all files - 事先分配所有檔案 + 事先分配所有檔案 When adding a torrent - 當增加 torrent 時 + 當增加 torrent 時 Display torrent content and some options - 顯示 torrent 內容及其他選項 + 顯示 torrent 內容及其他選項 Do not start download automatically The torrent will be added to download list in pause state - 不要自動開始下載 + 不要自動開始下載 Folder watching @@ -528,7 +528,7 @@ p, li { white-space: pre-wrap; } Listening port - 監聽埠 + 監聽埠 to @@ -537,27 +537,27 @@ p, li { white-space: pre-wrap; } Enable UPnP port mapping - 啟用 UPnP 埠映射 + 啟用 UPnP 埠映射 Enable NAT-PMP port mapping - 啟用 NAT-PMP 埠映射 + 啟用 NAT-PMP 埠映射 Global bandwidth limiting - 全域頻寬限制 + 全域頻寬限制 Upload: - 上傳: + 上傳: Download: - 下載: + 下載: Bittorrent features - Bittorrent 特性 + Bittorrent 特性 Use the same port for DHT and Bittorrent @@ -565,43 +565,43 @@ p, li { white-space: pre-wrap; } DHT port: - DHT 埠: + DHT 埠: Type: - 類型: + 類型: (None) - (無) + (無) Proxy: - 代理伺服器: + 代理伺服器: Username: - 使用者名稱: + 使用者名稱: Bittorrent - Bittorrent + Bittorrent Connections limit - 連線限制 + 連線限制 Global maximum number of connections: - 全域最大連線數: + 全域最大連線數: Maximum number of connections per torrent: - 每個 torrent 的最大連線數: + 每個 torrent 的最大連線數: Maximum number of upload slots per torrent: - 每個 torrent 上傳位置的最大數: + 每個 torrent 上傳位置的最大數: Additional Bittorrent features @@ -609,7 +609,7 @@ p, li { white-space: pre-wrap; } Enable DHT network (decentralized) - 啟用 DHT 網路 (分散式) + 啟用 DHT 網路 (分散式) Enable Peer eXchange (PeX) @@ -617,23 +617,23 @@ p, li { white-space: pre-wrap; } Enable Local Peer Discovery - 啟用本地下載者搜尋 + 啟用本地下載者搜尋 Encryption: - 加密: + 加密: Share ratio settings - 分享率設定 + 分享率設定 Desired ratio: - 希望的分享率: + 希望的分享率: Filter file path: - 過濾檔案路徑: + 過濾檔案路徑: transfer lists refresh interval: @@ -641,7 +641,7 @@ p, li { white-space: pre-wrap; } ms - ms + ms Misc @@ -649,35 +649,35 @@ p, li { white-space: pre-wrap; } RSS - RSS + RSS RSS feeds refresh interval: - RSS feed 更新間隔: + RSS feed 更新間隔: minutes - 分鐘 + 分鐘 Maximum number of articles per feed: - 每個 feed 的最大文章數: + 每個 feed 的最大文章數: File system - 檔案系統 + 檔案系統 Remove finished torrents when their ratio reaches: - 當分享率到達時移除 torrent: + 當分享率到達時移除 torrent: System default - 系統預設 + 系統預設 Start minimized - 啟動時最小化 + 啟動時最小化 Action on double click in transfer lists @@ -718,63 +718,63 @@ p, li { white-space: pre-wrap; } Web UI - Web UI + Web UI Enable Web User Interface - 啟用 Web UI + 啟用 Web UI HTTP Server - HTTP 伺服器 + HTTP 伺服器 Enable RSS support - 啟用 RSS 支援 + 啟用 RSS 支援 RSS settings - RSS 設定 + RSS 設定 Enable queueing system - 啟用排程系統 + 啟用排程系統 Maximum active downloads: - 最大活躍的下載數: + 最大活躍的下載數: Torrent queueing - torrent 排程 + torrent 排程 Maximum active torrents: - 最大活躍的 torrent: + 最大活躍的 torrent: Display top toolbar - 顯示最上方的工具列 + 顯示最上方的工具列 Proxy - 代理伺服器 + 代理伺服器 Search engine proxy settings - 搜尋引擎代理伺服器設定 + 搜尋引擎代理伺服器設定 Bittorrent proxy settings - Bittorrent 代理伺服器設定 + Bittorrent 代理伺服器設定 Maximum active uploads: - 最大活躍的上傳數: + 最大活躍的上傳數: Spoof µtorrent to avoid ban (requires restart) - 假裝為 µtorrent 以避免被踢出 (需要重新啟動) + 假裝為 µtorrent 以避免被踢出 (需要重新啟動) Action for double click @@ -783,11 +783,11 @@ p, li { white-space: pre-wrap; } Start/Stop - 開始/停止 + 開始/停止 Open folder - 開啟資料夾 + 開啟資料夾 Show properties @@ -795,19 +795,19 @@ p, li { white-space: pre-wrap; } Port used for incoming connections: - 連入連線時使用的埠: + 連入連線時使用的埠: Random - 隨機 + 隨機 UI - 使用者介面 + 使用者介面 Disable splash screen - 停用啟始畫面 + 停用啟始畫面 Transfer list refresh interval: @@ -820,101 +820,27 @@ p, li { white-space: pre-wrap; } Downloading: - 下載中: + 下載中: Completed: - 已完成: + 已完成: Peer connections - 下載者連接 + 下載者連接 Resolve peer countries - 解析下載者的國家 + 解析下載者的國家 Resolve peer host names - 解析下載者的主機名 + 解析下載者的主機名 Use a different port for DHT and Bittorrent - DHT 和 Bittorrent 使用不同的埠 - - - Disk cache: - - - - MiB (advanced) - - - - QGroupBox::title { -font-weight: normal; -margin-left: -3px; -} -QGroupBox { - border-width: 0; -} - - - - Destination Folder: - - - - Append the torrent's label - - - - Use a different folder for incomplete downloads: - - - - QLineEdit { - margin-left: 23px; -} - - - - Automatically load .torrent files from: - - - - Append .!qB extension to incomplete files - - - - Enable Peer Exchange / PeX (requires restart) - - - - User interface - - - - (Requires restart) - - - - Transfer list - - - - Refresh interval: - - - - Use alternating row colors - In transfer list, one every two rows will have grey background. - - - - Action on double click: - Action executed when doucle-clicking on an item in transfer (download/upload) list - + DHT 和 Bittorrent 使用不同的埠 @@ -1767,6 +1693,31 @@ Are you sure you want to quit qBittorrent? Unable to save program preferences, qBittorrent is probably unreachable. + + Language + + + + The port used for incoming connections must be greater than 1024 and less than 65535. + + + + The port used for the Web UI must be greater than 1024 and less than 65535. + + + + The Web UI username must be at least 3 characters long. + + + + The Web UI password must be at least 3 characters long. + + + + Downloaded + Is the file downloaded or not? + + MainWindow @@ -2010,6 +1961,469 @@ Are you sure you want to quit qBittorrent? 下載速度限制 + + Preferences + + Preferences + + + + UI + + + + Downloads + + + + Connection + + + + Bittorrent + + + + Proxy + + + + IP Filter + + + + Web UI + + + + RSS + + + + User interface + + + + Language: + + + + (Requires restart) + + + + Visual style: + + + + System default + + + + Plastique style (KDE like) + + + + Cleanlooks style (Gnome like) + + + + Motif style (Unix like) + + + + CDE style (Common Desktop Environment like) + + + + Ask for confirmation on exit when download list is not empty + + + + Display top toolbar + + + + Disable splash screen + + + + Display current speed in title bar + + + + Transfer list + + + + Refresh interval: + + + + ms + + + + Use alternating row colors + In transfer list, one every two rows will have grey background. + + + + Action on double click: + Action executed when doucle-clicking on an item in transfer (download/upload) list + + + + Downloading: + + + + Start/Stop + + + + Open folder + + + + Completed: + + + + System tray icon + + + + Disable system tray icon + + + + Close to tray + i.e: The systray tray icon will still be visible when closing the main window. + + + + Minimize to tray + + + + Start minimized + + + + Show notification balloons in tray + + + + File system + + + + QGroupBox::title { +font-weight: normal; +margin-left: -3px; +} +QGroupBox { + border-width: 0; +} + + + + Destination Folder: + + + + Append the torrent's label + + + + Use a different folder for incomplete downloads: + + + + QLineEdit { + margin-left: 23px; +} + + + + Automatically load .torrent files from: + + + + Append .!qB extension to incomplete files + + + + Pre-allocate all files + + + + Disk cache: + + + + MiB (advanced) + + + + Torrent queueing + + + + Enable queueing system + + + + Maximum active downloads: + + + + Maximum active uploads: + + + + Maximum active torrents: + + + + When adding a torrent + + + + Display torrent content and some options + + + + Do not start download automatically + The torrent will be added to download list in pause state + + + + Listening port + + + + Port used for incoming connections: + + + + Random + + + + Enable UPnP port mapping + + + + Enable NAT-PMP port mapping + + + + Connections limit + + + + Global maximum number of connections: + + + + Maximum number of connections per torrent: + + + + Maximum number of upload slots per torrent: + + + + Global bandwidth limiting + + + + Upload: + + + + Download: + + + + KiB/s + + + + Peer connections + + + + Resolve peer countries + + + + Resolve peer host names + + + + Bittorrent features + + + + Enable DHT network (decentralized) + + + + Use a different port for DHT and Bittorrent + + + + DHT port: + + + + Enable Peer Exchange / PeX (requires restart) + + + + Enable Local Peer Discovery + + + + Spoof µtorrent to avoid ban (requires restart) + + + + Encryption: + + + + Enabled + + + + Forced + + + + Disabled + + + + Share ratio settings + + + + Desired ratio: + + + + Remove finished torrents when their ratio reaches: + + + + Search engine proxy settings + + + + Type: + + + + (None) + + + + HTTP + + + + Proxy: + + + + Port: + + + + Authentication + + + + Username: + + + + Password: + + + + Bittorrent proxy settings + + + + SOCKS5 + + + + Affected connections + + + + Use proxy for connections to trackers + + + + Use proxy for connections to regular peers + + + + Use proxy for DHT messages + + + + Use proxy for connections to web seeds + + + + Filter Settings + + + + Activate IP Filtering + + + + Enable Web User Interface + + + + HTTP Server + + + + Enable RSS support + + + + RSS settings + + + + RSS feeds refresh interval: + + + + minutes + + + + Maximum number of articles per feed: + + + + Filter path (.dat, .p2p, .p2b): + + + PropListDelegate diff --git a/src/main.cpp b/src/main.cpp index 248cd1bfc..e3f262515 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -56,6 +56,7 @@ #include #include "GUI.h" #include "misc.h" +#include "preferences.h" #include "ico.h" QApplication *app; @@ -130,11 +131,25 @@ int main(int argc, char *argv[]){ std::cout << '\t' << argv[0] << " --version : displays program version\n"; std::cout << '\t' << argv[0] << " --no-splash : disable splash screen\n"; std::cout << '\t' << argv[0] << " --help : displays this help message\n"; + std::cout << '\t' << argv[0] << " --webui-port=x : changes the webui port (default: 8080)\n"; std::cout << '\t' << argv[0] << " [files or urls] : starts program and download given parameters (optional)\n"; return 0; } - if(QString::fromUtf8(argv[1]) == QString::fromUtf8("--no-splash")){ - no_splash = true; + for(int i=1; i 1024 && new_port <= 65535) { + Preferences::setWebUiPort(new_port); + } + } + } + } } } if(settings.value(QString::fromUtf8("Preferences/General/NoSplashScreen"), false).toBool()) { @@ -148,30 +163,30 @@ int main(int argc, char *argv[]){ QLocalSocket localSocket; QString uid = QString::number(getuid()); localSocket.connectToServer("qBittorrent-"+uid, QIODevice::WriteOnly); - if (localSocket.waitForConnected(1000)){ - std::cout << "Another qBittorrent instance is already running...\n"; - // Send parameters - if(argc > 1){ - QStringList params; - for(int i=1;i 1){ + QStringList params; + for(int i=1;isetStyleSheet("QStatusBar::item { border-width: 0; }"); diff --git a/src/options_imp.h b/src/options_imp.h index acda46721..9c0d4cd2c 100644 --- a/src/options_imp.h +++ b/src/options_imp.h @@ -43,7 +43,7 @@ using namespace libtorrent; class QCloseEvent; -class options_imp : public QDialog, private Ui::Dialog { +class options_imp : public QDialog, private Ui_Preferences { Q_OBJECT private: diff --git a/src/preferences.h b/src/preferences.h index 723ac8efb..b5e091ae5 100644 --- a/src/preferences.h +++ b/src/preferences.h @@ -44,6 +44,11 @@ public: return settings.value(QString::fromUtf8("Preferences/General/Locale"), "en_GB").toString(); } + static void setLocale(QString locale) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/General/Locale"), locale); + } + static int getStyle() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/General/Style"), 0).toInt(); @@ -112,37 +117,49 @@ public: // Downloads static QString getSavePath() { QSettings settings("qBittorrent", "qBittorrent"); -#ifdef Q_WS_WIN - QString home = QDir::rootPath(); -#else QString home = QDir::homePath(); -#endif if(home[home.length()-1] != QDir::separator()){ home += QDir::separator(); } return settings.value(QString::fromUtf8("Preferences/Downloads/SavePath"), home+"qBT_dir").toString(); } + static void setSavePath(QString save_path) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Downloads/SavePath"), save_path); + } + static bool isTempPathEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Downloads/TempPathEnabled"), false).toBool(); } + static void setTempPathEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Downloads/TempPathEnabled"), enabled); + } + static QString getTempPath() { QSettings settings("qBittorrent", "qBittorrent"); -#ifdef Q_WS_WIN - QString home = QDir::rootPath(); -#else QString home = QDir::homePath(); -#endif return settings.value(QString::fromUtf8("Preferences/Downloads/TempPath"), home+"qBT_dir"+QDir::separator()+"temp").toString(); } + static void setTempPath(QString path) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Downloads/TempPath"), path); + } + #ifdef LIBTORRENT_0_15 static bool useIncompleteFilesExtension() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Downloads/UseIncompleteExtension"), false).toBool(); } + + static void useIncompleteFilesExtension(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Downloads/UseIncompleteExtension"), enabled); + } #endif static bool appendTorrentLabel() { @@ -155,6 +172,11 @@ public: return settings.value(QString::fromUtf8("Preferences/Downloads/PreAllocation"), false).toBool(); } + static void preAllocateAllFiles(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + return settings.setValue(QString::fromUtf8("Preferences/Downloads/PreAllocation"), enabled); + } + static int diskCacheSize() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Downloads/DiskCache"), 16).toInt(); @@ -180,6 +202,14 @@ public: return settings.value(QString::fromUtf8("Preferences/Downloads/ScanDir"), QString()).toString(); } + static void setScanDir(QString path) { + path = path.trimmed(); + if(path.isEmpty()) + path = QString(); + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Downloads/ScanDir"), path); + } + static int getActionOnDblClOnTorrentDl() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Downloads/DblClOnTorDl"), 0).toInt(); @@ -196,16 +226,31 @@ public: return settings.value(QString::fromUtf8("Preferences/Connection/PortRangeMin"), 6881).toInt(); } + static void setSessionPort(int port) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/PortRangeMin"), port); + } + static bool isUPnPEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/UPnP"), true).toBool(); } + static void setUPnPEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/UPnP"), enabled); + } + static bool isNATPMPEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/NAT-PMP"), true).toBool(); } + static void setNATPMPEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/NAT-PMP"), enabled); + } + static int getGlobalDownloadLimit() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/GlobalDLLimit"), -1).toInt(); @@ -213,7 +258,7 @@ public: static void setGlobalDownloadLimit(int limit) { QSettings settings("qBittorrent", "qBittorrent"); - if(limit == 0) limit = -1; + if(limit <= 0) limit = -1; settings.setValue("Preferences/Connection/GlobalDLLimit", limit); } @@ -224,7 +269,7 @@ public: static void setGlobalUploadLimit(int limit) { QSettings settings("qBittorrent", "qBittorrent"); - if(limit == 0) limit = -1; + if(limit <= 0) limit = -1; settings.setValue("Preferences/Connection/GlobalUPLimit", limit); } @@ -284,31 +329,61 @@ public: return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/Authentication"), false).toBool(); } + static void setProxyAuthEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/Proxy/Authentication"), enabled); + } + static QString getProxyIp() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/IP"), "0.0.0.0").toString(); } + static void setProxyIp(QString ip) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/Proxy/IP"), ip); + } + static unsigned short getProxyPort() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/Port"), 8080).toInt(); } + static void setProxyPort(unsigned short port) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/Proxy/Port"), port); + } + static QString getProxyUsername() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/Username"), QString()).toString(); } + static void setProxyUsername(QString username) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/Proxy/Username"), username); + } + static QString getProxyPassword() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/Password"), QString()).toString(); } + static void setProxyPassword(QString password) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/Proxy/Password"), password); + } + static int getProxyType() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/ProxyType"), 0).toInt(); } + static void setProxyType(int type) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Connection/ProxyType"), type); + } + static bool useProxyForTrackers() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Connection/Proxy/AffectTrackers"), true).toBool(); @@ -337,6 +412,7 @@ public: static void setMaxConnecs(int val) { QSettings settings("qBittorrent", "qBittorrent"); + if(val <= 0) val = -1; settings.setValue(QString::fromUtf8("Preferences/Bittorrent/MaxConnecs"), val); } @@ -347,6 +423,7 @@ public: static void setMaxConnecsPerTorrent(int val) { QSettings settings("qBittorrent", "qBittorrent"); + if(val <= 0) val = -1; settings.setValue(QString::fromUtf8("Preferences/Bittorrent/MaxConnecsPerTorrent"), val); } @@ -357,6 +434,7 @@ public: static void setMaxUploadsPerTorrent(int val) { QSettings settings("qBittorrent", "qBittorrent"); + if(val <= 0) val = -1; settings.setValue(QString::fromUtf8("Preferences/Bittorrent/MaxUploadsPerTorrent"), val); } @@ -365,14 +443,19 @@ public: return settings.value(QString::fromUtf8("Preferences/Bittorrent/DHT"), true).toBool(); } + static void setDHTEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Bittorrent/DHT"), enabled); + } + static bool isPeXEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Bittorrent/PeX"), true).toBool(); } - static void setDHTEnabled(bool enabled) { + static void setPeXEnabled(bool enabled) { QSettings settings("qBittorrent", "qBittorrent"); - settings.setValue(QString::fromUtf8("Preferences/Bittorrent/DHT"), enabled); + settings.setValue(QString::fromUtf8("Preferences/Bittorrent/PeX"), enabled); } static bool isDHTPortSameAsBT() { @@ -390,6 +473,11 @@ public: return settings.value(QString::fromUtf8("Preferences/Bittorrent/LSD"), true).toBool(); } + static void setLSDEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Bittorrent/LSD"), enabled); + } + static bool isUtorrentSpoofingEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Bittorrent/utorrentSpoof"), false).toBool(); @@ -400,6 +488,11 @@ public: return settings.value(QString::fromUtf8("Preferences/Bittorrent/Encryption"), 0).toInt(); } + static void setEncryptionSetting(int val) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/Bittorrent/Encryption"), val); + } + static float getDesiredRatio() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Bittorrent/DesiredRatio"), -1).toDouble(); @@ -416,11 +509,21 @@ public: return settings.value(QString::fromUtf8("Preferences/IPFilter/Enabled"), false).toBool(); } + static void setFilteringEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/IPFilter/Enabled"), enabled); + } + static QString getFilter() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/IPFilter/File"), QString()).toString(); } + static void setFilter(QString path) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue(QString::fromUtf8("Preferences/IPFilter/File"), path); + } + static void banIP(QString ip) { QSettings settings("qBittorrent", "qBittorrent"); QStringList banned_ips = settings.value(QString::fromUtf8("Preferences/IPFilter/BannedIPs"), QStringList()).toStringList(); @@ -457,21 +560,44 @@ public: return settings.value("Preferences/Queueing/QueueingEnabled", false).toBool(); } + static void setQueueingSystemEnabled(bool enabled) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue("Preferences/Queueing/QueueingEnabled", enabled); + } + static int getMaxActiveDownloads() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Queueing/MaxActiveDownloads"), 3).toInt(); } + static void setMaxActiveDownloads(int val) { + QSettings settings("qBittorrent", "qBittorrent"); + if(val < 0) val = -1; + settings.setValue(QString::fromUtf8("Preferences/Queueing/MaxActiveDownloads"), val); + } + static int getMaxActiveUploads() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Queueing/MaxActiveUploads"), 3).toInt(); } + static void setMaxActiveUploads(int val) { + QSettings settings("qBittorrent", "qBittorrent"); + if(val < 0) val = -1; + settings.setValue(QString::fromUtf8("Preferences/Queueing/MaxActiveUploads"), val); + } + static int getMaxActiveTorrents() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value(QString::fromUtf8("Preferences/Queueing/MaxActiveTorrents"), 5).toInt(); } + static void setMaxActiveTorrents(int val) { + QSettings settings("qBittorrent", "qBittorrent"); + if(val < 0) val = -1; + settings.setValue(QString::fromUtf8("Preferences/Queueing/MaxActiveTorrents"), val); + } + static bool isWebUiEnabled() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value("Preferences/WebUI/Enabled", false).toBool(); @@ -482,11 +608,21 @@ public: return settings.value("Preferences/WebUI/Port", 8080).toInt(); } + static void setWebUiPort(quint16 port) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue("Preferences/WebUI/Port", port); + } + static QString getWebUiUsername() { QSettings settings("qBittorrent", "qBittorrent"); return settings.value("Preferences/WebUI/Username", "admin").toString(); } + static void setWebUiUsername(QString username) { + QSettings settings("qBittorrent", "qBittorrent"); + settings.setValue("Preferences/WebUI/Username", username); + } + static void setWebUiPassword(QString new_password) { // Get current password md5 QString current_pass_md5 = getWebUiPassword(); diff --git a/src/ui/options.ui b/src/ui/options.ui index 6aef088cc..8e8a8dcb7 100644 --- a/src/ui/options.ui +++ b/src/ui/options.ui @@ -1,7 +1,7 @@ - Dialog - + Preferences + 0 @@ -2345,8 +2345,8 @@ QGroupBox { 0 0 - 228 - 124 + 620 + 495 @@ -2378,7 +2378,7 @@ QGroupBox { false - Filter file path: + Filter path (.dat, .p2p, .p2b): @@ -2442,8 +2442,8 @@ QGroupBox { 0 0 - 219 - 221 + 620 + 495 diff --git a/src/webui.qrc b/src/webui.qrc index b6e1c0599..62ffbf4e8 100644 --- a/src/webui.qrc +++ b/src/webui.qrc @@ -14,6 +14,7 @@ webui/uploadlimit.html webui/downloadlimit.html webui/preferences.html + webui/preferences_content.html webui/css/Core.css webui/css/Layout.css webui/css/Window.css diff --git a/src/webui/preferences.html b/src/webui/preferences.html index 239aed460..2093d6688 100644 --- a/src/webui/preferences.html +++ b/src/webui/preferences.html @@ -4,226 +4,53 @@ _(Download from URL) + + + -
- _(Global bandwidth limiting) -
- - - - - - - -
_(Upload:)  _(KiB/s)
_(Download:)  _(KiB/s)
-
-
-
-
- _(Connections limit) -
- - - - - - - - - - -
_(Global maximum number of connections:)
_(Maximum number of connections per torrent:)
_(Maximum number of upload slots per torrent:)
-
-
-
-
- _(Bittorrent features) -
- - - - -
_(Enable DHT network (decentralized))
-
-
-
-
+ + diff --git a/src/webui/preferences_content.html b/src/webui/preferences_content.html new file mode 100644 index 000000000..54f897668 --- /dev/null +++ b/src/webui/preferences_content.html @@ -0,0 +1,614 @@ +
+
+ _(Listening port) +
+ _(Port used for incoming connections:) + +
+ + + + + + + +
_(Enable UPnP port mapping)
_(Enable NAT-PMP port mapping)
+
+
+
+ _(Connections limit) +
+ + + + + + + + + + +
_(Global maximum number of connections:)
_(Maximum number of connections per torrent:)
_(Maximum number of upload slots per torrent:)
+
+
+
+ _(Global bandwidth limiting) +
+ + + + + + + +
_(Upload:)  _(KiB/s)
_(Download:)  _(KiB/s)
+
+
+
+ + + + + + + + + + + +
+
+ + \ No newline at end of file diff --git a/src/webui/prop-files.html b/src/webui/prop-files.html index 647607e34..496ad65d7 100644 --- a/src/webui/prop-files.html +++ b/src/webui/prop-files.html @@ -5,7 +5,7 @@ _(Name) _(Size) _(Progress) - _(Priority) + _(Downloaded) @@ -21,38 +21,19 @@ var setFilePriority = function(id, priority) { new Request({url: '/command/setFilePrio', method: 'post', data: {'hash': current_hash, 'id': id, 'priority': priority}}).send(); } -var createPriorityCombo = function(id, selected_prio) { - var select = new Element('select'); - select.set('id', 'comboPrio'+id); +var createDownloadedCB = function(id, downloaded) { + var CB = new Element('input'); + CB.set('type', 'checkbox'); + if(downloaded) + CB.set('checked', 'checked'); + CB.set('id', 'cbPrio'+id); select.addEvent('change', function(e){ - var new_prio = $('comboPrio'+id).get('value'); - setFilePriority(id, new_prio); + var checked = 0; + if($defined($('cbPrio'+id).get('checked')) && $('cbPrio'+id).get('checked')) + checked = 1; + setFilePriority(id, checked); }); - var opt = new Element("option"); - opt.set('value', '0') - opt.set('html', "_(Ignored)"); - if(selected_prio == 0) - opt.setAttribute('selected', ''); - opt.injectInside(select); - opt = new Element("option"); - opt.set('value', '1') - opt.set('html', "_(Normal)"); - if(selected_prio == 1) - opt.setAttribute('selected', ''); - opt.injectInside(select); - opt = new Element("option"); - opt.set('value', '2') - opt.set('html', "_(High)"); - if(selected_prio == 2) - opt.setAttribute('selected', ''); - opt.injectInside(select); - opt = new Element("option"); - opt.set('value', '7') - opt.set('html', "_(Maximum)"); - if(selected_prio == 7) - opt.setAttribute('selected', ''); - opt.injectInside(select); - return select; + return CB; } var filesDynTable = new Class ({ @@ -81,17 +62,18 @@ var createPriorityCombo = function(id, selected_prio) { }.bind(this)); }, - updateRow: function(tr, row){ + updateRow: function(tr, row, id){ var tds = tr.getElements('td'); for(var i=0; i 0) + tds[i].getChildren('input')[0].set('checked', 'checked'); + else + tds[i].removeProperty('checked') } else { tds[i].set('html', row[i]); } @@ -103,7 +85,7 @@ var createPriorityCombo = function(id, selected_prio) { insertRow: function(id, row) { if(this.rows.has(id)) { var tr = this.rows.get(id); - this.updateRow(tr, row); + this.updateRow(tr, row, id); return; } //this.removeRow(id); @@ -113,10 +95,10 @@ var createPriorityCombo = function(id, selected_prio) { { var td = new Element('td'); if(i==2) { - td.adopt(new ProgressBar(row[i].toFloat(), {width:80})); + td.adopt(new ProgressBar(row[i].toFloat(), {'id', 'pbf_'+id, 'width':80})); } else { if(i == 3) { - td.adopt(createPriorityCombo(id,row[i])); + td.adopt(createDownloadedCB(id,row[i])); } else { td.set('html', row[i]); } diff --git a/src/webui/properties.html b/src/webui/properties.html index bb7b6a184..79d795c80 100644 --- a/src/webui/properties.html +++ b/src/webui/properties.html @@ -1,9 +1,9 @@