diff --git a/cockatrice/src/client_metatypes.h b/cockatrice/src/client_metatypes.h new file mode 100644 index 00000000..979054c4 --- /dev/null +++ b/cockatrice/src/client_metatypes.h @@ -0,0 +1,29 @@ +#ifndef CLIENT_METATYPES_H +#define CLIENT_METATYPES_H + +#include + +Q_DECLARE_METATYPE(QVariant) +Q_DECLARE_METATYPE(CommandContainer) +Q_DECLARE_METATYPE(Response) +Q_DECLARE_METATYPE(Response::ResponseCode) +Q_DECLARE_METATYPE(ClientStatus) +Q_DECLARE_METATYPE(RoomEvent) +Q_DECLARE_METATYPE(GameEventContainer) +Q_DECLARE_METATYPE(Event_ServerIdentification) +Q_DECLARE_METATYPE(Event_ConnectionClosed) +Q_DECLARE_METATYPE(Event_ServerShutdown) +Q_DECLARE_METATYPE(Event_AddToList) +Q_DECLARE_METATYPE(Event_RemoveFromList) +Q_DECLARE_METATYPE(Event_UserJoined) +Q_DECLARE_METATYPE(Event_UserLeft) +Q_DECLARE_METATYPE(Event_ServerMessage) +Q_DECLARE_METATYPE(Event_ListRooms) +Q_DECLARE_METATYPE(Event_GameJoined) +Q_DECLARE_METATYPE(Event_UserMessage) +Q_DECLARE_METATYPE(ServerInfo_User) +Q_DECLARE_METATYPE(QList) +Q_DECLARE_METATYPE(Event_ReplayAdded) + + +#endif \ No newline at end of file diff --git a/cockatrice/src/dlg_settings.cpp b/cockatrice/src/dlg_settings.cpp index f69cd9a9..5bd0d9a8 100644 --- a/cockatrice/src/dlg_settings.cpp +++ b/cockatrice/src/dlg_settings.cpp @@ -26,6 +26,8 @@ GeneralSettingsPage::GeneralSettingsPage() { languageLabel = new QLabel; languageBox = new QComboBox; + customTranslationButton = new QPushButton("..."); + customTranslationButton->setMaximumWidth(50); QString setLanguage = settingsCache->getLang(); QStringList qmFiles = findQmFiles(); @@ -40,12 +42,14 @@ GeneralSettingsPage::GeneralSettingsPage() picDownloadCheckBox->setChecked(settingsCache->getPicDownload()); connect(languageBox, SIGNAL(currentIndexChanged(int)), this, SLOT(languageBoxChanged(int))); + connect(customTranslationButton, SIGNAL(clicked()), this, SLOT(customTranslationButtonClicked())); connect(picDownloadCheckBox, SIGNAL(stateChanged(int)), settingsCache, SLOT(setPicDownload(int))); QGridLayout *personalGrid = new QGridLayout; personalGrid->addWidget(languageLabel, 0, 0); personalGrid->addWidget(languageBox, 0, 1); - personalGrid->addWidget(picDownloadCheckBox, 1, 0, 1, 2); + personalGrid->addWidget(customTranslationButton, 0, 2); + personalGrid->addWidget(picDownloadCheckBox, 1, 0, 1, 3); personalGroupBox = new QGroupBox; personalGroupBox->setLayout(personalGrid); @@ -155,9 +159,19 @@ void GeneralSettingsPage::cardDatabasePathButtonClicked() void GeneralSettingsPage::languageBoxChanged(int index) { + settingsCache->setCustomTranslationFile(QString()); settingsCache->setLang(languageBox->itemData(index).toString()); } +void GeneralSettingsPage::customTranslationButtonClicked() +{ + QString path = QFileDialog::getOpenFileName(this, tr("Choose path")); + if (path.isEmpty()) + return; + + settingsCache->setCustomTranslationFile(path); +} + void GeneralSettingsPage::retranslateUi() { personalGroupBox->setTitle(tr("Personal settings")); @@ -575,6 +589,7 @@ DlgSettings::DlgSettings(QWidget *parent) : QDialog(parent) { connect(settingsCache, SIGNAL(langChanged()), this, SLOT(updateLanguage())); + connect(settingsCache, SIGNAL(customTranslationFileChanged()), this, SLOT(updateLanguage())); contentsWidget = new QListWidget; contentsWidget->setViewMode(QListView::IconMode); diff --git a/cockatrice/src/dlg_settings.h b/cockatrice/src/dlg_settings.h index 0ab474c0..ded2401e 100644 --- a/cockatrice/src/dlg_settings.h +++ b/cockatrice/src/dlg_settings.h @@ -27,20 +27,16 @@ public: GeneralSettingsPage(); void retranslateUi(); private slots: + void customTranslationButtonClicked(); void deckPathButtonClicked(); void replaysPathButtonClicked(); void picsPathButtonClicked(); void cardDatabasePathButtonClicked(); void languageBoxChanged(int index); -signals: -/* void picsPathChanged(const QString &path); - void replaysPathChanged(const QString &path); - void cardDatabasePathChanged(const QString &path); - void changeLanguage(const QString &qmFile); - void picDownloadChanged(int state); -*/private: +private: QStringList findQmFiles(); QString languageName(const QString &qmFile); + QPushButton *customTranslationButton; QLineEdit *deckPathEdit, *replaysPathEdit, *picsPathEdit, *cardDatabasePathEdit; QGroupBox *personalGroupBox, *pathsGroupBox; QComboBox *languageBox; diff --git a/cockatrice/src/main.cpp b/cockatrice/src/main.cpp index e3ff900a..eb10bb79 100644 --- a/cockatrice/src/main.cpp +++ b/cockatrice/src/main.cpp @@ -63,7 +63,10 @@ void installNewTranslator() qtTranslator->load("qt_" + lang, QLibraryInfo::location(QLibraryInfo::TranslationsPath)); qApp->installTranslator(qtTranslator); - translator->load(translationPrefix + "_" + lang, ":/translations"); + if (!settingsCache->getCustomTranslationFile().isEmpty()) + translator->load(settingsCache->getCustomTranslationFile()); + else + translator->load(translationPrefix + "_" + lang, ":/translations"); qApp->installTranslator(translator); } diff --git a/cockatrice/src/settingscache.cpp b/cockatrice/src/settingscache.cpp index 191035b0..927be945 100644 --- a/cockatrice/src/settingscache.cpp +++ b/cockatrice/src/settingscache.cpp @@ -5,6 +5,7 @@ SettingsCache::SettingsCache() { settings = new QSettings(this); + customTranslationFile = settings->value("personal/custom_translation").toString(); lang = settings->value("personal/lang").toString(); deckPath = settings->value("paths/decks").toString(); @@ -37,6 +38,13 @@ SettingsCache::SettingsCache() priceTagFeature = settings->value("deckeditor/pricetags", false).toBool(); } +void SettingsCache::setCustomTranslationFile(const QString &_customTranslationFile) +{ + customTranslationFile = _customTranslationFile; + settings->setValue("personal/custom_translation", customTranslationFile); + emit customTranslationFileChanged(); +} + void SettingsCache::setLang(const QString &_lang) { lang = _lang; diff --git a/cockatrice/src/settingscache.h b/cockatrice/src/settingscache.h index ac08f053..2bcbfd66 100644 --- a/cockatrice/src/settingscache.h +++ b/cockatrice/src/settingscache.h @@ -8,6 +8,7 @@ class QSettings; class SettingsCache : public QObject { Q_OBJECT signals: + void customTranslationFileChanged(); void langChanged(); void picsPathChanged(); void cardDatabasePathChanged(); @@ -25,7 +26,7 @@ signals: private: QSettings *settings; - QString lang; + QString customTranslationFile, lang; QString deckPath, replaysPath, picsPath, cardDatabasePath; QString handBgPath, stackBgPath, tableBgPath, playerBgPath, cardBackPicturePath; bool picDownload; @@ -43,6 +44,7 @@ private: bool priceTagFeature; public: SettingsCache(); + QString getCustomTranslationFile() const { return customTranslationFile; } QString getLang() const { return lang; } QString getDeckPath() const { return deckPath; } QString getReplaysPath() const { return replaysPath; } @@ -68,6 +70,7 @@ public: QString getSoundPath() const { return soundPath; } bool getPriceTagFeature() const { return priceTagFeature; } public slots: + void setCustomTranslationFile(const QString &_customTranslationFile); void setLang(const QString &_lang); void setDeckPath(const QString &_deckPath); void setReplaysPath(const QString &_replaysPath); diff --git a/cockatrice/src/window_main.cpp b/cockatrice/src/window_main.cpp index d5f365fe..96f3973e 100644 --- a/cockatrice/src/window_main.cpp +++ b/cockatrice/src/window_main.cpp @@ -225,6 +225,7 @@ void MainWindow::actAbout() + tr("Czech:") + " Ondřej Trhoň
" // + tr("Slovak:") + " Ganjalf Rendy
" + tr("Italian:") + " Luigi Sciolla
" + + tr("Swedish:") + " Jessica Dahl
" )); } diff --git a/cockatrice/translations/cockatrice_cs.ts b/cockatrice/translations/cockatrice_cs.ts index 20447575..1298f704 100644 --- a/cockatrice/translations/cockatrice_cs.ts +++ b/cockatrice/translations/cockatrice_cs.ts @@ -242,9 +242,8 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - Hide card info - Skrýt informace o kartě + Skrýt informace o kartě @@ -262,225 +261,230 @@ This is only saved for moderators and cannot be seen by the banned person.Zobrazit všechny informace - + Name: Jméno: - + Mana cost: Sesílací cena: - + Card type: Typ karty: - + P / T: S / O: + + + Loyalty: + + CardItem - + &Play &Zahrát - + &Hide &Skrýt - + &Tap &Tapnout - + &Untap &Odtapnout - + Toggle &normal untapping Přepnout &normální odtapnutí - + &Flip &Otočit - + &Clone &Zdvojit - + Ctrl+H Ctrl+H - + &Attach to card... Připojit ke k&artě... - + Ctrl+A Ctrl+A - + Unattac&h Od&pojit - + &Draw arrow... - + &Power / toughness &Síla / odolnost - + &Increase power &Zvýšit sílu - + Ctrl++ Ctrl++ - + &Decrease power &Snížit sílu - + Ctrl+- Ctrl+- - + I&ncrease toughness &Zvýšit odolnost - + Alt++ Alt++ - + D&ecrease toughness &Snížit sílu - + Alt+- Alt+- - + In&crease power and toughness &Zvýšit sílu a odolnost - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness &Snížit sílu a odolnost - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... Nastavit &sílu a odolnost... - + Ctrl+P Ctrl+P - + &Set annotation... Na&stavit poznámku... - + red červená - + yellow žlutá - + green zelená - + &Add counter (%1) Přid&at žeton (%1) - + &Remove counter (%1) Odst&ranit žeton (%1) - + &Set counters (%1)... Na&stavit žetony (%1)... - + &top of library &vršek knihovny - + &bottom of library &spodek knihovny - + &graveyard &hřbitov - + Ctrl+Del Ctrl+Del - + &exile &exilnout - + &Move to &Přesunout @@ -1161,57 +1165,57 @@ This is only saved for moderators and cannot be seen by the banned person.Jen pro &registrované - + Joining restrictions Omezení připojení - + &Spectators allowed &Diváci povoleni - + Spectators &need a password to join Diváci &musí znát heslo - + Spectators can &chat Diváci mohou &chatovat - + Spectators see &everything Diváci vidí &všechno - + Spectators Diváci - + &OK &OK - + &Cancel &Zrušit - + Create game Vytvořit hru - + Error Chyba - + Server error. Chyba serveru. @@ -1413,94 +1417,93 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - - - - - - - - + + + + + + + + Error Chyba - + Please join the appropriate room first. - + Wrong password. Špatné heslo. - + Spectators are not allowed in this game. Do této hry je divákům přístup zakázán. - + The game is already full. Hra je plná. - + The game does not exist any more. Hra již neexistuje. - + This game is only open to registered users. Hra je určena jen pro registrované. - + This game is only open to its creator's buddies. Hra je dostupná jen pro přátele zakládajícícho. - + You are being ignored by the creator of this game. Zakladatel hry vás ignoruje. - + Join game Připojit ke hře - + Password: Heslo: - + Games Hry - - Show &full games - Ukázat &plné hry - - - - Show &running games + + Show u&navailable games - + Show &full games + Ukázat &plné hry + + + C&reate V&ytvořit - + &Join &Připojit - + J&oin as spectator P&řipojit se jako divák @@ -3988,22 +3991,22 @@ Prosím vložte jméno: Opravdu chcete ukončit tuto hru? - + Leave game Opustit hru - + Are you sure you want to leave this game? Opravdu chcete opustit tuto hru? - + Kicked Vyhozen - + You have been kicked out of the game. Byli jste vyhozeni ze hry. @@ -4473,17 +4476,17 @@ Zkontrolujte, jestli lze zapisovat do cílového adresáře a zkuste to znovu. ZoneViewWidget - + sort by name seřadit dle jména - + sort by type seřadit dle typu - + shuffle when closing zamíchat po zavření diff --git a/cockatrice/translations/cockatrice_de.ts b/cockatrice/translations/cockatrice_de.ts index 65e131f7..8f7d1829 100644 --- a/cockatrice/translations/cockatrice_de.ts +++ b/cockatrice/translations/cockatrice_de.ts @@ -282,9 +282,8 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic CardInfoWidget - Hide card info - Nichts anzeigen + Nichts anzeigen @@ -302,25 +301,30 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Alles anzeigen - + Name: Name: - + Mana cost: Manakosten: - + Card type: Kartentyp: - + P / T: S/W: + + + Loyalty: + + Error Fehler @@ -333,57 +337,57 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic CardItem - + &Play &Ausspielen - + &Hide &Verstecken - + &Tap &Tappen - + &Untap E&nttappen - + Toggle &normal untapping N&ormales Enttappen umschalten - + &Flip &Umdrehen - + &Clone &Kopieren - + Ctrl+H Ctrl+H - + &Attach to card... &An Karte anlegen... - + Ctrl+A Ctrl+A - + Unattac&h &Von Karte lösen @@ -392,147 +396,147 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic &Kampfwerte setzen... - + &Draw arrow... &Pfeil zeichnen... - + &Power / toughness &Kampfwerte - + &Increase power &Stärke erhöhen - + Ctrl++ Ctrl++ - + &Decrease power S&tärke senken - + Ctrl+- Ctrl+- - + I&ncrease toughness &Widerstandskraft erhöhen - + Alt++ Alt++ - + D&ecrease toughness W&iderstandskraft senken - + Alt+- Alt+- - + In&crease power and toughness Stärke und Widerstandskraft &erhöhen - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Stärke und Widerstandskraft s&enken - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... &Kampfwerte setzen... - + Ctrl+P Ctrl+P - + &Set annotation... &Hinweis setzen... - + red rot - + yellow gelb - + green grün - + &Add counter (%1) Zählmarke &hinzufügen (%1) - + &Remove counter (%1) Zählmarke &entfernen (%1) - + &Set counters (%1)... Zählmarken &setzen (%1)... - + &top of library &auf die Bibliothek - + &bottom of library &unter die Bibliothek - + &graveyard in den &Friedhof - + Ctrl+Del Ctrl+Del - + &exile ins &Exil - + &Move to &Verschieben @@ -1445,17 +1449,17 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Nur &registrierte Benutzer können teilnehmen - + Joining restrictions Teilnahmebedingungen - + &Spectators allowed &Zuschauer zugelassen - + Spectators &need a password to join Zuschauer brauchen &auch ein Passwort @@ -1464,37 +1468,37 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Zuschauer können sp&rechen - + Spectators can &chat Zuschauer können s&chreiben - + Spectators see &everything Zuschauer sehen &alles - + Spectators Zuschauer - + &OK &OK - + &Cancel &Abbruch - + Create game Spiel erstellen - + Error Fehler @@ -1503,7 +1507,7 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Ungültige Anzahl an Spielern. - + Server error. Serverfehler. @@ -2006,24 +2010,24 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic GameSelector - + C&reate Spiel e&rstellen - + &Join &Teilnehmen - - - - - - - - + + + + + + + + Error Fehler @@ -2032,76 +2036,79 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic XXX - + Please join the appropriate room first. Bitte betreten Sie erst den entsprechenden Raum. - + Wrong password. Falsches Passwort. - + Spectators are not allowed in this game. In diesem Spiel sind keine Zuschauer zugelassen. - + The game is already full. Das Spiel ist bereits voll. - + The game does not exist any more. Dieses Spiel gibt es nicht mehr. - + This game is only open to registered users. Dieses Spiel kann nur von registrierten Benutzern betreten werden. - + This game is only open to its creator's buddies. Dieses Spiel kann nur von Freunden des Erstellers betreten werden. - + You are being ignored by the creator of this game. Der Ersteller dieses Spiels ignoriert Sie. - + Join game Spiel beitreten - + Password: Passwort: - + Games Spiele - - Show &full games - &Volle Spiele anzeigen + + Show u&navailable games + + + + Show &full games + &Volle Spiele anzeigen - Show &running games - &Laufende Spiele anzeigen + &Laufende Spiele anzeigen &Show full games &Volle Spiele anzeigen - + J&oin as spectator &Zuschauen @@ -5176,12 +5183,12 @@ Bitte geben Sie einen Namen ein: Ctrl+Q - + Kicked Herausgeworfen - + You have been kicked out of the game. Sie wurden aus dem Spiel geworfen. @@ -5225,12 +5232,12 @@ Bitte geben Sie einen Namen ein: Sind Sie sicher, dass Sie das Spiel aufgeben möchten? - + Leave game Spiel verlassen - + Are you sure you want to leave this game? Sind Sie sicher, dass Sie das Spiel verlassen möchten? @@ -5747,17 +5754,17 @@ Bitte überprüfen Sie, dass Sie Schreibrechte in dem Verzeichnis haben, und ver alphabetisch sortieren - + sort by name nach Namen sortieren - + sort by type nach Kartentypen sortieren - + shuffle when closing beim Schließen mischen diff --git a/cockatrice/translations/cockatrice_en.ts b/cockatrice/translations/cockatrice_en.ts index 2c2914e9..987bd72f 100644 --- a/cockatrice/translations/cockatrice_en.ts +++ b/cockatrice/translations/cockatrice_en.ts @@ -235,11 +235,6 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - - - Hide card info - - Show card only @@ -256,225 +251,230 @@ This is only saved for moderators and cannot be seen by the banned person. - + Name: - + Mana cost: - + Card type: - + P / T: + + + Loyalty: + + CardItem - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Clone - + Ctrl+H - + &Attach to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &Power / toughness - + &Increase power - + Ctrl++ - + &Decrease power - + Ctrl+- - + I&ncrease toughness - + Alt++ - + D&ecrease toughness - + Alt+- - + In&crease power and toughness - + Ctrl+Alt++ - + Dec&rease power and toughness - + Ctrl+Alt+- - + Set &power and toughness... - + Ctrl+P - + &Set annotation... - + red - + yellow - + green - + &Add counter (%1) - + &Remove counter (%1) - + &Set counters (%1)... - + &top of library - + &bottom of library - + &graveyard - + Ctrl+Del - + &exile - + &Move to @@ -1005,57 +1005,57 @@ This is only saved for moderators and cannot be seen by the banned person. - + Joining restrictions - + &Spectators allowed - + Spectators &need a password to join - + Spectators can &chat - + Spectators see &everything - + Spectators - + &OK - + &Cancel - + Create game - + Error - + Server error. @@ -1257,94 +1257,89 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - + C&reate - + &Join - - - - - - - - + + + + + + + + Error - + Please join the appropriate room first. - + Wrong password. - + Spectators are not allowed in this game. - + The game is already full. - + The game does not exist any more. - + This game is only open to registered users. - + This game is only open to its creator's buddies. - + You are being ignored by the creator of this game. - + Join game - + Password: - + Games - - Show &full games + + Show u&navailable games - - Show &running games - - - - + J&oin as spectator @@ -3614,22 +3609,22 @@ Please enter a name: - + Leave game - + Are you sure you want to leave this game? - + Kicked - + You have been kicked out of the game. @@ -4083,17 +4078,17 @@ Do you want to save the changes? ZoneViewWidget - + sort by name - + sort by type - + shuffle when closing diff --git a/cockatrice/translations/cockatrice_es.ts b/cockatrice/translations/cockatrice_es.ts index ed26ec53..9af27bdb 100644 --- a/cockatrice/translations/cockatrice_es.ts +++ b/cockatrice/translations/cockatrice_es.ts @@ -251,9 +251,8 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona CardInfoWidget - Hide card info - Ocultar información de la carta + Ocultar información de la carta @@ -271,80 +270,85 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Mostrar información completa - + Name: Nombre: - + Mana cost: Coste de mana: - + Card type: Tipo de carta: - + P / T: F / R: + + + Loyalty: + + CardItem - + &Play &Jugar - + &Hide &Ocultar - + &Tap &Girar - + &Untap &Enderezar - + Toggle &normal untapping Alternar enderezamiento &normal - + &Flip &Voltear - + &Clone &Clonar - + Ctrl+H Ctrl+H - + &Attach to card... Ane&xar a una carta... - + Ctrl+A Ctrl+A - + Unattac&h Desane&xar @@ -353,147 +357,147 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Establecer &F/R... - + &Draw arrow... &Dibujar flecha... - + &Power / toughness &Fuerza / resistencia - + &Increase power &Incrementar fuerza - + Ctrl++ Ctrl++ - + &Decrease power &Decrementar fuerza - + Ctrl+- Ctrl+- - + I&ncrease toughness I&ncrementar resistencia - + Alt++ Alt++ - + D&ecrease toughness D&ecrementar resistencia - + Alt+- Alt+- - + In&crease power and toughness In&crementar fuerza y resistencia - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Dec&rementar fuerza y resistencia - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... Establecer &fuerza y resistencia... - + Ctrl+P Ctrl+P - + &Set annotation... E&scribir anotación... - + red rojo - + yellow amarillo - + green verde - + &Add counter (%1) &Añadir contador (%1) - + &Remove counter (%1) &Quitar contador (%1) - + &Set counters (%1)... E&stablecer contadores (%1)... - + &top of library &parte superior de la biblioteca - + &bottom of library &fondo de la biblioteca - + &graveyard &cementerio - + Ctrl+Del Ctrl+Del - + &exile &exilio - + &Move to &Mover a @@ -1361,57 +1365,57 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Sólo los usuarios &registrados pueden participar - + Joining restrictions Restricciones de participación - + &Spectators allowed Permitir e&spectadores - + Spectators &need a password to join Los espectadores &necesitan contraseña para unirse - + Spectators can &chat Los espectadores pueden &chatear - + Spectators see &everything Los espectadores pueden verlo &todo - + Spectators Espectadores - + &OK &Aceptar - + &Cancel &Cancelar - + Create game Crear partida - + Error Error - + Server error. Error del servidor. @@ -1625,98 +1629,101 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona GameSelector - + C&reate C&rear - + &Join E&ntrar - - - - - - - - + + + + + + + + Error Error - + Please join the appropriate room first. Por favor, entre en la sala adecuada primero. - + Wrong password. Contraseña incorrecta. - + Spectators are not allowed in this game. No se permiten espectadores en esta partida. - + The game is already full. La partida no tiene plazas libres. - + The game does not exist any more. La partida ya no existe. - + This game is only open to registered users. Esta partida está abierta sólo a usuarios registrados. - + This game is only open to its creator's buddies. Esta partida está abierta sólo a los amigos del creador. - + You are being ignored by the creator of this game. Estas siendo ignorado por el creador de la partida. - + Join game Entrar en la partida - + Password: Contraseña: - + Games Partidas - - Show &full games - Ver partidas &sin plazas libres + + Show u&navailable games + + + + Show &full games + Ver partidas &sin plazas libres - Show &running games - Mostrar partidas en &curso + Mostrar partidas en &curso &Show full games &Ver partidas sin plazas libres - + J&oin as spectator Entrar como e&spectador @@ -4283,22 +4290,22 @@ Por favor, introduzca un nombre: ¿Estás seguro de que quieres conceder esta partida? - + Leave game Abandonar la partida - + Are you sure you want to leave this game? ¿Estás seguro de que quieres abandonar la partida? - + Kicked Expulsado - + You have been kicked out of the game. Has sido expulsado de la partida. @@ -4776,17 +4783,17 @@ Do you want to save the changes? ZoneViewWidget - + sort by name ordenar por nombre - + sort by type ordenar por tipo - + shuffle when closing barajar al cerrar diff --git a/cockatrice/translations/cockatrice_fr.ts b/cockatrice/translations/cockatrice_fr.ts index e8409f92..9979a782 100644 --- a/cockatrice/translations/cockatrice_fr.ts +++ b/cockatrice/translations/cockatrice_fr.ts @@ -243,9 +243,8 @@ Cette information ne sera consultable que par les modérateurs. CardInfoWidget - Hide card info - Cacher les informations relatives aux cartes + Cacher les informations relatives aux cartes @@ -263,80 +262,85 @@ Cette information ne sera consultable que par les modérateurs. Montrer toutes les informations - + Name: Nom: - + Mana cost: Cout de mana: - + Card type: Type de carte: - + P / T: F / E: + + + Loyalty: + + CardItem - + &Play &Jouer - + &Hide &Cacher - + &Tap &Engager - + &Untap &Dégager - + Toggle &normal untapping Activer/ Désactiver le dégagement &normal - + &Flip &Retourner la carte - + &Clone &Copier une carte - + Ctrl+H - + &Attach to card... &Attacher à la carte... - + Ctrl+A Ctrl+A - + Unattac&h Détac&her @@ -345,147 +349,147 @@ Cette information ne sera consultable que par les modérateurs. Fixer &F/E... - + &Draw arrow... &Tracer une flèche... - + &Power / toughness F&orce / Endurance - + &Increase power &Augmenter force - + Ctrl++ Ctrl++ - + &Decrease power &Diminuer force - + Ctrl+- Ctrl+- - + I&ncrease toughness A&ugmenter endurance - + Alt++ Alt++ - + D&ecrease toughness D&iminuer endurance - + Alt+- Alt+- - + In&crease power and toughness Au&gmenter la force et l'endurance - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Di&minuer la force et l'endurance - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... Fi&xer la force et l'endurance... - + Ctrl+P Ctrl+P - + &Set annotation... A&jouter note... - + red rouge - + yellow jaune - + green vert - + &Add counter (%1) &Ajouter compteur (%1) - + &Remove counter (%1) &Retirer compteur (%1) - + &Set counters (%1)... &Fixer marqueurs (%1)... - + &top of library dessus de la &Bibliothèque - + &bottom of library &dessous de la bibliothèque - + &graveyard &cimetière - + Ctrl+Del Ctrl+Del - + &exile &exiler - + &Move to &Aller @@ -1223,57 +1227,57 @@ Cette information ne sera consultable que par les modérateurs. Seules les personnes en&registrées peuvent rejoindre - + Joining restrictions Conditions pour rejoindre - + &Spectators allowed &Spectateurs autorisés - + Spectators &need a password to join Les spectateurs ont besoin d'un &mot de passe pour rejoindre - + Spectators can &chat Les spectateurs peuvent dis&cuter - + Spectators see &everything Les spectateurs p&euvent tout voir - + Spectators Spectateurs - + &OK &OK - + &Cancel &Annuler - + Create game Créer partie - + Error Erreur - + Server error. Erreur serveur. @@ -1475,81 +1479,84 @@ Cette information ne sera consultable que par les modérateurs. GameSelector - - - - - - - - + + + + + + + + Error Erreur - + Please join the appropriate room first. Veuillez d'abord rejoindre le bon salon. - + Wrong password. Mot de passe erroné. - + Spectators are not allowed in this game. Les spectateurs ne sont pas autorisés dans cette partie. - + The game is already full. Cette partie est déjà pleine. - + The game does not exist any more. La partie n'existe plus. - + This game is only open to registered users. Cette partie n'est accessible qu'aux joueurs enregistrés. - + This game is only open to its creator's buddies. Cette partie n'est accessible qu'aux amis. - + You are being ignored by the creator of this game. Vous avez été ignoré par le créateur de la partie. - + Join game Rejoindre partie - + Password: Mot de passe: - + Games Parties - - Show &full games - Montrer les pa&rties pleines + + Show u&navailable games + + + + Show &full games + Montrer les pa&rties pleines - Show &running games - Montrer les &parties en cours + Montrer les &parties en cours &Show full games @@ -1557,17 +1564,17 @@ Cette information ne sera consultable que par les modérateurs. &Montrer toutes les parties - + C&reate C&réer - + &Join Re&joindre - + J&oin as spectator Rej&oindre en tant que spectateur @@ -4142,22 +4149,22 @@ Entrez un nom s'il vous plaît: Êtes-vous sûr de vouloir concéder la partie? - + Leave game Quitter la partie - + Are you sure you want to leave this game? Êtes-vous sûr de vouloir quitter la partie? - + Kicked Exclu - + You have been kicked out of the game. Vous avez été exclu de la partie. @@ -4640,17 +4647,17 @@ Vérifiez que le répertoire ne soit pas en lecture seule et réessayez. ZoneViewWidget - + sort by name tri par nom - + sort by type tri par type - + shuffle when closing mélanger en quittant diff --git a/cockatrice/translations/cockatrice_it.ts b/cockatrice/translations/cockatrice_it.ts index 1596f41c..45aa168c 100644 --- a/cockatrice/translations/cockatrice_it.ts +++ b/cockatrice/translations/cockatrice_it.ts @@ -243,9 +243,8 @@ Questo è solo visibile ai moderatori e non alla persona bannata. CardInfoWidget - Hide card info - Nascondi info sulla carta + Nascondi info sulla carta @@ -263,225 +262,230 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Visualizza tutte le info - + Name: Nome: - + Mana cost: Costo: - + Card type: Tipo: - + P / T: F / C: + + + Loyalty: + + CardItem - + &Play &Gioca - + &Hide &Nascondi - + &Tap &Tappa - + &Untap &Stappa - + Toggle &normal untapping Non &stappa normalmente - + &Flip &Gira - + &Clone &Copia - + Ctrl+H - + &Attach to card... &Attacca alla carta... - + Ctrl+A Ctrl+A - + Unattac&h Stacc&a - + &Draw arrow... &Disegna una freccia... - + &Power / toughness &Forza / Costituzione - + &Increase power &Aumenta forza - + Ctrl++ Ctrl++ - + &Decrease power &Diminuisci forza - + Ctrl+- Ctrl+- - + I&ncrease toughness A&umenta costituzione - + Alt++ Alt++ - + D&ecrease toughness D&iminuisci costituzione - + Alt+- Alt+- - + In&crease power and toughness Au&menta forza e costituzione - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Dim&inuisci forza e costituzione - + Ctrl+Alt+- Ctrl-Alt+- - + Set &power and toughness... Imposta &forza e costituzione... - + Ctrl+P Ctrl+P - + &Set annotation... &Imposta annotazioni... - + red rosso - + yellow giallo - + green verde - + &Add counter (%1) &Aggiungi contatore (%1) - + &Remove counter (%1) &Rimuovi contatore (%1) - + &Set counters (%1)... &Imposta contatori (%1)... - + &top of library &cima al grimorio - + &bottom of library &fondo del grimorio - + &graveyard &cimitero - + Ctrl+Del Ctrl+Del - + &exile &esilio - + &Move to &Metti in @@ -1012,57 +1016,57 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Solo &utenti registrati possono entrare - + Joining restrictions Restrizioni d'ingresso - + &Spectators allowed &Spettatori concessi - + Spectators &need a password to join Spettatori &necessitano di password - + Spectators can &chat &Spettatori possono &chattare - + Spectators see &everything Gli spettatori vedono &tutto - + Spectators Spettatori - + &OK &OK - + &Cancel &Annulla - + Create game Crea partita - + Error Errore - + Server error. Errore del server. @@ -1264,94 +1268,97 @@ Questo è solo visibile ai moderatori e non alla persona bannata. GameSelector - - - - - - - - + + + + + + + + Error Errore - + Please join the appropriate room first. Entra in una stanza appropriata. - + Wrong password. Password errata. - + Spectators are not allowed in this game. Spettatori non ammessi in questa partita. - + The game is already full. La partita è piena. - + The game does not exist any more. Questa stanza non esiste più. - + This game is only open to registered users. Questa partita è solo per utenti registrati. - + This game is only open to its creator's buddies. Questa stanza è solo aperta per gli amici del suo creatore. - + You are being ignored by the creator of this game. Sei stato ingnorato dal creatore di questa partita. - + Join game Entra nella partita - + Password: Password: - + Games Partite - + + Show u&navailable games + + + Show &full games - Visualizza &tutte le partite + Visualizza &tutte le partite - Show &running games - Visualizza le partite &iniziate + Visualizza le partite &iniziate - + C&reate Cr&ea - + &Join &Entra - + J&oin as spectator E&ntra come spettatore @@ -3626,22 +3633,22 @@ Please enter a name: Vuoi veramente concedere la partita? - + Leave game Lascia la partita - + Are you sure you want to leave this game? Sei sicuro di voler lasciare la partita? - + Kicked Caccia - + You have been kicked out of the game. Sei stato cacciato dalla partita. @@ -4097,17 +4104,17 @@ Controlla se la cartella è valida e prova ancora. ZoneViewWidget - + sort by name ordina per nome - + sort by type ordina per tipo - + shuffle when closing mescola quando chiudi diff --git a/cockatrice/translations/cockatrice_ja.ts b/cockatrice/translations/cockatrice_ja.ts index 039c874a..bdd1b0ef 100644 --- a/cockatrice/translations/cockatrice_ja.ts +++ b/cockatrice/translations/cockatrice_ja.ts @@ -246,9 +246,8 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - Hide card info - カードインフォを隠す + カードインフォを隠す @@ -266,81 +265,86 @@ This is only saved for moderators and cannot be seen by the banned person.全て表示 - + Name: カード名: - + Mana cost: マナコスト: - + Card type: カードタイプ: - + P / T: + + + Loyalty: + + CardItem - + &Play プレイ - + &Hide テスト版のため確認取れず再度チェック 裏にしてプレイ - + &Tap タップ - + &Untap アンタップ - + Toggle &normal untapping 通常のアンタップをしない - + &Flip 裏にする - + &Clone 複製する - + Ctrl+H - + &Attach to card... カードに付ける... - + Ctrl+A - + Unattac&h 取り外す @@ -349,148 +353,148 @@ This is only saved for moderators and cannot be seen by the banned person.P/Tを決める... - + &Draw arrow... テストしていないので要修正 矢印を指定 - + &Power / toughness パワー / タフネス - + &Increase power パワーを上げる - + Ctrl++ - + &Decrease power パワーを下げる - + Ctrl+- - + I&ncrease toughness タフネスを上げる - + Alt++ - + D&ecrease toughness タフネスを下げる - + Alt+- - + In&crease power and toughness パワーとタフネスを上げる - + Ctrl+Alt++ - + Dec&rease power and toughness パワーとタフネスを下げる - + Ctrl+Alt+- - + Set &power and toughness... パワーとタフネスを設定する... - + Ctrl+P - + &Set annotation... 注釈を付ける... - + red - + yellow - + green - + &Add counter (%1) カウンターを乗せる (%1) - + &Remove counter (%1) カウンターを取り除く (%1) - + &Set counters (%1)... カウンターの数を決める (%1)... - + &top of library ライブラリーの一番上へ - + &bottom of library ライブラリーの一番下へ - + &graveyard 墓地へ - + Ctrl+Del - + &exile 追放領域へ - + &Move to 移動させる @@ -1059,57 +1063,57 @@ This is only saved for moderators and cannot be seen by the banned person.登録済みプレイヤーのみ参加可能 - + Joining restrictions 参加制限 - + &Spectators allowed 観戦者を許可する - + Spectators &need a password to join 観戦者は参加にパスワードが必要 - + Spectators can &chat 観戦者はチャットに参加できる - + Spectators see &everything 観戦者は全て見れる - + Spectators 観戦者 - + &OK - + &Cancel - + Create game 部屋を作る - + Error エラー - + Server error. サーバーエラー. @@ -1311,98 +1315,101 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - + C&reate 部屋を作る - + &Join 参加する - - - - - - - - + + + + + + + + Error エラー - + Please join the appropriate room first. 適切な部屋に参加してください. - + Wrong password. パスワードが間違っています. - + Spectators are not allowed in this game. この試合は観戦者は許可されていません. - + The game is already full. このゲームはすでに満員です. - + The game does not exist any more. このゲームはもう存在しません. - + This game is only open to registered users. このゲームは登録済みプレイヤーにのみ公開されています. - + This game is only open to its creator's buddies. このゲームは作成者のフレンドのみに公開されています. - + You are being ignored by the creator of this game. あなたはこのゲームの作成者によって拒否されています. - + Join game 参加 - + Password: パスワード: - + Games ゲーム - - Show &full games - 全てのゲームを見る + + Show u&navailable games + + + + Show &full games + 全てのゲームを見る - Show &running games - 進行中のゲームを見る + 進行中のゲームを見る &Show full games 全てのゲームを見る - + J&oin as spectator 観戦者として参加 @@ -3715,22 +3722,22 @@ Please enter a name: 本当にこのゲームに投了しますか? - + Leave game ゲームから退出する - + Are you sure you want to leave this game? 本当にこのゲームから退出しますか? - + Kicked キック - + You have been kicked out of the game. あなたはこのゲームからキックされました. @@ -4206,17 +4213,17 @@ Do you want to save the changes? ZoneViewWidget - + sort by name 名前でソート - + sort by type タイプでソート - + shuffle when closing 閉じる時にシャッフル diff --git a/cockatrice/translations/cockatrice_pl.ts b/cockatrice/translations/cockatrice_pl.ts index a65e8861..302c556f 100644 --- a/cockatrice/translations/cockatrice_pl.ts +++ b/cockatrice/translations/cockatrice_pl.ts @@ -235,11 +235,6 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - - - Hide card info - - Show card only @@ -256,225 +251,230 @@ This is only saved for moderators and cannot be seen by the banned person. - + Name: - + Mana cost: - + Card type: - + P / T: + + + Loyalty: + + CardItem - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Clone - + Ctrl+H - + &Attach to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &Power / toughness - + &Increase power - + Ctrl++ - + &Decrease power - + Ctrl+- - + I&ncrease toughness - + Alt++ - + D&ecrease toughness - + Alt+- - + In&crease power and toughness - + Ctrl+Alt++ - + Dec&rease power and toughness - + Ctrl+Alt+- - + Set &power and toughness... - + Ctrl+P - + &Set annotation... - + red - + yellow - + green - + &Add counter (%1) - + &Remove counter (%1) - + &Set counters (%1)... - + &top of library - + &bottom of library - + &graveyard - + Ctrl+Del - + &exile - + &Move to @@ -1005,57 +1005,57 @@ This is only saved for moderators and cannot be seen by the banned person. - + Joining restrictions - + &Spectators allowed - + Spectators &need a password to join - + Spectators can &chat - + Spectators see &everything - + Spectators - + &OK - + &Cancel - + Create game - + Error - + Server error. @@ -1257,94 +1257,89 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - - - - - - - - + + + + + + + + Error - + Please join the appropriate room first. - + Wrong password. - + Spectators are not allowed in this game. - + The game is already full. - + The game does not exist any more. - + This game is only open to registered users. - + This game is only open to its creator's buddies. - + You are being ignored by the creator of this game. - + Join game - + Password: - + Games - - Show &full games + + Show u&navailable games - - Show &running games - - - - + C&reate - + &Join - + J&oin as spectator @@ -3591,22 +3586,22 @@ Please enter a name: - + Leave game - + Are you sure you want to leave this game? - + Kicked - + You have been kicked out of the game. @@ -4060,17 +4055,17 @@ Please check that the directory is writable and try again. ZoneViewWidget - + sort by name - + sort by type - + shuffle when closing diff --git a/cockatrice/translations/cockatrice_pt-br.ts b/cockatrice/translations/cockatrice_pt-br.ts index d3c92603..6a490c49 100644 --- a/cockatrice/translations/cockatrice_pt-br.ts +++ b/cockatrice/translations/cockatrice_pt-br.ts @@ -245,11 +245,6 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - - - Hide card info - - Show card only @@ -266,80 +261,85 @@ This is only saved for moderators and cannot be seen by the banned person. - + Name: Nome: - + Mana cost: Custo de mana: - + Card type: Tipo de card: - + P / T: P / R: + + + Loyalty: + + CardItem - + &Play &Jogar - + &Hide &Ocultar - + &Tap &Virar - + &Untap &Desvirar - + Toggle &normal untapping &Trocar o modo de desvirar - + &Flip Virar a &face - + &Clone Clo&nar - + Ctrl+H Ctrl+H - + &Attach to card... Ane&xar ao card... - + Ctrl+A Ctrl+A - + Unattac&h De&sanexar @@ -348,147 +348,147 @@ This is only saved for moderators and cannot be seen by the banned person.Alterar &P/R... - + &Draw arrow... - + &Power / toughness Po&der / resistência - + &Increase power Au&mentar poder - + Ctrl++ Ctrl++ - + &Decrease power Dimi&nuir poder - + Ctrl+- Ctrl+- - + I&ncrease toughness A&umentar resistência - + Alt++ Alt++ - + D&ecrease toughness D&iminuir resistência - + Alt+- Alt+- - + In&crease power and toughness Aumen&tar poder e resistência - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Diminuir p&oder e resistência - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... Alterar poder e resis&tência... - + Ctrl+P Ctrl+P - + &Set annotation... Alterar &nota... - + red vermelho - + yellow amarelo - + green verde - + &Add counter (%1) Adicionar &marcador (%1) - + &Remove counter (%1) &Remover marcador (%1) - + &Set counters (%1)... &Alterar marcadores (%1)... - + &top of library topo do &grimório - + &bottom of library &fundo do grimório - + &graveyard &cemitério - + Ctrl+Del Ctrl+Del - + &exile &exílio - + &Move to Mo&ver para @@ -1226,57 +1226,57 @@ This is only saved for moderators and cannot be seen by the banned person.Apenas usuários re&gistrados podem entrar - + Joining restrictions Restrições para entrar - + &Spectators allowed &Permitir visitantes - + Spectators &need a password to join Visitantes &precisam de senha para entrar - + Spectators can &chat Visitantes podem c&onversar - + Spectators see &everything Visitantes podem ver &tudo - + Spectators Visitantes - + &OK &OK - + &Cancel &Cancelar - + Create game Criar jogo - + Error Erro - + Server error. Erro do servidor. @@ -1478,98 +1478,97 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - + C&reate &Criar - + &Join &Entrar - - - - - - - - + + + + + + + + Error Erro - + Please join the appropriate room first. - + Wrong password. Senha incorreta. - + Spectators are not allowed in this game. Não são permitidos visitantes neste jogo. - + The game is already full. O jogo está cheio. - + The game does not exist any more. O jogo não existe mais. - + This game is only open to registered users. Este jogo é aberto apenas para usuários registrados. - + This game is only open to its creator's buddies. Este jogo é aberto apenas para os amigos de quem criou o jogo. - + You are being ignored by the creator of this game. Você está sendo ignorado pelo criador deste jogo. - + Join game Entrar no jogo - + Password: Senha: - + Games Jogos - - Show &full games - &Mostrar os jogos cheios + + Show u&navailable games + - - Show &running games - + Show &full games + &Mostrar os jogos cheios &Show full games &Mostrar os jogos cheios - + J&oin as spectator E&ntrar como visitante @@ -4116,22 +4115,22 @@ Por favor, entre um nome: Você tem certeza que deseja conceder este jogo? - + Leave game Sair do jogo - + Are you sure you want to leave this game? Você tem certeza que deseja sair deste jogo? - + Kicked Chutado - + You have been kicked out of the game. Você foi chutado do jogo. @@ -4609,17 +4608,17 @@ Você deseja salvar as alterações? ZoneViewWidget - + sort by name ordenar por nome - + sort by type ordenar por tipo - + shuffle when closing embaralhar quando fechar diff --git a/cockatrice/translations/cockatrice_pt.ts b/cockatrice/translations/cockatrice_pt.ts index c85d16f5..3e832bd0 100644 --- a/cockatrice/translations/cockatrice_pt.ts +++ b/cockatrice/translations/cockatrice_pt.ts @@ -247,9 +247,8 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban CardInfoWidget - Hide card info - Esconder informação da carta + Esconder informação da carta @@ -267,80 +266,85 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban Mostrar informação completa - + Name: Nome: - + Mana cost: Custo de Mana: - + Card type: Tipo de carta: - + P / T: P / R: + + + Loyalty: + + CardItem - + &Play &Jogar - + &Hide Esco&nder - + &Tap &Virar - + &Untap Desv&irar - + Toggle &normal untapping A&lterar desvirar normalmente - + &Flip Vol&tar - + &Clone Copi&ar - + Ctrl+H Ctrl+H - + &Attach to card... Ane&xar a carta... - + Ctrl+A Ctrl+A - + Unattac&h De&sanexar @@ -349,147 +353,147 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban Definir &P/R... - + &Draw arrow... Desen&har seta... - + &Power / toughness &Poder / resistência - + &Increase power &Aumentar poder - + Ctrl++ Ctrl++ - + &Decrease power &Diminuir poder - + Ctrl+- Ctrl+- - + I&ncrease toughness A&umentar resistência - + Alt++ Alt++ - + D&ecrease toughness Di&minuir resistência - + Alt+- Alt+- - + In&crease power and toughness Aumen&tar poder e resistência - + Ctrl+Alt++ Ctrl+Alt++ - + Dec&rease power and toughness Dimin&uir poder e resistência - + Ctrl+Alt+- Ctrl+Alt+- - + Set &power and toughness... Definir &poder e resistência... - + Ctrl+P Ctrl+P - + &Set annotation... Colocar &nota... - + red vermelho - + yellow amarelo - + green verde - + &Add counter (%1) Adicionar &marcador (%1) - + &Remove counter (%1) &Remover marcador (%1) - + &Set counters (%1)... &Denifir marcadores (%1)... - + &top of library Topo do &grimório - + &bottom of library &Fundo do grimório - + &graveyard &Cemitério - + Ctrl+Del Ctrl+Del - + &exile &Exílio - + &Move to M&over para @@ -1227,57 +1231,57 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban Apenas utilizadores &registados podem entrar - + Joining restrictions Restrições para ligar - + &Spectators allowed &Espectadores permitidos - + Spectators &need a password to join Espectadores &necessitam de password para aceder - + Spectators can &chat Espectadores podem c&onversar - + Spectators see &everything Espectadores podem ver &tudo - + Spectators Espectadores - + &OK O&K - + &Cancel &Cancelar - + Create game Criar jogo - + Error Erro - + Server error. Erro do servidor. @@ -1479,98 +1483,101 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban GameSelector - - - - - - - - + + + + + + + + Error Erro - + Please join the appropriate room first. Por favor entre na sala apropriada primeiro. - + Wrong password. Password incorrecta. - + Spectators are not allowed in this game. Não são permitidos espectadores neste jogo. - + The game is already full. O jogo já se encontra cheio. - + The game does not exist any more. O jogo já não existe. - + This game is only open to registered users. Este jogo só está aberto a utilizadores registados. - + This game is only open to its creator's buddies. Este jogo só está aberto aos amigos do seu criador. - + You are being ignored by the creator of this game. Você está a ser ignorado pelo criador deste jogo. - + Join game Entrar no jogo - + Password: Password: - + Games Jogos - - Show &full games - &Mostrar jogos cheios + + Show u&navailable games + + + + Show &full games + &Mostrar jogos cheios - Show &running games - Mostrar jogos a &decorrer + Mostrar jogos a &decorrer &Show full games &Mostrar jogos cheios - + C&reate &Criar - + &Join &Entrar - + J&oin as spectator Entrar como &espectador @@ -4127,22 +4134,22 @@ Por favor introduza um nome: Tem a certeza que deseja conceder este jogo? - + Leave game Sair do jogo - + Are you sure you want to leave this game? Tem a certeza que deseja sair deste jogo? - + Kicked Expulso - + You have been kicked out of the game. Você foi expulso do jogo. @@ -4620,17 +4627,17 @@ Por favor confirme se é possível escrever do directório e tente de novo. ZoneViewWidget - + sort by name dispor por nome - + sort by type dispor por tipo - + shuffle when closing baralhar quando terminar diff --git a/cockatrice/translations/cockatrice_ru.ts b/cockatrice/translations/cockatrice_ru.ts index aecedc19..b2948e3d 100644 --- a/cockatrice/translations/cockatrice_ru.ts +++ b/cockatrice/translations/cockatrice_ru.ts @@ -243,9 +243,8 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - Hide card info - Скрыть информацию о карте + Скрыть информацию о карте @@ -263,80 +262,85 @@ This is only saved for moderators and cannot be seen by the banned person.Показывать полную информацию - + Name: Название: - + Mana cost: Манакост: - + Card type: Тип: - + P / T: Сила/Защита: + + + Loyalty: + + CardItem - + &Play &Разыграть - + &Hide &Cкрыть - + &Tap &Повернуть - + &Untap &Развернуть - + Toggle &normal untapping (Не) &Разворачивать как обычно - + &Flip &Рубашкой вверх (вниз) - + &Clone &Клонировать - + Ctrl+H Ctrl+H - + &Attach to card... &Прикрепить к... - + Ctrl+A - + Unattac&h &Открепить @@ -345,147 +349,147 @@ This is only saved for moderators and cannot be seen by the banned person.Установить &Силу/Защиту... - + &Draw arrow... &Нарисовать стрелку... - + &Power / toughness &Сила / защита - + &Increase power &Увеличить силу - + Ctrl++ - + &Decrease power У&меньшить силу - + Ctrl+- - + I&ncrease toughness У&величить защиту - + Alt++ - + D&ecrease toughness Уменьшить &защиту - + Alt+- - + In&crease power and toughness Увеличить силу &и защиту - + Ctrl+Alt++ - + Dec&rease power and toughness Уменьшить силу и за&щиту - + Ctrl+Alt+- - + Set &power and toughness... Уст&ановить силу / защиту... - + Ctrl+P - + &Set annotation... &Пометить... - + red Красный - + yellow Желтый - + green Зеленый - + &Add counter (%1) &Добавить жетон (%1) - + &Remove counter (%1) &Убрать жетон (%1) - + &Set counters (%1)... &Установить жетоны (%1)... - + &top of library &Наверх библиотеки - + &bottom of library &Вниз библиотеки - + &graveyard &На кладбище - + Ctrl+Del - + &exile &Изгнать - + &Move to &Переместить... @@ -1166,57 +1170,57 @@ This is only saved for moderators and cannot be seen by the banned person.Только для &зарег. пользователей - + Joining restrictions Ограничения - + &Spectators allowed &Разрешить зрителей - + Spectators &need a password to join Требовать &пароль у зрителей - + Spectators can &chat Позволить зрителям &комментировать - + Spectators see &everything Показывать зрителям &все - + Spectators Зрители - + &OK &Ок - + &Cancel &Отмена - + Create game Создать игру - + Error Ошибка - + Server error. Ошибка сервера. @@ -1418,94 +1422,97 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - - - - - - - - + + + + + + + + Error Ошибка - + Please join the appropriate room first. Пожалуйста, сперва войдите в соответствующую комнату. - + Wrong password. Неверный пароль. - + Spectators are not allowed in this game. В эту игру не пускают зрителей. - + The game is already full. Все места заняты! =Ь - + The game does not exist any more. Эта игра была удалена. - + This game is only open to registered users. Доступно только для зарегистрированных. - + This game is only open to its creator's buddies. Доступно только для друзей. - + You are being ignored by the creator of this game. Вы добавлены в игнор-лист данного игрока. - + Join game Присоединиться - + Password: Пароль: - + Games Игры - + + Show u&navailable games + + + Show &full games - Показывать &текущие + Показывать &текущие - Show &running games - Показывать &текущие + Показывать &текущие - + C&reate С&оздать - + &Join &Присоединиться - + J&oin as spectator П&рисоединиться как зритель @@ -4033,22 +4040,22 @@ Please enter a name: Вы точно хотите сдаться? - + Leave game Покинуть игру - + Are you sure you want to leave this game? Вы уверены, что хотите уйти? - + Kicked Выкинут - + You have been kicked out of the game. Вас выкинули из игры. @@ -4519,17 +4526,17 @@ Please check that the directory is writable and try again. ZoneViewWidget - + sort by name Сортировать по имени - + sort by type сортировать по типу - + shuffle when closing Перемешать после просмотра diff --git a/cockatrice/translations/cockatrice_sk.ts b/cockatrice/translations/cockatrice_sk.ts index 268a6e5c..d1da213f 100644 --- a/cockatrice/translations/cockatrice_sk.ts +++ b/cockatrice/translations/cockatrice_sk.ts @@ -235,11 +235,6 @@ This is only saved for moderators and cannot be seen by the banned person. CardInfoWidget - - - Hide card info - - Show card only @@ -256,225 +251,230 @@ This is only saved for moderators and cannot be seen by the banned person. - + Name: - + Mana cost: - + Card type: - + P / T: + + + Loyalty: + + CardItem - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Clone - + Ctrl+H - + &Attach to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &Power / toughness - + &Increase power - + Ctrl++ - + &Decrease power - + Ctrl+- - + I&ncrease toughness - + Alt++ - + D&ecrease toughness - + Alt+- - + In&crease power and toughness - + Ctrl+Alt++ - + Dec&rease power and toughness - + Ctrl+Alt+- - + Set &power and toughness... - + Ctrl+P - + &Set annotation... - + red - + yellow - + green - + &Add counter (%1) - + &Remove counter (%1) - + &Set counters (%1)... - + &top of library - + &bottom of library - + &graveyard - + Ctrl+Del - + &exile - + &Move to @@ -1005,57 +1005,57 @@ This is only saved for moderators and cannot be seen by the banned person. - + Joining restrictions - + &Spectators allowed - + Spectators &need a password to join - + Spectators can &chat - + Spectators see &everything - + Spectators - + &OK - + &Cancel - + Create game - + Error - + Server error. @@ -1257,94 +1257,89 @@ This is only saved for moderators and cannot be seen by the banned person. GameSelector - - - - - - - - + + + + + + + + Error - + Please join the appropriate room first. - + Wrong password. - + Spectators are not allowed in this game. - + The game is already full. - + The game does not exist any more. - + This game is only open to registered users. - + This game is only open to its creator's buddies. - + You are being ignored by the creator of this game. - + Join game - + Password: - + Games - - Show &full games + + Show u&navailable games - - Show &running games - - - - + C&reate - + &Join - + J&oin as spectator @@ -3591,22 +3586,22 @@ Please enter a name: - + Leave game - + Are you sure you want to leave this game? - + Kicked - + You have been kicked out of the game. @@ -4060,17 +4055,17 @@ Please check that the directory is writable and try again. ZoneViewWidget - + sort by name - + sort by type - + shuffle when closing diff --git a/cockatrice/translations/cockatrice_sv.ts b/cockatrice/translations/cockatrice_sv.ts new file mode 100644 index 00000000..5b1d153b --- /dev/null +++ b/cockatrice/translations/cockatrice_sv.ts @@ -0,0 +1,4061 @@ + + + + + AbstractCounter + + + &Set counter... + + + + + Ctrl+L + + + + + F11 + + + + + F12 + + + + + Set counter + + + + + New value for counter '%1': + + + + + AppearanceSettingsPage + + + Zone background pictures + + + + + Path to hand background: + + + + + Path to stack background: + + + + + Path to table background: + + + + + Path to player info background: + + + + + Path to picture of card back: + + + + + Card rendering + + + + + Display card names on cards having a picture + + + + + Hand layout + + + + + Display hand horizontally (wastes space) + + + + + Table grid layout + + + + + Invert vertical coordinate + + + + + Minimum player count for multi-column layout: + + + + + Zone view layout + + + + + Sort by name + + + + + Sort by type + + + + + + + + + Choose path + + + + + BanDialog + + + ban &user name + + + + + ban &IP address + + + + + Ban type + + + + + &permanent ban + + + + + &temporary ban + + + + + &Days: + + + + + &Hours: + + + + + &Minutes: + + + + + Duration of the ban + + + + + Please enter the reason for the ban. +This is only saved for moderators and cannot be seen by the banned person. + + + + + &OK + + + + + &Cancel + + + + + Ban user from server + + + + + Error + + + + + You have to select a name-based or IP-based ban, or both. + + + + + CardDatabaseModel + + + Name + + + + + Sets + + + + + Mana cost + + + + + Card type + + + + + P/T + + + + + CardInfoWidget + + + Show card only + + + + + Show text only + + + + + Show full info + + + + + Name: + + + + + Mana cost: + + + + + Card type: + + + + + P / T: + + + + + Loyalty: + + + + + CardItem + + + &Play + + + + + &Hide + + + + + &Tap + + + + + &Untap + + + + + Toggle &normal untapping + + + + + &Flip + + + + + &Clone + + + + + Ctrl+H + + + + + &Attach to card... + + + + + Ctrl+A + + + + + Unattac&h + + + + + &Draw arrow... + + + + + &Power / toughness + + + + + &Increase power + + + + + Ctrl++ + + + + + &Decrease power + + + + + Ctrl+- + + + + + I&ncrease toughness + + + + + Alt++ + + + + + D&ecrease toughness + + + + + Alt+- + + + + + In&crease power and toughness + + + + + Ctrl+Alt++ + + + + + Dec&rease power and toughness + + + + + Ctrl+Alt+- + + + + + Set &power and toughness... + + + + + Ctrl+P + + + + + &Set annotation... + + + + + red + + + + + yellow + + + + + green + + + + + &Add counter (%1) + + + + + &Remove counter (%1) + + + + + &Set counters (%1)... + + + + + &top of library + + + + + &bottom of library + + + + + &graveyard + + + + + Ctrl+Del + + + + + &exile + + + + + &Move to + + + + + CardZone + + + her hand + nominative, female owner + + + + + %1's hand + nominative, female owner + + + + + his hand + nominative, male owner + + + + + %1's hand + nominative, male owner + + + + + of her hand + genitive, female owner + + + + + of %1's hand + genitive, female owner + + + + + of his hand + genitive, male owner + + + + + of %1's hand + genitive, male owner + + + + + her hand + accusative, female owner + + + + + %1's hand + accusative, female owner + + + + + his hand + accusative, male owner + + + + + %1's hand + accusative, male owner + + + + + her library + nominative, female owner + + + + + %1's library + nominative, female owner + + + + + his library + nominative, male owner + + + + + %1's library + nominative, male owner + + + + + of her library + genitive, female owner + + + + + of %1's library + genitive, female owner + + + + + of his library + genitive, male owner + + + + + of %1's library + genitive, male owner + + + + + her library + accusative, female owner + + + + + %1's library + accusative, female owner + + + + + his library + accusative, male owner + + + + + %1's library + accusative, male owner + + + + + her graveyard + nominative, female owner + + + + + %1's graveyard + nominative, female owner + + + + + his graveyard + nominative, male owner + + + + + %1's graveyard + nominative, male owner + + + + + of her graveyard + genitive, female owner + + + + + of %1's graveyard + genitive, female owner + + + + + of his graveyard + genitive, male owner + + + + + of %1's graveyard + genitive, male owner + + + + + her graveyard + accusative, female owner + + + + + %1's graveyard + accusative, female owner + + + + + his graveyard + accusative, male owner + + + + + %1's graveyard + accusative, male owner + + + + + her exile + nominative, female owner + + + + + %1's exile + nominative, female owner + + + + + his exile + nominative, male owner + + + + + %1's exile + nominative, male owner + + + + + of her exile + genitive, female owner + + + + + of %1's exile + genitive, female owner + + + + + of his exile + genitive, male owner + + + + + of %1's exile + genitive, male owner + + + + + her exile + accusative, female owner + + + + + %1's exile + accusative, female owner + + + + + his exile + accusative, male owner + + + + + %1's exile + accusative, male owner + + + + + her sideboard + nominative, female owner + + + + + %1's sideboard + nominative, female owner + + + + + his sideboard + nominative, male owner + + + + + %1's sideboard + nominative, male owner + + + + + of her sideboard + genitive, female owner + + + + + of %1's sideboard + genitive, female owner + + + + + of his sideboard + genitive, male owner + + + + + of %1's sideboard + genitive, male owner + + + + + her sideboard + accusative, female owner + + + + + %1's sideboard + accusative, female owner + + + + + his sideboard + accusative, male owner + + + + + %1's sideboard + accusative, male owner + + + + + DeckEditorSettingsPage + + + Enable &price tag feature (using data from blacklotusproject.com) + + + + + General + + + + + DeckListModel + + + Number + + + + + Card + + + + + Price + + + + + DeckViewContainer + + + Load &local deck + + + + + Load d&eck from server + + + + + Ready to s&tart + + + + + Load deck + + + + + DlgCardSearch + + + Card name: + + + + + Card text: + + + + + Card type (OR): + + + + + Color (OR): + + + + + O&K + + + + + &Cancel + + + + + Card search + + + + + DlgConnect + + + &Host: + + + + + &Port: + + + + + Player &name: + + + + + P&assword: + + + + + &OK + + + + + &Cancel + + + + + Connect to server + + + + + DlgCreateGame + + + &Description: + + + + + P&layers: + + + + + Game type + + + + + &Password: + + + + + Only &buddies can join + + + + + Only &registered users can join + + + + + Joining restrictions + + + + + &Spectators allowed + + + + + Spectators &need a password to join + + + + + Spectators can &chat + + + + + Spectators see &everything + + + + + Spectators + + + + + &OK + + + + + &Cancel + + + + + Create game + + + + + Error + + + + + Server error. + + + + + DlgCreateToken + + + &Name: + + + + + Token + + + + + C&olor: + + + + + white + + + + + blue + + + + + black + + + + + red + + + + + green + + + + + multicolor + + + + + colorless + + + + + &P/T: + + + + + &Annotation: + + + + + &Destroy token when it leaves the table + + + + + &OK + + + + + &Cancel + + + + + Create token + + + + + DlgLoadDeckFromClipboard + + + &Refresh + + + + + &OK + + + + + &Cancel + + + + + Load deck from clipboard + + + + + Error + + + + + Invalid deck list. + + + + + DlgLoadRemoteDeck + + + O&K + + + + + &Cancel + + + + + Load deck + + + + + DlgSettings + + + + + Error + + + + + Your card database is invalid. Would you like to go back and set the correct path? + + + + + The path to your deck directory is invalid. Would you like to go back and set the correct path? + + + + + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? + + + + + Settings + + + + + General + + + + + Appearance + + + + + User interface + + + + + Deck editor + + + + + Messages + + + + + &Close + + + + + GameSelector + + + + + + + + + + Error + + + + + Please join the appropriate room first. + + + + + Wrong password. + + + + + Spectators are not allowed in this game. + + + + + The game is already full. + + + + + The game does not exist any more. + + + + + This game is only open to registered users. + + + + + This game is only open to its creator's buddies. + + + + + You are being ignored by the creator of this game. + + + + + Join game + + + + + Password: + + + + + Games + + + + + Show u&navailable games + + + + + C&reate + + + + + &Join + + + + + J&oin as spectator + + + + + GameView + + + Esc + + + + + GamesModel + + + yes + + + + + yes, free for spectators + + + + + no + + + + + buddies only + + + + + reg. users only + + + + + not allowed + + + + + Description + + + + + Room + + + + + Creator + + + + + Game type + + + + + Password + + + + + Restrictions + + + + + Players + + + + + Spectators + + + + + GeneralSettingsPage + + + + English + + + + + + + Choose path + + + + + Personal settings + + + + + Language: + + + + + Download card pictures on the fly + + + + + Paths + + + + + Decks directory: + + + + + Pictures directory: + + + + + Path to card database: + + + + + MainWindow + + + There are too many concurrent connections from your address. + + + + + Banned by moderator. + + + + + Scheduled server shutdown. + + + + + Unknown reason. + + + + + Connection closed + + + + + The server has terminated your connection. +Reason: %1 + + + + + Scheduled server shutdown + + + + + The server is going to be restarted in %n minute(s). +All running games will be lost. +Reason for shutdown: %1 + + + + + + + + Number of players + + + + + Please enter the number of players. + + + + + + Player %1 + + + + + About Cockatrice + + + + + Version %1 + + + + + Authors: + + + + + Translators: + + + + + Spanish: + + + + + Portugese (Portugal): + + + + + Portugese (Brazil): + + + + + French: + + + + + Japanese: + + + + + Russian: + + + + + Czech: + + + + + Italian: + + + + + + + + + + Error + + + + + Server timeout + + + + + Invalid login data. + + + + + There is already an active session using this user name. +Please close that session first and re-login. + + + + + Socket error: %1 + + + + + You are trying to connect to an obsolete server. Please downgrade your Cockatrice version or connect to a suitable server. +Local version is %1, remote version is %2. + + + + + Your Cockatrice client is obsolete. Please update your Cockatrice version. +Local version is %1, remote version is %2. + + + + + Connecting to %1... + + + + + Disconnected + + + + + Logged in at %1 + + + + + &Connect... + + + + + &Disconnect + + + + + Start &local game... + + + + + &Deck editor + + + + + &Full screen + + + + + Ctrl+F + + + + + &Settings... + + + + + &Exit + + + + + &Cockatrice + + + + + &About Cockatrice + + + + + &Help + + + + + Are you sure? + + + + + There are still open games. Are you sure you want to quit? + + + + + MessageLogWidget + + + You have joined game #%1. + female + + + + + You have joined game #%1. + male + + + + + %1 has joined the game. + female + + + + + %1 has joined the game. + male + + + + + %1 has left the game. + female + + + + + %1 has left the game. + male + + + + + The game has been closed. + + + + + %1 is now watching the game. + + + + + %1 is not watching the game any more. + + + + + %1 has loaded a deck (%2). + female + + + + + %1 has loaded a deck (%2). + male + + + + + %1 is ready to start the game. + female + + + + + %1 is ready to start the game. + male + + + + + %1 is not ready to start the game any more. + female + + + + + %1 is not ready to start the game any more. + male + + + + + %1 has conceded the game. + female + + + + + %1 has conceded the game. + male + + + + + The game has started. + + + + + %1 has restored connection to the game. + female + + + + + %1 has restored connection to the game. + male + + + + + %1 has lost connection to the game. + female + + + + + %1 has lost connection to the game. + male + + + + + %1 shuffles %2. + female + + + + + %1 shuffles %2. + male + + + + + %1 rolls a %2 with a %3-sided die. + female + + + + + %1 rolls a %2 with a %3-sided die. + male + + + + + %1 draws %n card(s). + female + + + + + + + + %1 draws %n card(s). + male + + + + + + + + %1 undoes her last draw. + + + + + %1 undoes his last draw. + + + + + %1 undoes her last draw (%2). + + + + + %1 undoes his last draw (%2). + + + + + from table + + + + + from graveyard + + + + + from exile + + + + + from hand + + + + + the bottom card of her library + + + + + the bottom card of his library + + + + + from the bottom of her library + + + + + from the bottom of his library + + + + + the top card of her library + + + + + the top card of his library + + + + + from the top of her library + + + + + from the top of his library + + + + + from library + + + + + from sideboard + + + + + from the stack + + + + + + a card + + + + + %1 gives %2 control over %3. + + + + + %1 puts %2 into play tapped%3. + + + + + %1 puts %2 into play%3. + + + + + %1 puts %2%3 into graveyard. + + + + + %1 exiles %2%3. + + + + + %1 moves %2%3 to hand. + + + + + %1 puts %2%3 into her library. + + + + + %1 puts %2%3 into his library. + + + + + %1 puts %2%3 on bottom of her library. + + + + + %1 puts %2%3 on bottom of his library. + + + + + %1 puts %2%3 on top of her library. + + + + + %1 puts %2%3 on top of his library. + + + + + %1 puts %2%3 into her library at position %4. + + + + + %1 puts %2%3 into his library at position %4. + + + + + %1 moves %2%3 to sideboard. + + + + + %1 plays %2%3. + + + + + %1 takes a mulligan to %n. + female + + + + + + + + %1 takes a mulligan to %n. + male + + + + + + + + %1 draws her initial hand. + + + + + %1 draws his initial hand. + + + + + %1 flips %2 face-down. + female + + + + + %1 flips %2 face-down. + male + + + + + %1 flips %2 face-up. + female + + + + + %1 flips %2 face-up. + male + + + + + %1 destroys %2. + female + + + + + %1 destroys %2. + male + + + + + %1 attaches %2 to %3's %4. + p1 female, p2 female + + + + + %1 attaches %2 to %3's %4. + p1 female, p2 male + + + + + %1 attaches %2 to %3's %4. + p1 male, p2 female + + + + + %1 attaches %2 to %3's %4. + p1 male, p2 male + + + + + %1 unattaches %2. + female + + + + + %1 unattaches %2. + male + + + + + %1 creates token: %2%3. + female + + + + + %1 creates token: %2%3. + male + + + + + %1 points from her %2 to herself. + female + + + + + %1 points from his %2 to himself. + male + + + + + %1 points from her %2 to %3. + p1 female, p2 female + + + + + %1 points from her %2 to %3. + p1 female, p2 male + + + + + %1 points from his %2 to %3. + p1 male, p2 female + + + + + %1 points from his %2 to %3. + p1 male, p2 male + + + + + %1 points from %2's %3 to herself. + card owner female, target female + + + + + %1 points from %2's %3 to herself. + card owner male, target female + + + + + %1 points from %2's %3 to himself. + card owner female, target male + + + + + %1 points from %2's %3 to himself. + card owner male, target male + + + + + %1 points from %2's %3 to %4. + p1 female, p2 female, p3 female + + + + + %1 points from %2's %3 to %4. + p1 female, p2 female, p3 male + + + + + %1 points from %2's %3 to %4. + p1 female, p2 male, p3 female + + + + + %1 points from %2's %3 to %4. + p1 female, p2 male, p3 male + + + + + %1 points from %2's %3 to %4. + p1 male, p2 female, p3 female + + + + + %1 points from %2's %3 to %4. + p1 male, p2 female, p3 male + + + + + %1 points from %2's %3 to %4. + p1 male, p2 male, p3 female + + + + + %1 points from %2's %3 to %4. + p1 male, p2 male, p3 male + + + + + %1 points from her %2 to her %3. + female + + + + + %1 points from his %2 to his %3. + male + + + + + %1 points from her %2 to %3's %4. + p1 female, p2 female + + + + + %1 points from her %2 to %3's %4. + p1 female, p2 male + + + + + %1 points from his %2 to %3's %4. + p1 male, p2 female + + + + + %1 points from his %2 to %3's %4. + p1 male, p2 male + + + + + %1 points from %2's %3 to her own %4. + card owner female, target female + + + + + %1 points from %2's %3 to her own %4. + card owner male, target female + + + + + %1 points from %2's %3 to his own %4. + card owner female, target male + + + + + %1 points from %2's %3 to his own %4. + card owner male, target male + + + + + %1 points from %2's %3 to %4's %5. + p1 female, p2 female, p3 female + + + + + %1 points from %2's %3 to %4's %5. + p1 female, p2 female, p3 male + + + + + %1 points from %2's %3 to %4's %5. + p1 female, p2 male, p3 female + + + + + %1 points from %2's %3 to %4's %5. + p1 female, p2 male, p3 male + + + + + %1 points from %2's %3 to %4's %5. + p1 male, p2 female, p3 female + + + + + %1 points from %2's %3 to %4's %5. + p1 male, p2 female, p3 male + + + + + %1 points from %2's %3 to %4's %5. + p1 male, p2 male, p3 female + + + + + %1 points from %2's %3 to %4's %5. + p1 male, p2 male, p3 male + + + + + %1 places %n %2 counter(s) on %3 (now %4). + female + + + + + + + + %1 places %n %2 counter(s) on %3 (now %4). + male + + + + + + + + %1 removes %n %2 counter(s) from %3 (now %4). + female + + + + + + + + %1 removes %n %2 counter(s) from %3 (now %4). + male + + + + + + + + red + + + + + + + + yellow + + + + + + + + green + + + + + + + + %1 taps her permanents. + female + + + + + %1 untaps her permanents. + female + + + + + %1 taps his permanents. + male + + + + + %1 untaps his permanents. + male + + + + + %1 taps %2. + female + + + + + %1 untaps %2. + female + + + + + %1 taps %2. + male + + + + + %1 untaps %2. + male + + + + + %1 sets counter %2 to %3 (%4%5). + female + + + + + %1 sets counter %2 to %3 (%4%5). + male + + + + + %1 sets %2 to not untap normally. + female + + + + + %1 sets %2 to not untap normally. + male + + + + + %1 sets %2 to untap normally. + female + + + + + %1 sets %2 to untap normally. + male + + + + + %1 sets PT of %2 to %3. + female + + + + + %1 sets PT of %2 to %3. + male + + + + + %1 sets annotation of %2 to %3. + female + + + + + %1 sets annotation of %2 to %3. + male + + + + + %1 is looking at the top %2 cards %3. + female + + + + + %1 is looking at the top %2 cards %3. + male + + + + + %1 is looking at %2. + female + + + + + %1 is looking at %2. + male + + + + + %1 stops looking at %2. + female + + + + + %1 stops looking at %2. + male + + + + + %1 reveals %2 to %3. + p1 female, p2 female + + + + + %1 reveals %2 to %3. + p1 female, p2 male + + + + + %1 reveals %2 to %3. + p1 male, p2 female + + + + + %1 reveals %2 to %3. + p1 male, p2 male + + + + + %1 reveals %2. + female + + + + + %1 reveals %2. + male + + + + + %1 randomly reveals %2%3 to %4. + p1 female, p2 female + + + + + %1 randomly reveals %2%3 to %4. + p1 female, p2 male + + + + + %1 randomly reveals %2%3 to %4. + p1 male, p2 female + + + + + %1 randomly reveals %2%3 to %4. + p1 male, p2 male + + + + + %1 randomly reveals %2%3. + female + + + + + %1 randomly reveals %2%3. + male + + + + + %1 reveals %2%3 to %4. + p1 female, p2 female + + + + + %1 reveals %2%3 to %4. + p1 female, p2 male + + + + + %1 reveals %2%3 to %4. + p1 male, p2 female + + + + + %1 reveals %2%3 to %4. + p1 male, p2 male + + + + + %1 reveals %2%3. + female + + + + + %1 reveals %2%3. + male + + + + + It is now %1's turn. + female + + + + + It is now %1's turn. + male + + + + + untap step + + + + + upkeep step + + + + + draw step + + + + + first main phase + + + + + beginning of combat step + + + + + declare attackers step + + + + + declare blockers step + + + + + combat damage step + + + + + end of combat step + + + + + second main phase + + + + + ending phase + + + + + It is now the %1. + + + + + MessagesSettingsPage + + + Add message + + + + + Message: + + + + + &Add + + + + + &Remove + + + + + PhasesToolbar + + + Untap step + + + + + Upkeep step + + + + + Draw step + + + + + First main phase + + + + + Beginning of combat step + + + + + Declare attackers step + + + + + Declare blockers step + + + + + Combat damage step + + + + + End of combat step + + + + + Second main phase + + + + + End of turn step + + + + + Player + + + &View graveyard + + + + + &View exile + + + + + Player "%1" + + + + + &Graveyard + + + + + &Exile + + + + + + + Move to &top of library + + + + + + + Move to &bottom of library + + + + + + Move to &graveyard + + + + + + Move to &exile + + + + + + Move to &hand + + + + + &View library + + + + + View &top cards of library... + + + + + Reveal &library to + + + + + Reveal t&op card to + + + + + &View sideboard + + + + + &Draw card + + + + + D&raw cards... + + + + + &Undo last draw + + + + + Take &mulligan + + + + + &Shuffle + + + + + Move top cards to &graveyard... + + + + + Move top cards to &exile... + + + + + Put top card on &bottom + + + + + &Hand + + + + + &Reveal to + + + + + Reveal r&andom card to + + + + + &Sideboard + + + + + &Library + + + + + &Counters + + + + + &Untap all permanents + + + + + R&oll die... + + + + + &Create token... + + + + + C&reate another token + + + + + S&ay + + + + + C&ard + + + + + &All players + + + + + Ctrl+F3 + + + + + F3 + + + + + Ctrl+W + + + + + F4 + + + + + Ctrl+D + + + + + Ctrl+E + + + + + Ctrl+Shift+D + + + + + Ctrl+M + + + + + Ctrl+S + + + + + Ctrl+U + + + + + Ctrl+I + + + + + Ctrl+T + + + + + Ctrl+G + + + + + View top cards of library + + + + + Number of cards: + + + + + Draw cards + + + + + + + + Number: + + + + + Move top cards to grave + + + + + Move top cards to exile + + + + + Roll die + + + + + Number of sides: + + + + + Set power/toughness + + + + + Please enter the new PT: + + + + + Set annotation + + + + + Please enter the new annotation: + + + + + Set counters + + + + + PlayerListWidget + + + User &details + + + + + Direct &chat + + + + + Add to &buddy list + + + + + Remove from &buddy list + + + + + Add to &ignore list + + + + + Remove from &ignore list + + + + + Kick from &game + + + + + QObject + + + Maindeck + + + + + Sideboard + + + + + Cockatrice decks (*.cod) + + + + + Plain text decks (*.dec *.mwDeck) + + + + + All files (*.*) + + + + + RemoteDeckList_TreeModel + + + Name + + + + + ID + + + + + Upload time + + + + + RoomSelector + + + Rooms + + + + + Joi&n + + + + + Room + + + + + Description + + + + + Players + + + + + Games + + + + + SetsModel + + + Short name + + + + + Long name + + + + + ShutdownDialog + + + &Reason for shutdown: + + + + + &Time until shutdown (minutes): + + + + + &OK + + + + + &Cancel + + + + + Shut down server + + + + + TabAdmin + + + Update server &message + + + + + &Shut down server + + + + + Server administration functions + + + + + &Unlock functions + + + + + &Lock functions + + + + + Unlock administration functions + + + + + Do you really want to unlock the administration functions? + + + + + Administration + + + + + TabDeckStorage + + + Local file system + + + + + Server deck storage + + + + + + Open in deck editor + + + + + Upload deck + + + + + Download deck + + + + + + New folder + + + + + Delete + + + + + Enter deck name + + + + + This decklist does not have a name. +Please enter a name: + + + + + Unnamed deck + + + + + Name of new folder: + + + + + Deck storage + + + + + TabGame + + + F5 + + + + + F6 + + + + + F7 + + + + + F8 + + + + + F9 + + + + + F10 + + + + + &Phases + + + + + &Game + + + + + Next &phase + + + + + Ctrl+Space + + + + + Next &turn + + + + + Ctrl+Return + + + + + Ctrl+Enter + + + + + &Remove all local arrows + + + + + Ctrl+R + + + + + &Concede + + + + + F2 + + + + + &Leave game + + + + + Ctrl+Q + + + + + &Say: + + + + + Concede + + + + + Are you sure you want to concede this game? + + + + + Leave game + + + + + Are you sure you want to leave this game? + + + + + Kicked + + + + + You have been kicked out of the game. + + + + + Game %1: %2 + + + + + TabMessage + + + Personal &talk + + + + + &Leave + + + + + This user is ignoring you. + + + + + %1 has left the server. + + + + + %1 has joined the server. + + + + + Talking to %1 + + + + + TabRoom + + + &Say: + + + + + Chat + + + + + &Room + + + + + &Leave room + + + + + You are flooding the chat. Please wait a couple of seconds. + + + + + TabServer + + + Server + + + + + TabUserLists + + + User lists + + + + + UserInfoBox + + + User information + + + + + Real name: + + + + + Gender: + + + + + Location: + + + + + User level: + + + + + Administrator + + + + + Moderator + + + + + Registered user + + + + + Unregistered user + + + + + UserInterfaceSettingsPage + + + General interface settings + + + + + &Double-click cards to play them (instead of single-click) + + + + + Animation settings + + + + + &Tap/untap animation + + + + + Enable &sounds + + + + + Path to sounds directory: + + + + + Choose path + + + + + UserList + + + Users online: %1 + + + + + Users in this room: %1 + + + + + Buddies online: %1 / %2 + + + + + Ignored users online: %1 / %2 + + + + + %1's games + + + + + User &details + + + + + Direct &chat + + + + + Show this user's &games + + + + + Add to &buddy list + + + + + Remove from &buddy list + + + + + Add to &ignore list + + + + + Remove from &ignore list + + + + + Ban from &server + + + + + WndDeckEditor + + + &Search... + + + + + &Clear search + + + + + &Search for: + + + + + Deck &name: + + + + + &Comments: + + + + + Hash: + + + + + &Update prices + + + + + Ctrl+U + + + + + Deck editor [*] + + + + + &New deck + + + + + &Load deck... + + + + + &Save deck + + + + + Save deck &as... + + + + + Load deck from cl&ipboard... + + + + + Save deck to clip&board + + + + + &Print deck... + + + + + &Close + + + + + Ctrl+Q + + + + + &Edit sets... + + + + + &Deck + + + + + &Card database + + + + + Add card to &maindeck + + + + + Return + + + + + Enter + + + + + Add card to &sideboard + + + + + Ctrl+Return + + + + + Ctrl+Enter + + + + + &Remove row + + + + + Del + + + + + &Increment number + + + + + + + + + + + &Decrement number + + + + + - + + + + + Are you sure? + + + + + The decklist has been modified. +Do you want to save the changes? + + + + + Load deck + + + + + + Error + + + + + + The deck could not be saved. +Please check that the directory is writable and try again. + + + + + Save deck + + + + + WndSets + + + Edit sets + + + + + ZoneViewWidget + + + sort by name + + + + + sort by type + + + + + shuffle when closing + + + +