From e48a815d258d981e1d9743bbdc37843d3d63fbf7 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Sun, 30 Nov 2014 21:37:06 +0100 Subject: [PATCH 01/19] Add move buttons, misc improvements --- cockatrice/src/setsmodel.cpp | 57 +++++++++------- cockatrice/src/setsmodel.h | 9 +-- cockatrice/src/window_sets.cpp | 121 +++++++++++++++++++++++++++++---- cockatrice/src/window_sets.h | 15 ++-- 4 files changed, 149 insertions(+), 53 deletions(-) diff --git a/cockatrice/src/setsmodel.cpp b/cockatrice/src/setsmodel.cpp index 206932c4..d39e917d 100644 --- a/cockatrice/src/setsmodel.cpp +++ b/cockatrice/src/setsmodel.cpp @@ -1,4 +1,5 @@ #include "setsmodel.h" +#include SetsModel::SetsModel(CardDatabase *_db, QObject *parent) : QAbstractTableModel(parent), sets(_db->getSetList()) @@ -78,13 +79,22 @@ bool SetsModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int r row = parent.row(); } int oldRow = qobject_cast(data)->getOldRow(); + if (oldRow < row) + row--; + + swapRows(oldRow, row); + + return true; +} + +void SetsModel::swapRows(int oldRow, int newRow) +{ beginRemoveRows(QModelIndex(), oldRow, oldRow); CardSet *temp = sets.takeAt(oldRow); endRemoveRows(); - if (oldRow < row) - row--; - beginInsertRows(QModelIndex(), row, row); - sets.insert(row, temp); + + beginInsertRows(QModelIndex(), newRow, newRow); + sets.insert(newRow, temp); endInsertRows(); for (int i = 0; i < sets.size(); i++) @@ -93,32 +103,27 @@ bool SetsModel::dropMimeData(const QMimeData *data, Qt::DropAction action, int r sets.sortByKey(); emit dataChanged(index(0, 0), index(rowCount() - 1, columnCount() - 1)); +} - return true; +void SetsModel::sort(int column, Qt::SortOrder order) +{ + QMap setMap; + int numRows = rowCount(); + int row; + + for(row = 0; row < numRows; ++row) + setMap.insertMulti(index(row, column).data().toString(), sets.at(row)); + + row = (order == Qt::AscendingOrder) ? 0 : numRows - 1; + + foreach(CardSet * set, setMap) + set->setSortKey((order == Qt::AscendingOrder) ? row++ : row--); + + sets.sortByKey(); + emit dataChanged(index(0, 0), index(numRows - 1, columnCount() - 1)); } QStringList SetsModel::mimeTypes() const { return QStringList() << "application/x-cockatricecardset"; } - -SetsProxyModel::SetsProxyModel(QObject *parent) - : QSortFilterProxyModel(parent) -{ - setDynamicSortFilter(true); -} - -void SetsProxyModel::saveOrder() -{ - int numRows = rowCount(); - SetsModel * model = (SetsModel*) sourceModel(); - for(int row = 0; row < numRows; ++row) { - QModelIndex idx = index(row, 0); - int oldRow = data(idx, Qt::DisplayRole).toInt(); - CardSet *temp = model->sets.at(oldRow); - temp->setSortKey(row); - } - model->sets.sortByKey(); - - emit model->dataChanged(model->index(0, 0), model->index(model->rowCount() - 1, model->columnCount() - 1)); -} diff --git a/cockatrice/src/setsmodel.h b/cockatrice/src/setsmodel.h index 69f69343..9ebdaccb 100644 --- a/cockatrice/src/setsmodel.h +++ b/cockatrice/src/setsmodel.h @@ -2,7 +2,6 @@ #define SETSMODEL_H #include -#include #include #include "carddatabase.h" @@ -39,12 +38,8 @@ public: QMimeData *mimeData(const QModelIndexList &indexes) const; bool dropMimeData(const QMimeData *data, Qt::DropAction action, int row, int column, const QModelIndex &parent); QStringList mimeTypes() const; + void swapRows(int oldRow, int newRow); + void sort(int column, Qt::SortOrder order = Qt::AscendingOrder); }; -class SetsProxyModel : public QSortFilterProxyModel { - Q_OBJECT -public: - SetsProxyModel(QObject *parent = 0); - void saveOrder(); -}; #endif diff --git a/cockatrice/src/window_sets.cpp b/cockatrice/src/window_sets.cpp index d37d370a..c73e75e2 100644 --- a/cockatrice/src/window_sets.cpp +++ b/cockatrice/src/window_sets.cpp @@ -5,41 +5,62 @@ #include #include #include +#include WndSets::WndSets(QWidget *parent) : QMainWindow(parent) { model = new SetsModel(db, this); - proxyModel = new SetsProxyModel(this); - proxyModel->setSourceModel(model); - proxyModel->setSortCaseSensitivity(Qt::CaseInsensitive); view = new QTreeView; - view->setModel(proxyModel); + view->setModel(model); + view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); + view->setColumnHidden(SetsModel::SortKeyCol, true); + view->setAlternatingRowColors(true); view->setUniformRowHeights(true); view->setAllColumnsShowFocus(true); view->setSortingEnabled(true); - view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); + view->setSelectionMode(QAbstractItemView::SingleSelection); + view->setSelectionBehavior(QAbstractItemView::SelectRows); view->setDragEnabled(true); view->setAcceptDrops(true); view->setDropIndicatorShown(true); view->setDragDropMode(QAbstractItemView::InternalMove); + #if QT_VERSION < 0x050000 + view->header()->setResizeMode(QHeaderView::Stretch); view->header()->setResizeMode(SetsModel::LongNameCol, QHeaderView::ResizeToContents); #else + view->header()->setSectionResizeMode(QHeaderView::Stretch); view->header()->setSectionResizeMode(SetsModel::LongNameCol, QHeaderView::ResizeToContents); #endif - saveButton = new QPushButton(tr("Save set ordering")); - connect(saveButton, SIGNAL(clicked()), this, SLOT(actSave())); - restoreButton = new QPushButton(tr("Restore saved set ordering")); - connect(restoreButton, SIGNAL(clicked()), this, SLOT(actRestore())); + upButton = new QPushButton(tr("Move selected set up")); + connect(upButton, SIGNAL(clicked()), this, SLOT(actUp())); + downButton = new QPushButton(tr("Move selected set down")); + connect(downButton, SIGNAL(clicked()), this, SLOT(actDown())); + topButton = new QPushButton(tr("Move selected set to top")); + connect(topButton, SIGNAL(clicked()), this, SLOT(actTop())); + bottomButton = new QPushButton(tr("Move selected set to bottom")); + connect(bottomButton, SIGNAL(clicked()), this, SLOT(actBottom())); + + upButton->setDisabled(true); + downButton->setDisabled(true); + topButton->setDisabled(true); + bottomButton->setDisabled(true); + + connect(view->selectionModel(), SIGNAL(selectionChanged(const QItemSelection &, const QItemSelection &)), + this, SLOT(actToggleButtons(const QItemSelection &, const QItemSelection &))); QGridLayout *mainLayout = new QGridLayout; mainLayout->addWidget(view, 0, 0, 1, 2); - mainLayout->addWidget(saveButton, 1, 0, 1, 1); - mainLayout->addWidget(restoreButton, 1, 1, 1, 1); + + mainLayout->addWidget(upButton, 1, 0, 1, 1); + mainLayout->addWidget(downButton, 2, 0, 1, 1); + + mainLayout->addWidget(topButton, 1, 1, 1, 1); + mainLayout->addWidget(bottomButton, 2, 1, 1, 1); QWidget *centralWidget = new QWidget; centralWidget->setLayout(mainLayout); @@ -53,12 +74,82 @@ WndSets::~WndSets() { } -void WndSets::actSave() +void WndSets::actToggleButtons(const QItemSelection & selected, const QItemSelection &) { - proxyModel->saveOrder(); + bool disabled = selected.empty(); + upButton->setDisabled(disabled); + downButton->setDisabled(disabled); + topButton->setDisabled(disabled); + bottomButton->setDisabled(disabled); } -void WndSets::actRestore() +void WndSets::selectRow(int row) { - view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); + QModelIndex idx = model->index(row, 0); + view->selectionModel()->select(idx, QItemSelectionModel::ClearAndSelect | QItemSelectionModel::Rows); + view->scrollTo(idx, QAbstractItemView::EnsureVisible); +} + +void WndSets::actUp() +{ + QModelIndexList rows = view->selectionModel()->selectedRows(); + if(rows.empty()) + return; + + QModelIndex selectedRow = rows.first(); + int oldRow = selectedRow.row(); + int newRow = oldRow - 1; + if(oldRow <= 0) + return; + + model->swapRows(oldRow, newRow); + selectRow(newRow); +} + +void WndSets::actDown() +{ + QModelIndexList rows = view->selectionModel()->selectedRows(); + if(rows.empty()) + return; + + QModelIndex selectedRow = rows.first(); + int oldRow = selectedRow.row(); + int newRow = oldRow + 1; + if(oldRow >= model->rowCount() - 1) + return; + + model->swapRows(oldRow, newRow); + selectRow(newRow); +} + +void WndSets::actTop() +{ + QModelIndexList rows = view->selectionModel()->selectedRows(); + if(rows.empty()) + return; + + QModelIndex selectedRow = rows.first(); + int oldRow = selectedRow.row(); + int newRow = 0; + if(oldRow <= 0) + return; + + model->swapRows(oldRow, newRow); + selectRow(newRow); +} + +void WndSets::actBottom() +{ + QModelIndexList rows = view->selectionModel()->selectedRows(); + if(rows.empty()) + return; + + QModelIndex selectedRow = rows.first(); + int oldRow = selectedRow.row(); + int newRow = model->rowCount() - 1; + if(oldRow >= newRow) + return; + + model->swapRows(oldRow, newRow); + selectRow(newRow); } diff --git a/cockatrice/src/window_sets.h b/cockatrice/src/window_sets.h index 46570519..d9d96fae 100644 --- a/cockatrice/src/window_sets.h +++ b/cockatrice/src/window_sets.h @@ -5,23 +5,28 @@ class SetsModel; class SetsProxyModel; -class QTreeView; class QPushButton; class CardDatabase; +class QItemSelection; +class QTreeView; class WndSets : public QMainWindow { Q_OBJECT private: SetsModel *model; - SetsProxyModel *proxyModel; QTreeView *view; - QPushButton *saveButton, *restoreButton; + QPushButton *upButton, *downButton, *bottomButton, *topButton; public: WndSets(QWidget *parent = 0); ~WndSets(); +protected: + void selectRow(int row); private slots: - void actSave(); - void actRestore(); + void actUp(); + void actDown(); + void actTop(); + void actBottom(); + void actToggleButtons(const QItemSelection & selected, const QItemSelection & deselected); }; #endif From 36ed4480c2de2629ba8f724a25a37780dd9dcfa8 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Tue, 2 Dec 2014 14:38:36 +0100 Subject: [PATCH 02/19] Re-added save and restore buttons --- cockatrice/src/setsmodel.cpp | 41 +++++++++++++++++++++++++--------- cockatrice/src/setsmodel.h | 2 ++ cockatrice/src/window_sets.cpp | 22 ++++++++++++++++-- cockatrice/src/window_sets.h | 4 +++- 4 files changed, 55 insertions(+), 14 deletions(-) diff --git a/cockatrice/src/setsmodel.cpp b/cockatrice/src/setsmodel.cpp index d39e917d..85fbe85b 100644 --- a/cockatrice/src/setsmodel.cpp +++ b/cockatrice/src/setsmodel.cpp @@ -97,30 +97,49 @@ void SetsModel::swapRows(int oldRow, int newRow) sets.insert(newRow, temp); endInsertRows(); - for (int i = 0; i < sets.size(); i++) - sets[i]->setSortKey(i); - - sets.sortByKey(); - emit dataChanged(index(0, 0), index(rowCount() - 1, columnCount() - 1)); } void SetsModel::sort(int column, Qt::SortOrder order) { - QMap setMap; + QMap setMap; int numRows = rowCount(); int row; for(row = 0; row < numRows; ++row) - setMap.insertMulti(index(row, column).data().toString(), sets.at(row)); + setMap.insertMulti(index(row, column).data(), sets.at(row)); - row = (order == Qt::AscendingOrder) ? 0 : numRows - 1; + + QList tmp = setMap.values(); + sets.clear(); + if(order == Qt::AscendingOrder) + { + for(row = 0; row < tmp.size(); row++) { + sets.append(tmp.at(row)); + } + } else { + for(row = tmp.size() - 1; row >= 0; row--) { + sets.append(tmp.at(row)); + } + } - foreach(CardSet * set, setMap) - set->setSortKey((order == Qt::AscendingOrder) ? row++ : row--); + emit dataChanged(index(0, 0), index(numRows - 1, columnCount() - 1)); +} + +void SetsModel::save() +{ + for (int i = 0; i < sets.size(); i++) + sets[i]->setSortKey(i); sets.sortByKey(); - emit dataChanged(index(0, 0), index(numRows - 1, columnCount() - 1)); +} + +void SetsModel::restore(CardDatabase *db) +{ + sets = db->getSetList(); + sets.sortByKey(); + + emit dataChanged(index(0, 0), index(rowCount() - 1, columnCount() - 1)); } QStringList SetsModel::mimeTypes() const diff --git a/cockatrice/src/setsmodel.h b/cockatrice/src/setsmodel.h index 9ebdaccb..88d3497c 100644 --- a/cockatrice/src/setsmodel.h +++ b/cockatrice/src/setsmodel.h @@ -40,6 +40,8 @@ public: QStringList mimeTypes() const; void swapRows(int oldRow, int newRow); void sort(int column, Qt::SortOrder order = Qt::AscendingOrder); + void save(); + void restore(CardDatabase *db); }; #endif diff --git a/cockatrice/src/window_sets.cpp b/cockatrice/src/window_sets.cpp index c73e75e2..15e1f0a3 100644 --- a/cockatrice/src/window_sets.cpp +++ b/cockatrice/src/window_sets.cpp @@ -13,8 +13,6 @@ WndSets::WndSets(QWidget *parent) model = new SetsModel(db, this); view = new QTreeView; view->setModel(model); - view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); - view->setColumnHidden(SetsModel::SortKeyCol, true); view->setAlternatingRowColors(true); view->setUniformRowHeights(true); @@ -36,6 +34,13 @@ WndSets::WndSets(QWidget *parent) view->header()->setSectionResizeMode(SetsModel::LongNameCol, QHeaderView::ResizeToContents); #endif + view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); + view->setColumnHidden(SetsModel::SortKeyCol, true); + + saveButton = new QPushButton(tr("Save set ordering")); + connect(saveButton, SIGNAL(clicked()), this, SLOT(actSave())); + restoreButton = new QPushButton(tr("Restore saved set ordering")); + connect(restoreButton, SIGNAL(clicked()), this, SLOT(actRestore())); upButton = new QPushButton(tr("Move selected set up")); connect(upButton, SIGNAL(clicked()), this, SLOT(actUp())); downButton = new QPushButton(tr("Move selected set down")); @@ -62,6 +67,9 @@ WndSets::WndSets(QWidget *parent) mainLayout->addWidget(topButton, 1, 1, 1, 1); mainLayout->addWidget(bottomButton, 2, 1, 1, 1); + mainLayout->addWidget(saveButton, 3, 0, 1, 1); + mainLayout->addWidget(restoreButton, 3, 1, 1, 1); + QWidget *centralWidget = new QWidget; centralWidget->setLayout(mainLayout); setCentralWidget(centralWidget); @@ -74,6 +82,16 @@ WndSets::~WndSets() { } +void WndSets::actSave() +{ + model->save(); +} + +void WndSets::actRestore() +{ + model->restore(db); +} + void WndSets::actToggleButtons(const QItemSelection & selected, const QItemSelection &) { bool disabled = selected.empty(); diff --git a/cockatrice/src/window_sets.h b/cockatrice/src/window_sets.h index d9d96fae..d2c52823 100644 --- a/cockatrice/src/window_sets.h +++ b/cockatrice/src/window_sets.h @@ -15,13 +15,15 @@ class WndSets : public QMainWindow { private: SetsModel *model; QTreeView *view; - QPushButton *upButton, *downButton, *bottomButton, *topButton; + QPushButton *saveButton, *restoreButton, *upButton, *downButton, *bottomButton, *topButton; public: WndSets(QWidget *parent = 0); ~WndSets(); protected: void selectRow(int row); private slots: + void actSave(); + void actRestore(); void actUp(); void actDown(); void actTop(); From 2745cb2c627877801bbc801f470e703b231c9d95 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Tue, 2 Dec 2014 14:43:39 +0100 Subject: [PATCH 03/19] Removed debug --- cockatrice/src/setsmodel.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/cockatrice/src/setsmodel.cpp b/cockatrice/src/setsmodel.cpp index 85fbe85b..57984040 100644 --- a/cockatrice/src/setsmodel.cpp +++ b/cockatrice/src/setsmodel.cpp @@ -1,5 +1,4 @@ #include "setsmodel.h" -#include SetsModel::SetsModel(CardDatabase *_db, QObject *parent) : QAbstractTableModel(parent), sets(_db->getSetList()) From 00a5ed0b79c435004f55d67a87ba752df7190690 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Thu, 4 Dec 2014 18:29:06 +0100 Subject: [PATCH 04/19] Fix compilation with qt <= 5.2 --- cockatrice/src/setsmodel.cpp | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/cockatrice/src/setsmodel.cpp b/cockatrice/src/setsmodel.cpp index 57984040..26542a6e 100644 --- a/cockatrice/src/setsmodel.cpp +++ b/cockatrice/src/setsmodel.cpp @@ -101,13 +101,12 @@ void SetsModel::swapRows(int oldRow, int newRow) void SetsModel::sort(int column, Qt::SortOrder order) { - QMap setMap; + QMap setMap; int numRows = rowCount(); int row; for(row = 0; row < numRows; ++row) - setMap.insertMulti(index(row, column).data(), sets.at(row)); - + setMap.insertMulti(index(row, column).data().toString(), sets.at(row)); QList tmp = setMap.values(); sets.clear(); From 0ba351c9557df442280c414d192c4fcb700baf08 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Thu, 4 Dec 2014 21:09:50 +0100 Subject: [PATCH 05/19] Add "saved" msgbox --- cockatrice/src/window_sets.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/cockatrice/src/window_sets.cpp b/cockatrice/src/window_sets.cpp index 15e1f0a3..5fef67a6 100644 --- a/cockatrice/src/window_sets.cpp +++ b/cockatrice/src/window_sets.cpp @@ -6,6 +6,7 @@ #include #include #include +#include WndSets::WndSets(QWidget *parent) : QMainWindow(parent) @@ -85,6 +86,7 @@ WndSets::~WndSets() void WndSets::actSave() { model->save(); + QMessageBox::information(this, tr("Success"), tr("The sets database has been saved successfully.")); } void WndSets::actRestore() From 9cc8d8b86c3da077b4737dbf06e35b2d1774b4bf Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 5 Dec 2014 08:48:33 +0100 Subject: [PATCH 06/19] Misc fixes MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit ucfirst(setCode): requires oracle re-run reorder columns rename the “short name“ column as “set code“ ensure proper casting for releaseDate and sortKey fields (refs 00a5ed0) --- cockatrice/src/setsmodel.cpp | 6 +++--- cockatrice/src/setsmodel.h | 2 +- oracle/src/oracleimporter.cpp | 5 ++++- 3 files changed, 8 insertions(+), 5 deletions(-) diff --git a/cockatrice/src/setsmodel.cpp b/cockatrice/src/setsmodel.cpp index 26542a6e..bd6dc006 100644 --- a/cockatrice/src/setsmodel.cpp +++ b/cockatrice/src/setsmodel.cpp @@ -25,11 +25,11 @@ QVariant SetsModel::data(const QModelIndex &index, int role) const CardSet *set = sets[index.row()]; switch (index.column()) { - case SortKeyCol: return set->getSortKey(); + case SortKeyCol: return QString("%1").arg(set->getSortKey(), 4, 10, QChar('0')); case SetTypeCol: return set->getSetType(); case ShortNameCol: return set->getShortName(); case LongNameCol: return set->getLongName(); - case ReleaseDateCol: return set->getReleaseDate(); + case ReleaseDateCol: return set->getReleaseDate().toString(Qt::ISODate); default: return QVariant(); } } @@ -41,7 +41,7 @@ QVariant SetsModel::headerData(int section, Qt::Orientation orientation, int rol switch (section) { case SortKeyCol: return tr("Key"); case SetTypeCol: return tr("Set type"); - case ShortNameCol: return tr("Short name"); + case ShortNameCol: return tr("Set code"); case LongNameCol: return tr("Long name"); case ReleaseDateCol: return tr("Release date"); default: return QVariant(); diff --git a/cockatrice/src/setsmodel.h b/cockatrice/src/setsmodel.h index 88d3497c..17911db1 100644 --- a/cockatrice/src/setsmodel.h +++ b/cockatrice/src/setsmodel.h @@ -24,7 +24,7 @@ private: static const int NUM_COLS = 5; SetList sets; public: - enum SetsColumns { SortKeyCol, SetTypeCol, ShortNameCol, LongNameCol, ReleaseDateCol }; + enum SetsColumns { SortKeyCol, LongNameCol, ShortNameCol, SetTypeCol, ReleaseDateCol }; SetsModel(CardDatabase *_db, QObject *parent = 0); ~SetsModel(); diff --git a/oracle/src/oracleimporter.cpp b/oracle/src/oracleimporter.cpp index 273203c7..54ff9958 100644 --- a/oracle/src/oracleimporter.cpp +++ b/oracle/src/oracleimporter.cpp @@ -40,6 +40,9 @@ bool OracleImporter::readSetsFromByteArray(const QByteArray &data) editionLong = map.value("name").toString(); editionCards = map.value("cards"); setType = map.value("type").toString(); + // capitalize set type + if(setType.length() > 0) + setType[0] = setType[0].toUpper(); releaseDate = map.value("releaseDate").toDate(); // core and expansion sets are marked to be imported by default @@ -236,7 +239,7 @@ int OracleImporter::startImport() const SetToDownload * curSet; // add an empty set for tokens - CardSet *tokenSet = new CardSet(TOKENS_SETNAME, tr("Dummy set containing tokens"), "tokens"); + CardSet *tokenSet = new CardSet(TOKENS_SETNAME, tr("Dummy set containing tokens"), "Tokens"); sets.insert(TOKENS_SETNAME, tokenSet); while (it.hasNext()) From a44b7367be36a4643e391f2bf11cae20210438bb Mon Sep 17 00:00:00 2001 From: Zach H Date: Fri, 5 Dec 2014 21:26:41 -0500 Subject: [PATCH 07/19] removing blp pricing --- cockatrice/src/dlg_settings.cpp | 30 +----------- cockatrice/src/priceupdater.cpp | 76 ------------------------------ cockatrice/src/priceupdater.h | 12 +---- cockatrice/src/tab_deck_editor.cpp | 5 +- 4 files changed, 4 insertions(+), 119 deletions(-) diff --git a/cockatrice/src/dlg_settings.cpp b/cockatrice/src/dlg_settings.cpp index ae7e4cc2..06e35b06 100644 --- a/cockatrice/src/dlg_settings.cpp +++ b/cockatrice/src/dlg_settings.cpp @@ -567,29 +567,10 @@ DeckEditorSettingsPage::DeckEditorSettingsPage() priceTagsCheckBox->setChecked(settingsCache->getPriceTagFeature()); connect(priceTagsCheckBox, SIGNAL(stateChanged(int)), settingsCache, SLOT(setPriceTagFeature(int))); - priceTagSource0 = new QRadioButton; - priceTagSource1 = new QRadioButton; - - switch(settingsCache->getPriceTagSource()) - { - case AbstractPriceUpdater::DBPriceSource: - priceTagSource1->setChecked(true); - break; - case AbstractPriceUpdater::BLPPriceSource: - default: - priceTagSource0->setChecked(true); - break; - } - - connect(priceTagSource0, SIGNAL(toggled(bool)), this, SLOT(radioPriceTagSourceClicked(bool))); - connect(priceTagSource1, SIGNAL(toggled(bool)), this, SLOT(radioPriceTagSourceClicked(bool))); - connect(this, SIGNAL(priceTagSourceChanged(int)), settingsCache, SLOT(setPriceTagSource(int))); QGridLayout *generalGrid = new QGridLayout; generalGrid->addWidget(priceTagsCheckBox, 0, 0); - generalGrid->addWidget(priceTagSource0, 1, 0); - generalGrid->addWidget(priceTagSource1, 2, 0); generalGroupBox = new QGroupBox; generalGroupBox->setLayout(generalGrid); @@ -602,9 +583,7 @@ DeckEditorSettingsPage::DeckEditorSettingsPage() void DeckEditorSettingsPage::retranslateUi() { - priceTagsCheckBox->setText(tr("Enable &price tag feature")); - priceTagSource0->setText(tr("using data from blacklotusproject.com")); - priceTagSource1->setText(tr("using data from deckbrew.com")); + priceTagsCheckBox->setText(tr("Enable &price tag feature from deckbrew.com")); generalGroupBox->setTitle(tr("General")); } @@ -613,12 +592,7 @@ void DeckEditorSettingsPage::radioPriceTagSourceClicked(bool checked) if(!checked) return; - int source=AbstractPriceUpdater::BLPPriceSource; - if(priceTagSource0->isChecked()) - source=AbstractPriceUpdater::BLPPriceSource; - if(priceTagSource1->isChecked()) - source=AbstractPriceUpdater::DBPriceSource; - + int source=AbstractPriceUpdater::DBPriceSource; emit priceTagSourceChanged(source); } diff --git a/cockatrice/src/priceupdater.cpp b/cockatrice/src/priceupdater.cpp index 89ff66c0..5029324e 100644 --- a/cockatrice/src/priceupdater.cpp +++ b/cockatrice/src/priceupdater.cpp @@ -28,82 +28,6 @@ AbstractPriceUpdater::AbstractPriceUpdater(const DeckList *_deck) deck = _deck; } -// blacklotusproject.com - -/** - * Constructor. - * - * @param _deck deck. - */ -BLPPriceUpdater::BLPPriceUpdater(const DeckList *_deck) -: AbstractPriceUpdater(_deck) -{ -} - -/** - * Update the prices of the cards in deckList. - */ -void BLPPriceUpdater::updatePrices() -{ - QString q = "http://blacklotusproject.com/json/?cards="; - QStringList cards = deck->getCardList(); - for (int i = 0; i < cards.size(); ++i) { - q += cards[i].toLower() + "|"; - } - QUrl url(q.replace(' ', '+')); - - QNetworkReply *reply = nam->get(QNetworkRequest(url)); - connect(reply, SIGNAL(finished()), this, SLOT(downloadFinished())); -} - -/** - * Called when the download of the json file with the prices is finished. - */ -void BLPPriceUpdater::downloadFinished() -{ - QNetworkReply *reply = static_cast(sender()); - bool ok; - QVariantMap resultMap = QtJson::Json::parse(QString(reply->readAll()), ok).toMap(); - if (!ok) { - reply->deleteLater(); - deleteLater(); - return; - } - - QMap cardsPrice; - - QListIterator it(resultMap.value("cards").toList()); - while (it.hasNext()) { - QVariantMap map = it.next().toMap(); - QString name = map.value("name").toString().toLower(); - float price = map.value("price").toString().toFloat(); - QString set = map.value("set_code").toString(); - - /** - * Make sure Masters Edition (MED) isn't the set, as it doesn't - * physically exist. Also check the price to see that the cheapest set - * ends up as the final price. - */ - if (set != "MED" && (!cardsPrice.contains(name) || cardsPrice.value(name) > price)) - cardsPrice.insert(name, price); - } - - InnerDecklistNode *listRoot = deck->getRoot(); - for (int i = 0; i < listRoot->size(); i++) { - InnerDecklistNode *currentZone = dynamic_cast(listRoot->at(i)); - for (int j = 0; j < currentZone->size(); j++) { - DecklistCardNode *currentCard = dynamic_cast(currentZone->at(j)); - if (!currentCard) - continue; - currentCard->setPrice(cardsPrice[currentCard->getName().toLower()]); - } - } - - reply->deleteLater(); - deleteLater(); - emit finishedUpdate(); -} - // deckbrew.com /** diff --git a/cockatrice/src/priceupdater.h b/cockatrice/src/priceupdater.h index afe582b6..5e67ac46 100644 --- a/cockatrice/src/priceupdater.h +++ b/cockatrice/src/priceupdater.h @@ -18,7 +18,7 @@ class AbstractPriceUpdater : public QWidget { Q_OBJECT public: - enum PriceSource { BLPPriceSource, DBPriceSource }; + enum PriceSource { DBPriceSource }; protected: const DeckList *deck; QNetworkAccessManager *nam; @@ -31,16 +31,6 @@ public: virtual void updatePrices() = 0; }; -class BLPPriceUpdater : public AbstractPriceUpdater -{ - Q_OBJECT -protected: - virtual void downloadFinished(); -public: - BLPPriceUpdater(const DeckList *deck); - virtual void updatePrices(); -}; - class DBPriceUpdater : public AbstractPriceUpdater { Q_OBJECT diff --git a/cockatrice/src/tab_deck_editor.cpp b/cockatrice/src/tab_deck_editor.cpp index 7d9b34d8..7cfbff55 100644 --- a/cockatrice/src/tab_deck_editor.cpp +++ b/cockatrice/src/tab_deck_editor.cpp @@ -680,11 +680,8 @@ void TabDeckEditor::actUpdatePrices() switch(settingsCache->getPriceTagSource()) { case AbstractPriceUpdater::DBPriceSource: - up = new DBPriceUpdater(deckModel->getDeckList()); - break; - case AbstractPriceUpdater::BLPPriceSource: default: - up = new BLPPriceUpdater(deckModel->getDeckList()); + up = new DBPriceUpdater(deckModel->getDeckList()); break; } From b7384289418a40aa719dee2a7a3487f622c36f68 Mon Sep 17 00:00:00 2001 From: Zach H Date: Mon, 8 Dec 2014 17:18:21 -0500 Subject: [PATCH 08/19] Adding a way to see how many of each type --- cockatrice/src/deckview.cpp | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/cockatrice/src/deckview.cpp b/cockatrice/src/deckview.cpp index 101a2a11..2c5d390d 100644 --- a/cockatrice/src/deckview.cpp +++ b/cockatrice/src/deckview.cpp @@ -180,9 +180,11 @@ void DeckViewCardContainer::paint(QPainter *painter, const QStyleOptionGraphicsI qreal thisRowHeight = CARD_HEIGHT * currentRowsAndCols[i].first; QRectF textRect(0, yUntilNow, totalTextWidth, thisRowHeight); yUntilNow += thisRowHeight + paddingY; - + + QString displayString = QString("%1\n(%2)").arg(cardTypeList[i]).arg(cardsByType.count(cardTypeList[i])); + painter->setPen(Qt::white); - painter->drawText(textRect, Qt::AlignHCenter | Qt::AlignVCenter | Qt::TextSingleLine, cardTypeList[i]); + painter->drawText(textRect, Qt::AlignHCenter | Qt::AlignVCenter, displayString); } } From a5a92e0a7d326aca234fde9d3e9ff41997dd44ad Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Thu, 18 Dec 2014 17:39:07 +0100 Subject: [PATCH 09/19] Remove branch decoration --- cockatrice/src/window_sets.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/cockatrice/src/window_sets.cpp b/cockatrice/src/window_sets.cpp index 5fef67a6..6fdc1849 100644 --- a/cockatrice/src/window_sets.cpp +++ b/cockatrice/src/window_sets.cpp @@ -37,6 +37,7 @@ WndSets::WndSets(QWidget *parent) view->sortByColumn(SetsModel::SortKeyCol, Qt::AscendingOrder); view->setColumnHidden(SetsModel::SortKeyCol, true); + view->setRootIsDecorated(false); saveButton = new QPushButton(tr("Save set ordering")); connect(saveButton, SIGNAL(clicked()), this, SLOT(actSave())); From 72ba5a1683cfe83220c2a1eb89809c5ff4741470 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 14:45:31 +0100 Subject: [PATCH 10/19] Parse header files for translatable strings We previously parsed only .cpp files, but some strings are inlined in header files. --- cockatrice/CMakeLists.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/cockatrice/CMakeLists.txt b/cockatrice/CMakeLists.txt index b127e414..410ea110 100644 --- a/cockatrice/CMakeLists.txt +++ b/cockatrice/CMakeLists.txt @@ -101,8 +101,8 @@ set(cockatrice_RESOURCES cockatrice.qrc) FILE(GLOB cockatrice_TS "${CMAKE_CURRENT_SOURCE_DIR}/translations/*.ts") IF(UPDATE_TRANSLATIONS) - FILE(GLOB_RECURSE translate_cockatrice_SRCS ${CMAKE_SOURCE_DIR}/cockatrice/src/*.cpp) - FILE(GLOB_RECURSE translate_common_SRCS ${CMAKE_CURRENT_SOURCE_DIR}/common/*.cpp) + FILE(GLOB_RECURSE translate_cockatrice_SRCS ${CMAKE_SOURCE_DIR}/cockatrice/src/*.cpp ${CMAKE_SOURCE_DIR}/cockatrice/src/*.h) + FILE(GLOB_RECURSE translate_common_SRCS ${CMAKE_CURRENT_SOURCE_DIR}/common/*.cpp ${CMAKE_CURRENT_SOURCE_DIR}/common/*.h) SET(translate_SRCS ${translate_cockatrice_SRCS} ${translate_common_SRCS}) ENDIF(UPDATE_TRANSLATIONS) From 499f148783460438d616d3387b7ebc3fbf65a534 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 14:45:41 +0100 Subject: [PATCH 11/19] Regnerate translations --- cockatrice/translations/cockatrice_cs.ts | 733 +++++++------ cockatrice/translations/cockatrice_de.ts | 731 +++++++------ cockatrice/translations/cockatrice_en.ts | 1058 ++++++++++--------- cockatrice/translations/cockatrice_es.ts | 729 +++++++------ cockatrice/translations/cockatrice_fr.ts | 771 ++++++++------ cockatrice/translations/cockatrice_gd.ts | 767 ++++++++------ cockatrice/translations/cockatrice_it.ts | 729 +++++++------ cockatrice/translations/cockatrice_ja.ts | 731 +++++++------ cockatrice/translations/cockatrice_pl.ts | 775 ++++++++------ cockatrice/translations/cockatrice_pt-br.ts | 731 +++++++------ cockatrice/translations/cockatrice_pt.ts | 731 +++++++------ cockatrice/translations/cockatrice_ru.ts | 733 +++++++------ cockatrice/translations/cockatrice_sk.ts | 770 ++++++++------ cockatrice/translations/cockatrice_sv.ts | 729 +++++++------ cockatrice/translations/cockatrice_zh_CN.ts | 776 ++++++++------ 15 files changed, 6569 insertions(+), 4925 deletions(-) diff --git a/cockatrice/translations/cockatrice_cs.ts b/cockatrice/translations/cockatrice_cs.ts index 7d9db950..4f97d4df 100644 --- a/cockatrice/translations/cockatrice_cs.ts +++ b/cockatrice/translations/cockatrice_cs.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Pozadí zón @@ -62,86 +62,86 @@ Cesta k rubu karet: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Vykreslování karet - + Display card names on cards having a picture Zobrazit jména karet na kartách s obrázky - + Hand layout Rozvržení ruky - + Display hand horizontally (wastes space) Zobrazit ruku horizontálně (zabírá více místa) - + Table grid layout Rozložení herní mřížky - + Invert vertical coordinate Převrátit vertikální souřadnice - + Minimum player count for multi-column layout: - + Zone view layout Rozvržení zón - + Sort by name Seřadit dle jména - + Sort by type Seřadit dle typu - - - - - + + + + + Choose path Vyberte cestu @@ -386,7 +386,7 @@ This is only saved for moderators and cannot be seen by the banned person.Od&pojit - + &Power / toughness &Síla / odolnost @@ -495,7 +495,7 @@ This is only saved for moderators and cannot be seen by the banned person.&exilnout - + &Move to &Přesunout @@ -1041,20 +1041,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error Chyba - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1066,22 +1066,12 @@ This is only saved for moderators and cannot be seen by the banned person.&Povolit zobrazovaní cen (použijí se data z blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Obecné @@ -1278,32 +1268,32 @@ 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 @@ -1316,22 +1306,22 @@ This is only saved for moderators and cannot be seen by the banned person.&Zrušit - + Create game Vytvořit hru - + Game information - + Error Chyba - + Server error. Chyba serveru. @@ -1633,9 +1623,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Chyba @@ -1644,12 +1634,12 @@ This is only saved for moderators and cannot be seen by the banned person.Cesta k databázi je neplatná. Chcete se vrátit a nastavit správnou? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1660,7 +1650,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1671,7 +1661,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1680,21 +1670,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1703,42 +1693,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Cesta k adresáři s balíčky je neplatná. Chcete se vrátit a nastavit správnou? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Cesta k adresáři s obrázky je neplatná. Chcete se vrátit a nastavit správnou? - + Settings Nastavení - + General Obecné - + Appearance Vzhled - + User interface Uživatelské rozhraní - + Deck editor Editor balíčků - + Messages Zprávy @@ -1750,85 +1740,85 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games Hry - + &Filter games - + C&lear filter @@ -1837,17 +1827,17 @@ Would you like to change your database location setting? Ukázat &plné hry - + C&reate V&ytvořit - + &Join &Připojit - + J&oin as spectator P&řipojit se jako divák @@ -1863,72 +1853,81 @@ Would you like to change your database location setting? GamesModel - + yes ano - + yes, free for spectators diváci povoleni - + no ne - + buddies only jen pro přátele - + reg. users only jen pro registrované - + not allowed nepovolené - + Room Místnost - + + Game Created + + + + Description Popis - + Creator Zakladatel - - Game type - Formát + + Game Type + - + Game type + Formát + + + Password Heslo - + Restrictions Omezení - + Players Hráči - + Spectators Diváci @@ -1936,92 +1935,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Česky - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Vyberte cestu - + Success - + Downloaded card pictures have been reset. - + Error Chyba - + One or more downloaded card pictures could not be cleared. - + Personal settings Osobní nastavení - + Language: Jazyk: - + Download card pictures on the fly Stahovat obrázky karet za běhu - + Download high-quality card pictures - + Paths Cesty - + Decks directory: Adresář s balíčky: - + Replays directory: - + Pictures directory: Adresář s obrázky: - + Card database: - + Token database: @@ -3783,22 +3782,22 @@ Lokální verze je %1, verze serveru je %2. MessagesSettingsPage - + Add message Přidat zprávu - + Message: Zpráva: - + &Add &Přidat - + &Remove &Odstranit @@ -3864,244 +3863,249 @@ Lokální verze je %1, verze serveru je %2. Player - + &View graveyard &Zobrazit hřbitov - + &View exile &Zobrazit exilnuté karty - + Player "%1" Hráč "%1" - + &Graveyard &Hřbitov - + &Exile &Exilnuté karty - - - + + + Move to &top of library Přesunout na &vršek knihovny - - - + + + Move to &bottom of library Přesunout na &spodek knihovny - - + + Move to &graveyard Přesunout do &hřbitova - - + + Move to &exile &Exilnout - - + + Move to &hand Přesunout do &ruky - + &View library &Zobrazit knihovnu - + View &top cards of library... Zobrazit &vrchní karty knihovny... - + Reveal &library to Ukázat &knihovnu - + Reveal t&op card to Ukázat v&rchní kartu - + &Always reveal top card - + O&pen deck in deck editor - + &View sideboard &Zobrazit sideboard - + &Draw card &Líznout kartu - + D&raw cards... L&íznout karty... - + &Undo last draw &Vrátit zpět poslední líznutí - + Take &mulligan &Mulliganovat - + &Shuffle &Zamíchat - + Move top cards to &graveyard... Přesunout vrchní karty do &hřbitova... - + Move top cards to &exile... &Exilnout vrchní karty... - + Put top card on &bottom Dát kartu na &spodek - + + Put bottom card &in graveyard + + + + &Hand &Ruka - + &Reveal to &Ukázat - + Reveal r&andom card to Ukázat kartu n&áhodně - + &Sideboard &Sideboard - + &Library &Knihovna - + &Counters &Žetony - + &Untap all permanents &Odtapnout všechny permanenty - + R&oll die... H&odit kostkou... - + &Create token... &Vytvořit token... - + C&reate another token V&ytvořit další token - + Cr&eate predefined token - + S&ay &Chat - + C&ard K&arta - + &All players &Všem hráčům - + &Play &Zahrát - + &Hide &Skrýt - + &Tap &Tapnout - + &Untap &Odtapnout - + Toggle &normal untapping Přepnout &normální odtapnutí - + &Flip &Otočit - + &Peek at card face - + &Clone &Zdvojit @@ -4110,290 +4114,290 @@ Lokální verze je %1, verze serveru je %2. Ctrl+H - + Ctrl+J - + Attac&h to card... - + Ctrl+A Ctrl+A - + Unattac&h Od&pojit - + &Draw arrow... - + &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 - + yellow - + green - + &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 - + Ctrl+F3 Ctrl+F3 - + F3 F3 - + Ctrl+W Ctrl+W - + F4 F4 - + Ctrl+D Ctrl+D - + Ctrl+E Ctrl+E - + Ctrl+Shift+D Ctrl+Shift+D - + Ctrl+M Ctrl+M - + Ctrl+S Ctrl+S - + Ctrl+U Ctrl+U - + Ctrl+I Ctrl+I - + Ctrl+T Ctrl+T - + Ctrl+G Ctrl+G - + View top cards of library Zobrazit vrchní karty knihovny - + Number of cards: Počet karet: - + Draw cards Líznout karty - - - - + + + + Number: Počet: - + Move top cards to grave Přesunout vrchní karty do hřbitova - + Move top cards to exile Exilnout vrchní karty - + Roll die Hodit kostkou - + Number of sides: Počet stran: - + Set power/toughness Nastavit sílu/odolnost - + Please enter the new PT: Vložte novou odolnost/sílu: - + Set annotation Nastavit poznámku - + Please enter the new annotation: Vložte novou poznámku: - + Set counters Nastavit žetony @@ -4470,6 +4474,39 @@ Lokální verze je %1, verze serveru je %2. Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4525,32 +4562,32 @@ Lokální verze je %1, verze serveru je %2. RoomSelector - + Rooms Místnosti - + Joi&n &Připojit - + Room Místnost - + Description Popis - + Players Hráči - + Games Hry @@ -4558,15 +4595,34 @@ Lokální verze je %1, verze serveru je %2. SetsModel - Short name - Krátký název + Krátký název - + + Key + + + + + Set type + + + + + Set code + + + + Long name Dlouhý název + + + Release date + + ShutdownDialog @@ -4628,8 +4684,9 @@ Lokální verze je %1, verze serveru je %2. Opravdu chcete odemknout administrační funkce? + Administration - Administrace + Administrace @@ -4639,97 +4696,96 @@ Lokální verze je %1, verze serveru je %2. &Hledat... - + Show card text only - + &Clear search &Vyčistit hledání - &Search for: - &Vyhledat: + &Vyhledat: - + Deck &name: &Název balíčku: - + &Comments: &Komentář: - + Hash: - + &Update prices Akt&ualizovat ceny - + Ctrl+U - + &New deck &Nový balíček - + &Load deck... &Nahrát balíček... - + &Save deck &Uložit balíček - + Save deck &as... Uložit balíček &jako... - + Load deck from cl&ipboard... Nahrát balíček ze s&chránky... - + Save deck to clip&board Vložit balíček do &schránky - + &Print deck... &Vytisknout balíček... - + &Analyze deck on deckstats.net - + &Close &Zavřít - + Ctrl+Q CTRL+Q - + Add card to &maindeck Přidat kartu do &balíčku @@ -4742,7 +4798,7 @@ Lokální verze je %1, verze serveru je %2. Enter - + Add card to &sideboard Přidat kartu do &sideboardu @@ -4755,99 +4811,99 @@ Lokální verze je %1, verze serveru je %2. Ctrl+Enter - + &Remove row &Smazat řádek - + Del Del - + &Increment number &Zvýšit počet - + + + - + &Decrement number &Snížit počet - + - - - + &Deck editor &Editor balíčků - + C&ard database - + &Edit sets... &Upravit sasy... - + Edit &tokens... - + Deck: %1 - + Are you sure? Jste si jisti? - + The decklist has been modified. Do you want to save the changes? Balíček byl upraven. Chcete uložit změny? - + Load deck Nahrát balíček - - - + + + Error Chyba - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. Balíček nebylo možné uložit. Zkontrolujte, jestli lze zapisovat do cílového adresáře a zkuste to znovu. - + Save deck Uložit balíček @@ -4937,8 +4993,9 @@ Prosím vložte jméno: + Deck storage - Uložiště balíčků + Uložiště balíčků @@ -5185,6 +5242,11 @@ Prosím vložte jméno: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -5222,15 +5284,17 @@ Prosím vložte jméno: TabServer + Server - Server + Server TabUserLists + User lists - Seznam uživatelů + Seznam uživatelů @@ -5351,47 +5415,52 @@ Prosím vložte jméno: UserInterfaceSettingsPage - + General interface settings Obecné - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Pro zahraní karty je třeba dvojklik - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animace - + &Tap/untap animation &Animace tapnutí/odtapnutí - + Enable &sounds Povolit &zvuky - + Path to sounds directory: Adresář se zvuky: - + + Test system sound engine + + + + Choose path Vyberte cestu @@ -5619,10 +5688,50 @@ Zkontrolujte, jestli lze zapisovat do cílového adresáře a zkuste to znovu. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Upravit edice + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_de.ts b/cockatrice/translations/cockatrice_de.ts index ec90f35a..40ba09d5 100644 --- a/cockatrice/translations/cockatrice_de.ts +++ b/cockatrice/translations/cockatrice_de.ts @@ -1,6 +1,6 @@ - + @@ -60,7 +60,7 @@ AppearanceSettingsPage - + Zone background pictures Hintergrundbilder für Kartenzonen @@ -85,57 +85,57 @@ Pfad zum Bild der Kartenrückseite: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Kartendarstellung - + Display card names on cards having a picture Kartennamen darstellen auch bei Karten, die Bilder haben - + Hand layout Kartenhand - + Display hand horizontally (wastes space) Hand horizonal anzeigen (verschwendet Platz) - + Table grid layout Spielfeldraster - + Minimum player count for multi-column layout: Mindestspielerzahl für mehrspaltige Anordnung: @@ -144,7 +144,7 @@ Platzsparende Anordnung - + Invert vertical coordinate Vertikale Koordinate umkehren @@ -153,17 +153,17 @@ Platzsparende Anordnung - + Zone view layout Aussehen des Zonenbetrachters - + Sort by name nach Namen sortieren - + Sort by type nach Kartentypen sortieren @@ -172,11 +172,11 @@ standardmäßig alphabetisch sortieren - - - - - + + + + + Choose path Pfad auswählen @@ -442,7 +442,7 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic &Pfeil zeichnen... - + &Power / toughness &Kampfwerte @@ -551,7 +551,7 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic ins &Exil - + &Move to &Verschieben @@ -1362,20 +1362,20 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic DBPriceUpdater - - - + + + Error Fehler - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1387,22 +1387,12 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Karten&preisfunktionen anschalten (benutzt Daten von blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Allgemeines @@ -1621,17 +1611,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 @@ -1640,17 +1630,17 @@ 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 @@ -1663,17 +1653,17 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic &Abbruch - + Create game Spiel erstellen - + Game information &Spielinformationen - + Error Fehler @@ -1682,7 +1672,7 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Ungültige Anzahl an Spielern. - + Server error. Serverfehler. @@ -2015,9 +2005,9 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic DlgSettings - - - + + + Error Fehler @@ -2038,12 +2028,12 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Ihre Kartendatenbank ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -2054,7 +2044,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -2065,7 +2055,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -2074,21 +2064,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -2097,42 +2087,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Der Pfad zu Ihrem Deckordner ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Der Pfad zu Ihrem Kartenbilderordner ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + Settings Einstellungen - + General Allgemeines - + Appearance Erscheinungsbild - + User interface Bedienung - + Deck editor Deckeditor - + Messages Nachrichten @@ -2402,25 +2392,25 @@ Would you like to change your database location setting? GameSelector - + C&reate Spiel e&rstellen - + &Join &Teilnehmen - - - + + + Error Fehler @@ -2429,72 +2419,72 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. Bitte betreten Sie zuerst den entsprechenden Raum. - + Games Spiele - + &Filter games Spiele &filtern - + C&lear filter Filter &zurücksetzen @@ -2511,7 +2501,7 @@ Would you like to change your database location setting? &Volle Spiele anzeigen - + J&oin as spectator &Zuschauen @@ -2527,12 +2517,12 @@ Would you like to change your database location setting? GamesModel - + yes ja - + no nein @@ -2541,62 +2531,71 @@ Would you like to change your database location setting? Spiel ID - + Creator Ersteller - + Description Beschreibung - + yes, free for spectators ja, außer für Zuschauer - + buddies only nur Freunde - + reg. users only nur reg. Benutzer - + not allowed nicht erlaubt - + Room Raum - - Game type - Spieltyp + + Game Created + - + + Game Type + + + + Game type + Spieltyp + + + Password Passwort - + Restrictions Bedingungen - + Players Spieler - + Spectators Zuschauer @@ -2604,86 +2603,86 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Pfad auswählen - + Success - + Downloaded card pictures have been reset. - + Error Fehler - + One or more downloaded card pictures could not be cleared. - + Personal settings Persönliche Einstellungen - + Language: Sprache: - + Download card pictures on the fly Kartenbilder dynamisch herunterladen - + Download high-quality card pictures - + Paths Pfade - + Decks directory: Verzeichnis mit Decklisten: - + Replays directory: Verzeichnis mit aufgezeichneten Spielen: - + Pictures directory: Verzeichnis mit Bilddateien: - + Card database: - + Token database: @@ -2696,8 +2695,8 @@ Would you like to change your database location setting? Pfad zur Spielsteindatenbank: - - + + English Deutsch @@ -4827,12 +4826,12 @@ Lokale Version ist %1, Serverversion ist %2. MessagesSettingsPage - + &Add &Hinzufügen - + &Remove &Entfernen @@ -4845,12 +4844,12 @@ Lokale Version ist %1, Serverversion ist %2. Entfernen - + Add message Nachricht hinzufügen - + Message: Nachricht: @@ -4916,21 +4915,21 @@ Lokale Version ist %1, Serverversion ist %2. Player - - - + + + Move to &top of library Oben auf die Biblio&thek legen - - - + + + Move to &bottom of library Unter die &Bibliothek legen - + &View library Bibliothek &ansehen @@ -4939,52 +4938,52 @@ Lokale Version ist %1, Serverversion ist %2. Oberste Karten in den F&riedhof legen... - + Move top cards to &exile... Oberste Karten ins &Exil schicken... - + F3 F3 - + View &top cards of library... Oberste Karten der Bibliothek a&nsehen... - + &View graveyard &Zeige Friedhof - + &Always reveal top card &Oberste Karte aufgedeckt lassen - + O&pen deck in deck editor Im &Deckeditor öffnen - + Cr&eate predefined token &Vordefinierten Spielstein erstellen - + &All players &allen Spielern - + &Peek at card face &Vorderseite anschauen - + &Clone &Kopieren @@ -4993,132 +4992,132 @@ Lokale Version ist %1, Serverversion ist %2. Ctrl+H - + Attac&h to card... An Karte &anlegen... - + Ctrl+A Ctrl+A - + Unattac&h &Von Karte lösen - + &Draw arrow... &Pfeil zeichnen... - + &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 - + 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)... - + Ctrl+F3 Ctrl+F3 - + F4 F4 @@ -5127,73 +5126,78 @@ Lokale Version ist %1, Serverversion ist %2. Zeige ent&fernte Karten - + &View sideboard Zeige &Sideboard - + Player "%1" Spieler "%1" - - + + Move to &graveyard Auf den &Friedhof legen - + Reveal &library to &Bibliothek jemandem zeigen - + Reveal t&op card to &Oberste Karte jemandem zeigen - + &Undo last draw Zuletzt gezogene Karte zur&ücklegen - + Take &mulligan &Mulligan nehmen - + Move top cards to &graveyard... Oberste Karten auf den F&riedhof legen... - + Put top card on &bottom Oberste Karte nach &unten legen - + + Put bottom card &in graveyard + + + + &Hand &Hand - + &Reveal to Jemandem &zeigen - + Reveal r&andom card to Z&ufällige Karte jemandem zeigen - + &Library Bib&liothek - + &Graveyard &Friedhof @@ -5202,7 +5206,7 @@ Lokale Version ist %1, Serverversion ist %2. Entfe&rnte Karten - + &Sideboard &Sideboard @@ -5211,38 +5215,38 @@ Lokale Version ist %1, Serverversion ist %2. &Kampfwerte setzen... - + &Set annotation... &Hinweis setzen... - + View top cards of library Zeige die obersten Karten der Bibliothek - + Number of cards: Anzahl der Karten: - + &Draw card Karte &ziehen - + &View exile &Zeige Exil - + &Exile &Exil - - + + Move to &hand auf die &Hand nehmen @@ -5251,28 +5255,28 @@ Lokale Version ist %1, Serverversion ist %2. auf den &Friedhof legen - - + + Move to &exile ins &Exil schicken - + Ctrl+W Ctrl+W - + Ctrl+D Ctrl+D - + D&raw cards... Ka&rten ziehen... - + Ctrl+E Ctrl+E @@ -5281,42 +5285,42 @@ Lokale Version ist %1, Serverversion ist %2. &Mulligan nehmen... - + Ctrl+M Ctrl+M - + &Shuffle Mi&schen - + Ctrl+S Ctrl+S - + &Counters &Zähler - + &Untap all permanents &Enttappe alle bleibenden Karten - + Ctrl+J - + Ctrl+Shift+D Ctrl+Shift+D - + Ctrl+U Ctrl+U @@ -5345,72 +5349,72 @@ Lokale Version ist %1, Serverversion ist %2. Ctrl+L - + R&oll die... &Würfeln... - + Ctrl+I Ctrl+I - + &Create token... Spiels&tein erstellen... - + Ctrl+T Ctrl+T - + C&reate another token &Noch einen Spielstein erstellen - + Ctrl+G Ctrl+G - + S&ay S&agen - + C&ard &Karte - + &Play &Ausspielen - + &Hide &Verstecken - + &Tap &Tappen - + &Untap E&nttappen - + Toggle &normal untapping &Normales Enttappen umschalten - + &Flip &Umdrehen @@ -5439,27 +5443,27 @@ Lokale Version ist %1, Serverversion ist %2. &Setze Zählmarken... - + &top of library &auf die Bibliothek - + &bottom of library &unter die Bibliothek - + &graveyard in den &Friedhof - + Ctrl+Del Ctrl+Del - + &exile ins &Exil @@ -5492,50 +5496,50 @@ Lokale Version ist %1, Serverversion ist %2. F10 - + Draw cards Karten ziehen - - - - + + + + Number: Anzahl: - + Move top cards to grave Oberste Karten in den Friedhof legen - + Move top cards to exile Oberste Karten ins Exil schicken - + Set power/toughness Kampfwerte setzen - + Please enter the new PT: Bitte die neuen Kampfwerte eingeben: - + Set annotation Hinweis setzen - + Please enter the new annotation: Bitte den Hinweis eingeben: - + Set counters Setze Zählmarken @@ -5548,12 +5552,12 @@ Lokale Version ist %1, Serverversion ist %2. Neue Lebenspunkte insgesamt: - + Roll die Würfeln - + Number of sides: Anzahl der Seiten: @@ -5678,6 +5682,39 @@ Lokale Version ist %1, Serverversion ist %2. Cockatrice replays (*.cor) Aufgezeichnete Cockatrice-Spiele (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -5733,32 +5770,32 @@ Lokale Version ist %1, Serverversion ist %2. RoomSelector - + Rooms Räume - + Joi&n Teil&nehmen - + Room Raum - + Description Beschreibung - + Players Spieler - + Games Spiele @@ -5773,15 +5810,34 @@ Lokale Version ist %1, Serverversion ist %2. SetsModel - Short name - Kurzer Name + Kurzer Name - + + Key + + + + + Set type + + + + + Set code + + + + Long name Langer Name + + + Release date + + ShutdownDialog @@ -5851,8 +5907,9 @@ Lokale Version ist %1, Serverversion ist %2. Möchten Sie wirklich die Sperre der Wartungsfunktionen aufheben? + Administration - Wartung + Wartung @@ -5881,22 +5938,22 @@ Lokale Version ist %1, Serverversion ist %2. Deck-Editor [*] - + &Print deck... Deck &drucken... - + &Close S&chließen - + Ctrl+Q Ctrl+Q - + &Edit sets... &Editionen bearbeiten... @@ -5905,77 +5962,76 @@ Lokale Version ist %1, Serverversion ist %2. &Suchen... - + &Clear search Suche a&ufheben - &Search for: - &Suchen nach: + &Suchen nach: - + Deck &name: Deck&name: - + &Comments: &Kommentare: - + Hash: Hash: - + &Update prices &Preise aktualisieren - + Ctrl+U Ctrl+U - + &New deck &Neues Deck - + &Load deck... Deck &laden... - + &Save deck Deck &speichern - + Save deck &as... Deck s&peichern unter... - + Load deck from cl&ipboard... Deck aus &Zwischenablage laden... - + Save deck to clip&board Deck in Z&wischenablage speichern - + &Analyze deck on deckstats.net Deck auf deckstats.net &analysieren - + Add card to &maindeck Karte zu&m Hauptdeck hinzufügen @@ -5988,7 +6044,7 @@ Lokale Version ist %1, Serverversion ist %2. Enter - + Add card to &sideboard Karte zum &Sideboard hinzufügen @@ -6001,99 +6057,99 @@ Lokale Version ist %1, Serverversion ist %2. Ctrl+Enter - + Show card text only - + &Remove row Zeile entfe&rnen - + Del Del - + &Increment number Anzahl er&höhen - + + + - + &Decrement number Anzahl v&erringern - + - - - + &Deck editor &Deck-Editor - + C&ard database &Kartendatenbank - + Edit &tokens... Spielsteine &bearbeiten... - + Deck: %1 Deck: %1 - + Are you sure? Sind Sie sicher? - + The decklist has been modified. Do you want to save the changes? Die Deckliste wurde verändert. Möchten Sie die Änderungen speichern? - + Load deck Deck laden - - - + + + Error Fehler - + The deck could not be saved. Das Deck konnte nicht gespeichert werden. - - + + The deck could not be saved. Please check that the directory is writable and try again. Das Deck konnte nicht gespeichert werden. Bitte überprüfen Sie, dass Sie Schreibrechte in dem Verzeichnis haben, und versuchen Sie es erneut. - + Save deck Deck speichern @@ -6183,8 +6239,9 @@ Bitte geben Sie einen Namen ein: Deck auf dem Server löschen + Deck storage - Deckspeicherplatz + Deckspeicherplatz @@ -6460,8 +6517,9 @@ Bitte geben Sie einen Namen ein: Sind Sie sicher, dass Sie das Replay des Spiels %1 löschen möchten? + Game replays - Replays + Replays @@ -6508,8 +6566,9 @@ Bitte geben Sie einen Namen ein: TabServer + Server - Server + Server @@ -6530,8 +6589,9 @@ Bitte geben Sie einen Namen ein: TabUserLists + User lists - Benutzerlisten + Benutzerlisten @@ -6652,47 +6712,52 @@ Bitte geben Sie einen Namen ein: UserInterfaceSettingsPage - + General interface settings Allgemeine Bedienung - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) Karten durch &Doppelklick ausspielen (statt Einzelklick) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animationseinstellungen - + &Tap/untap animation Animiertes &Tappen/Enttappen - + Enable &sounds &Sound anschalten - + Path to sounds directory: Pfad zum Verzeichnis mit den Sounddateien: - + + Test system sound engine + + + + Choose path Pfad auswählen @@ -6948,10 +7013,50 @@ Bitte überprüfen Sie, dass Sie Schreibrechte in dem Verzeichnis haben, und ver WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Editionen bearbeiten + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_en.ts b/cockatrice/translations/cockatrice_en.ts index 4f52e8a1..4df146f6 100644 --- a/cockatrice/translations/cockatrice_en.ts +++ b/cockatrice/translations/cockatrice_en.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -312,12 +312,12 @@ This is only saved for moderators and cannot be seen by the banned person. CardItem - + &Power / toughness - + &Move to @@ -568,20 +568,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -589,22 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General @@ -793,52 +783,52 @@ 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 - + Create game - + Game information - + Error - + Server error. @@ -1112,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1135,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1146,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1155,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1178,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1221,100 +1211,100 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games - + &Filter games - + C&lear filter - + J&oin as spectator @@ -1330,72 +1320,77 @@ Would you like to change your database location setting? GamesModel - + yes - + no - + + Game Created + + + + Creator - + Description - + yes, free for spectators - + buddies only - + reg. users only - + not allowed - + Room - - Game type + + Game Type - + Password - + Restrictions - + Players - + Spectators @@ -1403,92 +1398,92 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path - + Success - + Downloaded card pictures have been reset. - + Error - + One or more downloaded card pictures could not be cleared. - + Personal settings - + Language: - + Download card pictures on the fly - + Download high-quality card pictures - + Paths - + Decks directory: - + Replays directory: - + Pictures directory: - + Card database: - + Token database: - - + + English English @@ -2999,22 +2994,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + &Add - + &Remove - + Add message - + Message: @@ -3079,533 +3074,538 @@ Local version is %1, remote version is %2. Player - - - - - Move to &top of library - - - - - - - Move to &bottom of library - - - - Move to &graveyard - - - - - &View library - - - - - Reveal &library to - - - - - Reveal t&op card to - - - - - Move top cards to &graveyard... - - - - - Ctrl+J - - - - - F3 - - - - - View &top cards of library... - - - - - &View graveyard - - - - - F4 - - - - - &View sideboard - - - - - Player "%1" - - - - - &Hand - - - - - &Library - - - - - &Graveyard - - - - - &Sideboard - - - - - View top cards of library - - - - - Number of cards: - - - - - &Draw card - - - - - &View exile - - - - - &Exile - - - - Move to &hand + Move to &top of library - Move to &exile + + Move to &bottom of library - - Ctrl+W + + + Move to &graveyard - - Ctrl+D - - - - - D&raw cards... - - - - - Ctrl+E - - - - - Take &mulligan - - - - - Ctrl+M - - - - - &Shuffle - - - - - Ctrl+S - - - - - &Counters - - - - - &Untap all permanents - - - - - Ctrl+U - - - - - R&oll die... - - - - - Ctrl+I - - - - - &Create token... - - - - - Ctrl+T - - - - - C&reate another token - - - - - Ctrl+G - - - - - S&ay + + &View library - &Always reveal top card + Reveal &library to - O&pen deck in deck editor - - - - - &Undo last draw - - - - - Move top cards to &exile... + Reveal t&op card to + Move top cards to &graveyard... + + + + + Ctrl+J + + + + + F3 + + + + + View &top cards of library... + + + + + &View graveyard + + + + + F4 + + + + + &View sideboard + + + + + Player "%1" + + + + + &Hand + + + + + &Library + + + + + &Graveyard + + + + + &Sideboard + + + + + View top cards of library + + + + + Number of cards: + + + + + &Draw card + + + + + &View exile + + + + + &Exile + + + + + + Move to &hand + + + + + + Move to &exile + + + + + Ctrl+W + + + + + Ctrl+D + + + + + D&raw cards... + + + + + Ctrl+E + + + + + Take &mulligan + + + + + Ctrl+M + + + + + &Shuffle + + + + + Ctrl+S + + + + + &Counters + + + + + &Untap all permanents + + + + + Ctrl+U + + + + + R&oll die... + + + + + Ctrl+I + + + + + &Create token... + + + + + Ctrl+T + + + + + C&reate another token + + + + + Ctrl+G + + + + + S&ay + + + + + &Always reveal top card + + + + + O&pen deck in deck editor + + + + + &Undo last draw + + + + + Move top cards to &exile... + + + + Put top card on &bottom + Put bottom card &in graveyard + + + + &Reveal to - + Reveal r&andom card to - + Cr&eate predefined token - + C&ard - + &All players - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Peek at card face - + &Clone - + Attac&h to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &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 - + Ctrl+F3 - + Ctrl+Shift+D - + 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 @@ -3627,6 +3627,39 @@ Local version is %1, remote version is %2. All files (*.*) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3682,32 +3715,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms - + Joi&n - + Room - + Description - + Players - + Games @@ -3715,15 +3748,30 @@ Local version is %1, remote version is %2. SetsModel - - Short name + + Key - + + Set type + + + + + Set code + + + + Long name + + + Release date + + ShutdownDialog @@ -3780,201 +3828,201 @@ Local version is %1, remote version is %2. Do you really want to unlock the administration functions? + + + Administration + + TabDeckEditor - + &Print deck... - + &Close - + Ctrl+Q - + &Edit sets... - + &Clear search - - &Search for: - - - - + Deck &name: - + &Comments: - + Hash: - + &Update prices - + Ctrl+U - + &New deck - + &Load deck... - + &Save deck - + Save deck &as... - + Load deck from cl&ipboard... - + Save deck to clip&board - + &Analyze deck on deckstats.net - + Add card to &maindeck - + Add card to &sideboard - + Show card text only - + &Remove row - + Del - + &Increment number - + + - + &Decrement number - + - - + &Deck editor - + C&ard database - + Edit &tokens... - + Deck: %1 - + Are you sure? - + The decklist has been modified. Do you want to save the changes? - + Load deck - - - + + + Error - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. - + Save deck @@ -4062,6 +4110,11 @@ Please enter a name: Delete remote deck + + + Deck storage + + TabGame @@ -4299,6 +4352,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4333,6 +4391,14 @@ Please enter a name: + + TabServer + + + Server + + + TabUserLists @@ -4345,6 +4411,11 @@ Please enter a name: Add to Ignore List + + + User lists + + UserContextMenu @@ -4450,47 +4521,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path @@ -4521,10 +4597,50 @@ Please enter a name: WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_es.ts b/cockatrice/translations/cockatrice_es.ts index a9431d75..ae0351f0 100644 --- a/cockatrice/translations/cockatrice_es.ts +++ b/cockatrice/translations/cockatrice_es.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Imagenes de la zona de fondo @@ -62,57 +62,57 @@ Ruta al reverso de las cartas: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Renderizado de las cartas - + Display card names on cards having a picture Mostrar nombre de las cartas en aquellas que tengan imagen - + Hand layout Disposición de la mano - + Display hand horizontally (wastes space) Mostrar la mano horizontalmente (desperdicia espacio) - + Table grid layout Disposición de la rejilla de la mesa - + Minimum player count for multi-column layout: Número minimo de jugadores para usar la rejilla multicolumna: @@ -121,7 +121,7 @@ Disposición Económica - + Invert vertical coordinate Invertir coordenada vertical @@ -130,26 +130,26 @@ Disposición económica - + Zone view layout Distribución de la zona de visionado - + Sort by name Ordenar por nombre - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Elija ruta @@ -403,7 +403,7 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona &Dibujar flecha... - + &Power / toughness &Fuerza / resistencia @@ -512,7 +512,7 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona &exilio - + &Move to &Mover a @@ -1293,20 +1293,20 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona DBPriceUpdater - - - + + + Error Error - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1318,22 +1318,12 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Activar tag de &precios (usando datos de blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General General @@ -1537,32 +1527,32 @@ 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 @@ -1575,22 +1565,22 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona &Cancelar - + Create game Crear partida - + Game information Información de la partida - + Error Error - + Server error. Error del servidor. @@ -1896,9 +1886,9 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona DlgSettings - - - + + + Error Error @@ -1919,12 +1909,12 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Tu base de datos de cartas es invalida. ¿Deseas volver y seleccionar la ruta correcta? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1935,7 +1925,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1946,7 +1936,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1955,21 +1945,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1978,42 +1968,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? La ruta a tu directorio de mazos es invalida. ¿Deseas volver y seleccionar la ruta correcta? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? La ruta a tu directorio de imagenes de las cartas es invalida.¿Deseas volver y seleccionar la ruta correcta? - + Settings Preferencias - + General General - + Appearance Apariencia - + User interface Interfaz de usuario - + Deck editor Editor de mazos - + Messages Mensajes @@ -2025,95 +2015,95 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. Por favor, entre primero en la sala respectiva. - + Games Partidas - + &Filter games &Filtrar partidas - + C&lear filter &Limpiar filtros @@ -2130,7 +2120,7 @@ Would you like to change your database location setting? &Ver partidas sin plazas libres - + J&oin as spectator Entrar como e&spectador @@ -2146,72 +2136,81 @@ Would you like to change your database location setting? GamesModel - + yes - + no no - + + Game Created + + + + Creator Creador - + Description Descripción - + yes, free for spectators sí, libre para espectadores - + buddies only solo amigos - + reg. users only solo usuarios registrados - + not allowed no permitido - + Room Sala - - Game type - Tipo de partida + + Game Type + - + Game type + Tipo de partida + + + Password Contraseña - + Restrictions Restricciones - + Players Jugadores - + Spectators Espectadores @@ -2219,86 +2218,86 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Elija ruta - + Success - + Downloaded card pictures have been reset. - + Error Error - + One or more downloaded card pictures could not be cleared. - + Personal settings Preferencias personales - + Language: Idioma: - + Download card pictures on the fly Descargar imagenes de las cartas al vuelo - + Download high-quality card pictures - + Paths Rutas - + Decks directory: Directorio de mazos: - + Replays directory: Directorio de replays: - + Pictures directory: Directorio de imagenes: - + Card database: - + Token database: @@ -2311,8 +2310,8 @@ Would you like to change your database location setting? Ruta a la base de datos de fichas: - - + + English Español @@ -4085,22 +4084,22 @@ La versión local es %1, la versión remota es %2. MessagesSettingsPage - + &Add &Añadir - + &Remove &Quitar - + Add message Añadir mensaje - + Message: Mensaje: @@ -4166,143 +4165,143 @@ La versión local es %1, la versión remota es %2. Player - - - + + + Move to &top of library Mover a la &parte superior de la biblioteca - - - + + + Move to &bottom of library Mover al &fondo de la biblioteca - - + + Move to &graveyard Mover al &cementerio - + &View library &Ver biblioteca - + Reveal &library to Revelar &biblioteca a - + Reveal t&op card to Revelar la carta &superior de la biblioteca a - + &Always reveal top card &Siempre revelar la carta superior - + O&pen deck in deck editor &Abrir mazo en el editor de mazos - + &Undo last draw &Deshacer último robo - + Move top cards to &graveyard... Mover cartas de la parte s&uperior de la biblioteca al cementerio... - + Ctrl+J - + F3 F3 - + View &top cards of library... Ver cartas de la parte &superior de la biblioteca... - + &View graveyard Ver &Cementerio - + F4 F4 - + &View sideboard Ver &sideboard - + Player "%1" Jugador "%1" - + &Hand &Mano - + &Library &Biblioteca - + &Graveyard &Cementerio - + &Sideboard &Reserva - + View top cards of library Ver cartas de la parte superior de la biblioteca - + Number of cards: Número de cartas: - + &Draw card &Robar carta - + &View exile Ver &exilio - + &Exile &Exilio - - + + Move to &hand Mover a la m&ano @@ -4311,98 +4310,98 @@ La versión local es %1, la versión remota es %2. Mover al &cementerio - - + + Move to &exile Mover al &exilio - + Ctrl+W Ctrl+W - + Ctrl+D Ctrl+D - + D&raw cards... &Robar cartas... - + Ctrl+E Ctrl+E - + Take &mulligan Hacer &mulligan - + Ctrl+M Ctrl+M - + &Shuffle &Barajar - + Ctrl+S Ctrl+S - + &Counters &Contadores - + &Untap all permanents &Enderezar todos los permanentes - + Ctrl+U Ctrl+U - + R&oll die... &Lanzar dado... - + Ctrl+I Ctrl+I - + &Create token... Crear &Ficha... - + Ctrl+T Ctrl+T - + C&reate another token C&rea otra ficha - + Ctrl+G Ctrl+G - + S&ay D&ecir @@ -4411,77 +4410,82 @@ La versión local es %1, la versión remota es %2. Mover cartas superiores al ce&menterio... - + Move top cards to &exile... Mover cartas superiores al &exilio... - + Put top card on &bottom Poner carta superior en la parte &inferior + Put bottom card &in graveyard + + + + &Reveal to &Revelar a - + Reveal r&andom card to Revelar carta &aleatoriamente a - + Cr&eate predefined token Cr&ear ficha predefinida - + C&ard C&arta - + &All players &Todos los jugadores - + &Play &Jugar - + &Hide &Ocultar - + &Tap &Girar - + &Untap &Enderezar - + Toggle &normal untapping Alternar enderezamiento &normal - + &Flip &Voltear - + &Peek at card face &Mirar el dorso de la carta - + &Clone &Clonar @@ -4490,220 +4494,220 @@ La versión local es %1, la versión remota es %2. Ctrl+H - + Attac&h to card... Ane&xar a una carta... - + Ctrl+A Ctrl+A - + Unattac&h Desane&xar - + &Draw arrow... &Dibujar flecha... - + &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 - + Ctrl+F3 Ctrl+F3 - + Ctrl+Shift+D Ctrl+Shift+D - + Draw cards Robar cartas - - - - + + + + Number: Número: - + Move top cards to grave Mover cartas superiores al cementerio - + Move top cards to exile Mover cartas superiores al exilio - + Roll die Lanzar dado - + Number of sides: Número de caras: - + Set power/toughness Establecer fuerza/resistencia - + Please enter the new PT: Por favor, introduzca la nueva F/R: - + Set annotation Escribir anotación - + Please enter the new annotation: Por favor, introduza la nueva anotación: - + Set counters Establecer contadores @@ -4808,6 +4812,39 @@ La versión local es %1, la versión remota es %2. Cockatrice replays (*.cor) Replays de Cockatrice (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4863,32 +4900,32 @@ La versión local es %1, la versión remota es %2. RoomSelector - + Rooms Salas - + Joi&n E&ntrar - + Room Sala - + Description Descripción - + Players Jugadores - + Games Partidas @@ -4903,15 +4940,34 @@ La versión local es %1, la versión remota es %2. SetsModel - Short name - Nombre corto + Nombre corto - + + Key + + + + + Set type + + + + + Set code + + + + Long name Nombre largo + + + Release date + + ShutdownDialog @@ -4977,8 +5033,9 @@ La versión local es %1, la versión remota es %2. ¿Realmente quieres desbloquear las funciones de administración? + Administration - Administración + Administración @@ -5007,97 +5064,96 @@ La versión local es %1, la versión remota es %2. &Buscar... - + Show card text only - + &Clear search &Limpiar busqueda - &Search for: - &Buscar por: + &Buscar por: - + Deck &name: &Nombre del mazo: - + &Comments: &Comentarios: - + Hash: Hash: - + &Update prices &Actualizar precios - + Ctrl+U Ctrl+U - + &New deck &Nuevo mazo - + &Load deck... &Cargar mazo... - + &Save deck &Guardar mazo - + Save deck &as... Guardar mazo &como... - + Load deck from cl&ipboard... Cargar mazo del &portapapeles... - + Save deck to clip&board Guardar mazo al p&ortapales - + &Print deck... Im&primir mazo... - + &Analyze deck on deckstats.net A&nalizar mazo en deckstats.net - + &Close &Cerrar - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Añadir carta al &mazo principal @@ -5110,7 +5166,7 @@ La versión local es %1, la versión remota es %2. Enter - + Add card to &sideboard Añadir carta a la &reserva @@ -5123,99 +5179,99 @@ La versión local es %1, la versión remota es %2. Ctrl+Enter - + &Remove row &Eliminar columna - + Del Del - + &Increment number &Incrementar número - + + + - + &Decrement number &Decrementar número - + - - - + &Deck editor Editor de &mazos - + C&ard database - + &Edit sets... &Editar ediciones... - + Edit &tokens... Editar &fichas... - + Deck: %1 Mazo: %1 - + Are you sure? ¿Estás seguro? - + The decklist has been modified. Do you want to save the changes? La lista del mazo ha sido modificada ¿Deseas guardar los cambios? - + Load deck Cargar mazo - - - + + + Error Error - + The deck could not be saved. El mazo no puede ser guardado. - - + + The deck could not be saved. Please check that the directory is writable and try again. El mazo no puede ser guardado Por favor, compruebe que tiene permisos de escritura en el directorio e intentelo de nuevo. - + Save deck Guardar mazo @@ -5305,8 +5361,9 @@ Por favor, introduzca un nombre: Borrar mazo remoto + Deck storage - Almacen de mazos + Almacen de mazos @@ -5554,8 +5611,9 @@ Por favor, introduzca un nombre: ¿Estás seguro de que quieres borar el replay de la partida %1? + Game replays - Replays de partidas + Replays de partidas @@ -5602,15 +5660,17 @@ Por favor, introduzca un nombre: TabServer + Server - Servidor + Servidor TabUserLists + User lists - Lista de usuarios + Lista de usuarios @@ -5731,47 +5791,52 @@ Por favor, introduzca un nombre: UserInterfaceSettingsPage - + General interface settings Preferencias generales de la interfaz - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Doble click en las cartas para jugarlas (en lugar de un solo click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Opciones de animación - + &Tap/untap animation Animación de &girar/enderezar - + Enable &sounds Activar &sonidos - + Path to sounds directory: Ruta al directorio de sonidos: - + + Test system sound engine + + + + Choose path Elija ruta @@ -6007,10 +6072,50 @@ Do you want to save the changes? WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Editar ediciones + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_fr.ts b/cockatrice/translations/cockatrice_fr.ts index 31aa65da..c959d52e 100644 --- a/cockatrice/translations/cockatrice_fr.ts +++ b/cockatrice/translations/cockatrice_fr.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,111 +37,111 @@ AppearanceSettingsPage - + Zone background pictures Zone images de fond Path to hand background: - Chemin vers l'image de fond de la zone de main: + Chemin vers l'image de fond de la zone de main: Path to stack background: - Chemin vers l'image de fond de la pile: + Chemin vers l'image de fond de la pile: Path to table background: - Chemin vers l'image de fond de la zone de jeu: + Chemin vers l'image de fond de la zone de jeu: Path to player info background: - Chemin vers l'image de fond d'informations joueur: + Chemin vers l'image de fond d'informations joueur: Path to picture of card back: - Chemin vers l'image de dos des cartes: - + Chemin vers l'image de dos des cartes: + - + Hand background: Image de fond de la zone de main: - + Stack background: Image de fond de la pile: - + Table background: Image de fond de la zone de jeu: - + Player info background: Image de fond de la zone d'informations joueur: - + Card back: Dos de carte: - + Card rendering Rendu des cartes - + Display card names on cards having a picture Afficher le nom des cartes ayant une image - + Hand layout Disposition de la main - + Display hand horizontally (wastes space) - Afficher la main horizontalement (perte d'espace) + Afficher la main horizontalement (perte d'espace) - + Table grid layout Disposition en forme de grille - + Invert vertical coordinate Inverser la disposition du champ de bataille - + Minimum player count for multi-column layout: Nombre minimum de joueurs pour la disposition multi-colonnes : - + Zone view layout - Disposition de la zone d'aperçu + Disposition de la zone d'aperçu - + Sort by name Tri par nom - + Sort by type Tri par type - - - - - + + + + + Choose path Choisir le chemin @@ -369,12 +369,10 @@ Cette information sera consultable uniquement par les modérateurs. &Clone &Copier une carte - &Copier une carte - Ctrl+H - Ctrl+H + Ctrl+H &Attach to card... @@ -397,9 +395,8 @@ Cette information sera consultable uniquement par les modérateurs.&Tracer une flèche... - &Power / Toughness - &Force / Endurance + &Force / Endurance &Increase power @@ -451,7 +448,7 @@ Cette information sera consultable uniquement par les modérateurs. Set &power and toughness... - Dé&finir la force et l'endurance... + Dé&finir la force et l'endurance... Ctrl+P @@ -483,7 +480,7 @@ Cette information sera consultable uniquement par les modérateurs. &Set counters (%1)... - &Définir marqueurs (%1)... + &Définir marqueurs (%1)... &top of library @@ -503,13 +500,18 @@ Cette information sera consultable uniquement par les modérateurs. &exile - &exile + &exile - + &Move to &Aller + + + &Power / toughness + + CardZone @@ -1157,20 +1159,20 @@ Cette information sera consultable uniquement par les modérateurs. DBPriceUpdater - - - + + + Error Erreur - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1182,22 +1184,12 @@ Cette information sera consultable uniquement par les modérateurs.Activer le guide de &prix des cartes (source : blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Géneral @@ -1401,32 +1393,32 @@ Cette information sera consultable uniquement 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 @@ -1439,22 +1431,22 @@ Cette information sera consultable uniquement par les modérateurs.&Annuler - + Create game Créer partie - + Game information - + Error Erreur - + Server error. Erreur serveur. @@ -1760,9 +1752,9 @@ Cette information sera consultable uniquement par les modérateurs. DlgSettings - - - + + + Error Erreur @@ -1771,12 +1763,12 @@ Cette information sera consultable uniquement par les modérateurs.Votre base de carte est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1787,7 +1779,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1798,7 +1790,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1807,21 +1799,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1830,42 +1822,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Le chemin d'accès pour le répertoire de votre deck est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Le chemin d'accès pour le répertoire de vos images est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + Settings Paramètres - + General Géneral - + Appearance Apparence - + User interface Interface utilisateur - + Deck editor Editeur de deck - + Messages Messages @@ -1877,85 +1869,85 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games Parties - + &Filter games - + C&lear filter @@ -1973,17 +1965,17 @@ Would you like to change your database location setting? &Montrer toutes les parties - + C&reate C&réer - + &Join Re&joindre - + J&oin as spectator Rej&oindre en tant que spectateur @@ -1999,72 +1991,81 @@ Would you like to change your database location setting? GamesModel - + yes oui - + yes, free for spectators oui, libre pour les spectateurs - + no non - + buddies only invités uniquement - + reg. users only joueurs enregistrés uniquement - + not allowed non autorisé - + Room Salon - + + Game Created + + + + Description Description - + Creator Créateur - - Game type - Type de jeu + + Game Type + - + Game type + Type de jeu + + + Password Mot de passe - + Restrictions Restrictions - + Players Joueurs - + Spectators Spectateurs @@ -2072,92 +2073,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Français - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Choisir chemin d'accès - + Success - + Downloaded card pictures have been reset. - + Error Erreur - + One or more downloaded card pictures could not be cleared. - + Personal settings Paramètres personnels - + Language: Langue: - + Download card pictures on the fly Charger les images de cartes à la volée - + Download high-quality card pictures - + Paths Chemins - + Decks directory: Répertoire des decks: - + Replays directory: - + Pictures directory: Répertoire des images: - + Card database: - + Token database: @@ -3956,22 +3957,22 @@ La version la plus récente est %1, l'ancienne version est %2. MessagesSettingsPage - + Add message Ajouter message - + Message: Message: - + &Add &Ajouter - + &Remove &Enlever @@ -4037,533 +4038,538 @@ La version la plus récente est %1, l'ancienne version est %2. Player - + &View graveyard &Voir le cimetière - + &View exile &Voir la zone exil - + Player "%1" Joueur "%1" - + &Graveyard &Cimetière - + &Exile &Exil - - - + + + Move to &top of library Mettre au-dess&us de sa bibliothèque - - - + + + Move to &bottom of library Mettre en-dess&ous de sa bibliothèque - - + + Move to &graveyard Mettre dans son cime&tière - - + + Move to &exile Déplacer dans la zone &exil - - + + Move to &hand Mettre dans sa &main - + &View library &Voir la bibliothèque - + View &top cards of library... Voir les cartes du &dessus de la bibliothèque... - + Reveal &library to Révéler la &bibliothèque à - + Reveal t&op card to Révéler la carte du &dessus à - + &Always reveal top card - + O&pen deck in deck editor - + &View sideboard &Voir la réserve - + &Draw card &Piocher une carte - + D&raw cards... P&iocher plusieurs cartes... - + &Undo last draw Annu&ler dernière pioche - + Take &mulligan &Mulliganer - + &Shuffle Mél&anger - + Move top cards to &graveyard... Déplacer les cartes du dessus vers le &cimetière... - + Move top cards to &exile... Déplacer les cartes du dessus vers la zone &exil... - + Put top card on &bottom Mettre la carte du dessus en &dessous - + + Put bottom card &in graveyard + + + + &Hand &Main - + &Reveal to &Révéler à - + Reveal r&andom card to Révéler une carte au &hasard à - + &Sideboard Ré&serve - + &Library &Bibliothèque - + &Counters Mar&queurs - + &Untap all permanents Dé&gager tous les permanents - + R&oll die... Lancer un &dé... - + &Create token... &Créer un jeton... - + C&reate another token C&réer un autre jeton - + Cr&eate predefined token - + S&ay D&ire - + C&ard C&arte - + &All players &Tous les joueurs - + &Play &Jouer - + &Hide &Cacher - + &Tap &Engager - + &Untap &Dégager - + Toggle &normal untapping Activer/ Désactiver le dégagement &normal - + &Flip &Retourner la carte - + &Peek at card face - + &Clone &Copier une carte - + Ctrl+J - + Attac&h to card... - + Ctrl+A Ctrl+A - + Unattac&h Détac&her - + &Draw arrow... &Tracer une flèche... - + &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 - + yellow - + green - + &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 - + Ctrl+F3 Ctrl+F3 - + F3 F3 - + Ctrl+W Ctrl+W - + F4 F4 - + Ctrl+D Ctrl+D - + Ctrl+E Ctrl+E - + Ctrl+Shift+D Ctrl+Shift+D - + Ctrl+M Ctrl+M - + Ctrl+S Ctrl+S - + Ctrl+U Ctrl+U - + Ctrl+I Ctrl+I - + Ctrl+T Ctrl+T - + Ctrl+G Ctrl+G - + View top cards of library Voir les cartes du dessus de la bibliothèque - + Number of cards: Nombre de cartes: - + Draw cards Piocher plusieurs cartes - - - - + + + + Number: Nombre: - + Move top cards to grave Mettre les cartes du dessus dans le cimetière - + Move top cards to exile Mettre les cartes du dessus dans la zone exil - + Roll die Lancer un dé - + Number of sides: Nombre de faces: - + Set power/toughness Fixer force/endurance - + Please enter the new PT: maybe better with / Entrer la nouvelle F/E: - + Set annotation Mettre une note - + Please enter the new annotation: Entrez la nouvelle note: - + Set counters Mettre des marqueurs @@ -4660,6 +4666,39 @@ La version la plus récente est %1, l'ancienne version est %2.Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4716,32 +4755,32 @@ La version la plus récente est %1, l'ancienne version est %2. RoomSelector - + Rooms Salons - + Joi&n &Rejoindre - + Room Salon - + Description Description - + Players Joueurs - + Games Parties @@ -4756,15 +4795,34 @@ La version la plus récente est %1, l'ancienne version est %2. SetsModel - Short name - Abréviation + Abréviation - + + Key + + + + + Set type + + + + + Set code + + + + Long name Nom complet + + + Release date + + ShutdownDialog @@ -4830,8 +4888,9 @@ La version la plus récente est %1, l'ancienne version est %2.Êtes-vous sûr de vouloir débloquer les fonctions d'administration? + Administration - Administration + Administration @@ -4860,97 +4919,96 @@ La version la plus récente est %1, l'ancienne version est %2.&Chercher... - + Show card text only - + &Clear search &Effacer la recherche - &Search for: - &Rechercher: + &Rechercher: - + Deck &name: &Nom du deck: - + &Comments: &Commentaires: - + Hash: - + Empreinte: - + &Update prices Mettre à &jour les prix - + Ctrl+U Ctrl+U - + &New deck &Nouveau deck - + &Load deck... Char&ger deck... - + &Save deck &Sauvegarder le deck - + Save deck &as... S&auvegarder le deck sous... - + Load deck from cl&ipboard... Charger deck depuis le presse-pap&ier... - + Save deck to clip&board Sauve&garder le deck dans le presse-papier - + &Print deck... Im&primer le deck... - + &Analyze deck on deckstats.net - + &Close &Fermer - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Ajouter carte au &deck @@ -4963,7 +5021,7 @@ La version la plus récente est %1, l'ancienne version est %2.Entrer - + Add card to &sideboard Ajouter carte à la ré&serve @@ -4976,99 +5034,99 @@ La version la plus récente est %1, l'ancienne version est %2.Ctrl+Enter - + &Remove row &Retirer la ligne - + Del Supprimer - + &Increment number &Augmenter quantité - + + + - + &Decrement number &Diminuer quantité - + - - - + &Deck editor Éditeur de &deck - + C&ard database - + &Edit sets... &Editer les editions... - + Edit &tokens... - + Deck: %1 - + Are you sure? Êtes-vous sûr? - + The decklist has been modified. Do you want to save the changes? Le deck a été modifié. Voulez vous enregistrer les modifications? - + Load deck Charger deck - - - + + + Error Erreur - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. Le deck n'a pas pu être enregistré. Vérifiez que le répertoire ne soit pas en lecture seule et réessayez. - + Save deck Sauvegarder le deck @@ -5158,8 +5216,9 @@ Entrez un nom s'il vous plaît: + Deck storage - Stockage de deck + Stockage de deck @@ -5407,6 +5466,11 @@ Entrez un nom s'il vous plaît: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -5452,15 +5516,17 @@ Entrez un nom s'il vous plaît: TabServer + Server - Serveur + Serveur TabUserLists + User lists - Listes de l'utilisateur + Listes de l'utilisateur @@ -5582,47 +5648,52 @@ Entrez un nom s'il vous plaît: UserInterfaceSettingsPage - + General interface settings Réglages généraux de l'interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Double cliquer sur la carte pour la jouer (au lieu d'un simple clic) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Réglage des animations - + &Tap/untap animation &Animation d'engagement et de dégagement - + Enable &sounds Activer &sons - + Path to sounds directory: Chemin vers le fichier sons: - + + Test system sound engine + + + + Choose path Choisir fichier @@ -5720,12 +5791,10 @@ Entrez 0 pour une durée illimitée du ban. &Commentaires: - Hash: - Empreinte: + Empreinte: - &Update prices Mettre à &jour les prix @@ -5867,10 +5936,50 @@ Vérifiez que le répertoire ne soit pas en lecture seule et réessayez. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Editer les sets + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_gd.ts b/cockatrice/translations/cockatrice_gd.ts index e2a262e0..603687e4 100644 --- a/cockatrice/translations/cockatrice_gd.ts +++ b/cockatrice/translations/cockatrice_gd.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -325,7 +325,7 @@ This is only saved for moderators and cannot be seen by the banned person.&Copaig - + &Power / toughness @@ -346,7 +346,7 @@ This is only saved for moderators and cannot be seen by the banned person.uaine - + &Move to @@ -597,20 +597,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error Mearachd - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -618,22 +618,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Coitcheann @@ -831,32 +821,32 @@ 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 Amharcaiche @@ -869,22 +859,22 @@ This is only saved for moderators and cannot be seen by the banned person.&Sguir dheth - + Create game Cruthaich gaema - + Game information - + Error Mearachd - + Server error. Not sure if this is correct Mearachd Fhrithealaiche. @@ -1192,19 +1182,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Mearachd - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1215,7 +1205,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1226,7 +1216,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1235,21 +1225,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1258,42 +1248,42 @@ Would you like to change your database location setting? - + 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 Roghainnean - + General Coitcheann - + Appearance Coltas - + User interface - + Deck editor - + Messages @@ -1305,100 +1295,100 @@ Would you like to change your database location setting? GameSelector - - - + + + Error Mearachd - + 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 Gabh pàirt ann an geama - + Password: Facal-faire: - + Please join the respective room first. - + Games Geamannan - + &Filter games - + C&lear filter - + C&reate - + &Join - + J&oin as spectator @@ -1414,72 +1404,77 @@ Would you like to change your database location setting? GamesModel - + yes tha - + yes, free for spectators - + no chan eil - + buddies only - + reg. users only - + not allowed - + + Game Created + + + + Description Tuairisgeul - + + Game Type + + + + Room Seòmar - + Creator Cruthadair - - Game type - - - - + Password Facal-faire - + Restrictions - + Players Cluicheadairean - + Spectators Amharcaiche @@ -1487,92 +1482,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Beurla - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path - + Success - + Downloaded card pictures have been reset. - + Error Mearachd - + One or more downloaded card pictures could not be cleared. - + Personal settings - + Language: Cànan: - + Download card pictures on the fly - + Download high-quality card pictures - + Paths - + Decks directory: - + Replays directory: - + Pictures directory: - + Card database: - + Token database: @@ -3050,22 +3045,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -3132,532 +3127,537 @@ Local version is %1, remote version is %2. Player - + &View graveyard - + &View exile - + Player "%1" Cluicheadair "%1" - + &Graveyard - + &Exile - - - - - Move to &top of library - - - - - - - Move to &bottom of library - - - - Move to &graveyard + + + 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 - + &Always reveal top card - + O&pen deck in deck editor - + &View sideboard - + &Draw card &Tarraing cairt - + D&raw cards... Ta&rraing cairtean... - + &Undo last draw - + Take &mulligan - + &Shuffle - + Move top cards to &graveyard... - + Move top cards to &exile... - + Put top card on &bottom - - - &Hand - &Làmh - - &Reveal to - - - - - Reveal r&andom card to + Put bottom card &in graveyard + &Hand + &Làmh + + + + &Reveal to + + + + + Reveal r&andom card to + + + + &Sideboard - + &Library &Leabhar-lann - + &Counters - + &Untap all permanents - + R&oll die... - + &Create token... - + C&reate another token - + Cr&eate predefined token - + S&ay - + C&ard C&airt - + &All players - + &Play - + &Hide Falaic&h - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip Dèan &flip - + &Peek at card face - + &Clone &Copaig - + Ctrl+J - + Attac&h to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &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... &Sgrìobh nòtachadh... - + red dearg - + yellow buidhe - + green uaine - + &Add counter (%1) - + &Remove counter (%1) - + &Set counters (%1)... - + &top of library - + &bottom of library - + &graveyard - + Ctrl+Del - + &exile - + 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 Tarraing cairtean - - - - + + + + Number: Àireamh: - + 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 Sgrìobh nòtachadh - + Please enter the new annotation: - + Set counters @@ -3679,6 +3679,39 @@ Local version is %1, remote version is %2. All files (*.*) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3734,32 +3767,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms Seòmaraichean - + Joi&n &Gabh pàirt - + Room Seòmar - + Description Tuairisgeul - + Players Cluicheadairean - + Games Geamannan @@ -3767,15 +3800,34 @@ Local version is %1, remote version is %2. SetsModel - Short name - Ainm goirid + Ainm goirid - + + Key + + + + + Set type + + + + + Set code + + + + Long name Anim fada + + + Release date + + ShutdownDialog @@ -3840,6 +3892,11 @@ Local version is %1, remote version is %2. Do you really want to unlock the administration functions? + + + Administration + + TabDeckEditor @@ -3848,197 +3905,192 @@ Local version is %1, remote version is %2. &Lorg... - + Show card text only - + &Clear search - - &Search for: - - - - + Deck &name: - + &Comments: - + Hash: - + &Update prices - + Ctrl+U - + &New deck - + &Load deck... - + &Save deck - + Save deck &as... - + Load deck from cl&ipboard... - + Save deck to clip&board - + &Print deck... - + &Analyze deck on deckstats.net - + &Close &Dùin - + Ctrl+Q - + Add card to &maindeck - + Add card to &sideboard - + &Remove row - + Del Del - + &Increment number - + + - + &Decrement number - + - - + &Deck editor - + C&ard database - + &Edit sets... - + Edit &tokens... - + Deck: %1 - + Are you sure? A bheil thu cinnteach? - + The decklist has been modified. Do you want to save the changes? - + Load deck - - - + + + Error Mearachd - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. - + Save deck @@ -4126,6 +4178,11 @@ Please enter a name: Delete remote deck + + + Deck storage + + TabGame @@ -4371,6 +4428,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4408,8 +4470,9 @@ Please enter a name: TabServer + Server - Fhrithealaiche + Fhrithealaiche @@ -4424,6 +4487,11 @@ Please enter a name: Add to Ignore List + + + User lists + + UserContextMenu @@ -4530,47 +4598,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path @@ -4624,10 +4697,50 @@ Please enter a name: WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_it.ts b/cockatrice/translations/cockatrice_it.ts index bcaae287..8d542650 100644 --- a/cockatrice/translations/cockatrice_it.ts +++ b/cockatrice/translations/cockatrice_it.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Immagini di Sfondo @@ -62,86 +62,86 @@ Percorso sfondo retro delle carte: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Visualizzazione delle carte - + Display card names on cards having a picture Visualizza nome delle carte sulle immagini di esse - + Hand layout Layout della mano - + Display hand horizontally (wastes space) Disponi la mano orizzontalmente - + Table grid layout Griglia di layout - + Invert vertical coordinate Inverti le coordinate verticali - + Minimum player count for multi-column layout: Numero di giocatori minimo per layout multicolonna: - + Zone view layout Layout zona in vista - + Sort by name Ordina per nome - + Sort by type Ordina per tipo - - - - - + + + + + Choose path Seleziona percorso @@ -387,7 +387,7 @@ Questo è solo visibile ai moderatori e non alla persona bannata. &Disegna una freccia... - + &Power / toughness &Forza / Costituzione @@ -496,7 +496,7 @@ Questo è solo visibile ai moderatori e non alla persona bannata. &esilio - + &Move to &Metti in @@ -937,20 +937,20 @@ Questo è solo visibile ai moderatori e non alla persona bannata. DBPriceUpdater - - - + + + Error Errore - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -962,22 +962,12 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Abilita la &ricerca del costo (utilizzando i dati di blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Generale @@ -1174,32 +1164,32 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Solo &utenti registrati possono entrare - + Joining restrictions Restrizioni d'ingresso - + &Spectators allowed &Spettatori ammessi - + 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 @@ -1212,22 +1202,22 @@ Questo è solo visibile ai moderatori e non alla persona bannata. &Annulla - + Create game Crea partita - + Game information Informazioni partita - + Error Errore - + Server error. Errore del server. @@ -1529,9 +1519,9 @@ Questo è solo visibile ai moderatori e non alla persona bannata. DlgSettings - - - + + + Error Errore @@ -1540,12 +1530,12 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Il tuo database è invalido. Vuoi tornare indietro e impostare il percorso corretto? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1556,7 +1546,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1567,7 +1557,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1576,21 +1566,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1599,42 +1589,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Il percorso della cartella del mazzo non è valido. Vuoi tornare in dietro e impostare il percorso corretto? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Il percorso della cartella delle immagini delle carte è invilido. Vuoi tornare indietro e impostare il percorso corretto? - + Settings Impostazioni - + General Generale - + Appearance Aspetto - + User interface Interfaccia - + Deck editor Editore di mazzi - + Messages Messaggi @@ -1646,85 +1636,85 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. Si prega di entrare nella rispettiva stanza prima. - + Games Partite - + &Filter games &Filtri partite - + C&lear filter E&limina filtri @@ -1737,17 +1727,17 @@ Would you like to change your database location setting? Visualizza le partite &iniziate - + C&reate Cr&ea - + &Join &Entra - + J&oin as spectator E&ntra come spettatore @@ -1763,72 +1753,81 @@ Would you like to change your database location setting? GamesModel - + yes - + yes, free for spectators sì, libero per gli spettatori - + no no - + buddies only solo amici - + reg. users only solo utenti registrati - + not allowed non ammessi - + + Game Created + + + + Description Descrizione - + + Game Type + + + + Room Stanza - + Creator Creatore - Game type - Formato di gioco + Formato di gioco - + Password Password - + Restrictions Restrizioni - + Players Giocatori - + Spectators Spettatori @@ -1836,92 +1835,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Italiano - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Seleziona il percorso - + Success - + Downloaded card pictures have been reset. - + Error Errore - + One or more downloaded card pictures could not be cleared. - + Personal settings Impostazioni personali - + Language: Lingua: - + Download card pictures on the fly Download immagini delle carte - + Download high-quality card pictures - + Paths Percorso - + Decks directory: Cartella mazzi: - + Replays directory: Cartella replay: - + Pictures directory: Cartella figure: - + Card database: - + Token database: @@ -3473,22 +3472,22 @@ La tua versione è la %1, la versione online è la %2. MessagesSettingsPage - + Add message Aggiungi messaggio - + Message: Messaggio: - + &Add &Aggiungi - + &Remove &Rimuovi @@ -3554,244 +3553,249 @@ La tua versione è la %1, la versione online è la %2. Player - + &View graveyard &Guarda cimitero - + &View exile &Guarda zona di esilio - + Player "%1" Giocatore "%1" - + &Graveyard &Cimitero - + &Exile &Esilio - - - + + + Move to &top of library Metti in &cima al mazzo - - - + + + Move to &bottom of library Metti in &fondo al mazzo - - + + Move to &graveyard Metti nel &cimitero - - + + Move to &exile Metti in &esilio - - + + Move to &hand Prendi in &mano - + &View library &Guarda mazzo - + View &top cards of library... Guarda &le prime carte del mazzo... - + Reveal &library to Rivela il &mazzo a - + Reveal t&op card to Revela le p&rime carte a - + &Always reveal top card Rivela &sempre la prima carta - + O&pen deck in deck editor A&pri mazzo nell'editore di mazzi - + &View sideboard &Guarda la sideboard - + &Draw card &Pesca una carta - + D&raw cards... P&esca carte... - + &Undo last draw &Annulla l'ultima pescata - + Take &mulligan Mu&lliga - + &Shuffle &Mischia - + Move top cards to &graveyard... Metti le prime carte nel &cimitero... - + Move top cards to &exile... Metti le prime carte in &esilio... - + Put top card on &bottom Metti la prima carta in &fondo - + + Put bottom card &in graveyard + + + + &Hand &Mano - + &Reveal to &Rivela a - + Reveal r&andom card to Rivela una carta a c&aso a - + &Sideboard &Sideboard - + &Library &Mazzo - + &Counters &Segnalini - + &Untap all permanents &Stappa tutti i permanenti - + R&oll die... L&ancia un dado... - + &Create token... &Crea una pedina... - + C&reate another token C&rea un'altra pedina - + Cr&eate predefined token Cr&a pedina predefinita - + S&ay P&arla - + C&ard C&arta - + &All players &Tutti i giocatori - + &Play &Gioca - + &Hide &Nascondi - + &Tap &Tappa - + &Untap &Stappa - + Toggle &normal untapping Non &stappa normalmente - + &Flip &Gira - + &Peek at card face &Sbircia la faccia della carta - + &Clone &Copia @@ -3800,290 +3804,290 @@ La tua versione è la %1, la versione online è la %2. Ctrl+H - + Ctrl+J - + Attac&h to card... Attacc&a alla carta... - + Ctrl+A Ctrl+A - + Unattac&h Stacc&a - + &Draw arrow... &Disegna una freccia... - + &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 - + Ctrl+F3 Ctrl+F3 - + F3 F3 - + Ctrl+W Ctrl+W - + F4 F4 - + Ctrl+D Ctrl+D - + Ctrl+E Ctrl+E - + Ctrl+Shift+D Ctrl+Shift+D - + Ctrl+M Ctrl+M - + Ctrl+S Ctrl+S - + Ctrl+U Ctrl+U - + Ctrl+I Ctrl+I - + Ctrl+T Ctrl+T - + Ctrl+G Ctrl+G - + View top cards of library Guarda le prima carte del grimorio - + Number of cards: Numero di carte: - + Draw cards Pesca carte - - - - + + + + Number: Numero: - + Move top cards to grave Metti le prima carte nel cimitero - + Move top cards to exile Metti le prime carte in esilio - + Roll die Lancia un dado - + Number of sides: Numero di facce: - + Set power/toughness Imposta forza/costituzione - + Please enter the new PT: Inserisci la nuova FC: - + Set annotation Imposta annotazione - + Please enter the new annotation: Inserisci le nuove annotazioni: - + Set counters Imposta i segnalini @@ -4160,6 +4164,39 @@ La tua versione è la %1, la versione online è la %2. Cockatrice replays (*.cor) Replay di Cockatrice (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4215,32 +4252,32 @@ La tua versione è la %1, la versione online è la %2. RoomSelector - + Rooms Stanze - + Joi&n E&ntra - + Room Stanza - + Description Descrizione - + Players Giocatori - + Games Partite @@ -4248,15 +4285,34 @@ La tua versione è la %1, la versione online è la %2. SetsModel - Short name - Nome corto + Nome corto - + + Key + + + + + Set type + + + + + Set code + + + + Long name Nome lungo + + + Release date + + ShutdownDialog @@ -4322,8 +4378,9 @@ La tua versione è la %1, la versione online è la %2. Vuoi veramente sbloccare le funzioni da amministratore? + Administration - Amministrazione + Amministrazione @@ -4333,97 +4390,96 @@ La tua versione è la %1, la versione online è la %2. &Cerca... - + Show card text only - + &Clear search &Annulla ricerca - &Search for: - &Cerca per: + &Cerca per: - + Deck &name: &Nome mazzo: - + &Comments: &Commenti: - + Hash: Hash: - + &Update prices &Aggiorna prezzo - + Ctrl+U Ctrl+U - + &New deck &Nuovo mazzo - + &Load deck... &Carica mazzo... - + &Save deck &Salva mazzo - + Save deck &as... Salva mazzo &con nome... - + Load deck from cl&ipboard... Carica mazzo dagli app&unti... - + Save deck to clip&board Salva mazzo nei app&unti - + &Print deck... &Stampa mazzo... - + &Analyze deck on deckstats.net &Analizza il mazzo con deckstats.net - + &Close &Chiudi - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Aggiungi carta al &grimorio @@ -4436,7 +4492,7 @@ La tua versione è la %1, la versione online è la %2. Invio - + Add card to &sideboard Aggiungi carta al &sideboard @@ -4449,99 +4505,99 @@ La tua versione è la %1, la versione online è la %2. Ctrl+Invio - + &Remove row &Rimuovi carta - + Del Elimina - + &Increment number &Aumenta il numero - + + + - + &Decrement number &Diminuisci il numero - + - - - + &Deck editor &Editore di mazzi - + C&ard database Database delle C&arte - + &Edit sets... &Modifica impostazioni... - + Edit &tokens... Modifica &pedine... - + Deck: %1 Mazzo: %1 - + Are you sure? Sei sicuro? - + The decklist has been modified. Do you want to save the changes? La lista del mazzo è stata modificata. Vuoi salvare i cambiamenti? - + Load deck Carica mazzo - - - + + + Error Errore - + The deck could not be saved. Il mazzo non può essere salvato. - - + + The deck could not be saved. Please check that the directory is writable and try again. Il mazzo non può essere salvato. Controlla se la cartella è valida e prova ancora. - + Save deck Salva mazzo @@ -4630,8 +4686,9 @@ Please enter a name: Elimina deck remoto + Deck storage - Cartella mazzi + Cartella mazzi @@ -4879,8 +4936,9 @@ Please enter a name: Sei sicuro di voler eliminare il replay della partita %1? + Game replays - Replay partite + Replay partite @@ -4919,15 +4977,17 @@ Please enter a name: TabServer + Server - Server + Server TabUserLists + User lists - Lista utenti + Lista utenti @@ -5044,47 +5104,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Impostazioni di interfaccia generale - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Doppio click sulle carte per giocarle (disabilitato un solo click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Impostazioni di animazione - + &Tap/untap animation Animazioni &Tappa/Stappa - + Enable &sounds Attiva &suoni - + Path to sounds directory: Percorso cartella suoni: - + + Test system sound engine + + + + Choose path Seleziona percorso @@ -5310,10 +5375,50 @@ Controlla se la cartella è valida e prova ancora. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Modifica impostazioni + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_ja.ts b/cockatrice/translations/cockatrice_ja.ts index 388dfb50..019a8305 100644 --- a/cockatrice/translations/cockatrice_ja.ts +++ b/cockatrice/translations/cockatrice_ja.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures 背景画像の設定 @@ -62,28 +62,28 @@ カード背面画像へのパス: - + Card rendering カードレンダリング - + Display card names on cards having a picture やや不明 画像持ちカードのカードネームを表示する - + Hand layout 手札のレイアウト - + Display hand horizontally (wastes space) 手札を横に並べる(スペースを消費します) - + Table grid layout テーブルグリッドのレイアウト @@ -92,61 +92,61 @@ 省スペースレイアウト(カード間間隔を細かくできます) - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate 垂直反転調整 - + Minimum player count for multi-column layout: - + Zone view layout ゾーンビューレイアウト - + Sort by name 名前で整列 - + Sort by type タイプで整列 - - - - - + + + + + Choose path 画像の指定 @@ -392,7 +392,7 @@ This is only saved for moderators and cannot be seen by the banned person.矢印を指定 - + &Power / toughness パワー / タフネス @@ -469,7 +469,7 @@ This is only saved for moderators and cannot be seen by the banned person.追放領域へ - + &Move to 移動させる @@ -758,20 +758,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error エラー - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -783,22 +783,12 @@ This is only saved for moderators and cannot be seen by the banned person.価格タグを表示可能に(blacklotusproject.comからのデータを使用) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General 全般 @@ -987,52 +977,52 @@ 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 観戦者 - + Create game 部屋を作る - + Game information - + Error エラー - + Server error. サーバーエラー. @@ -1306,9 +1296,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error エラー @@ -1317,12 +1307,12 @@ This is only saved for moderators and cannot be seen by the banned person.あなたのカードデータベースは無効です.前に戻って正しいパスを設定してください. - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1333,7 +1323,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1344,7 +1334,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1353,21 +1343,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1376,42 +1366,42 @@ Would you like to change your database location setting? - + 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 メッセージ @@ -1419,95 +1409,95 @@ Would you like to change your database location setting? 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: パスワード: - + Please join the respective room first. - + Games ゲーム - + &Filter games - + C&lear filter @@ -1528,7 +1518,7 @@ Would you like to change your database location setting? 全てのゲームを見る - + J&oin as spectator 観戦者として参加 @@ -1544,72 +1534,81 @@ Would you like to change your database location setting? GamesModel - + yes あり - + no なし - + + Game Created + + + + Creator 作成者 - + Description 説明 - + yes, free for spectators あり,観戦は自由 - + buddies only フレンドのみ - + reg. users only 登録済みユーザーのみ - + not allowed 不許可 - + Room 部屋 - - Game type - ゲームタイプ + + Game Type + - + Game type + ゲームタイプ + + + Password パスワード - + Restrictions 制限 - + Players プレイヤー - + Spectators 観戦者 @@ -1617,86 +1616,86 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path パスを選択 - + Success - + Downloaded card pictures have been reset. - + Error エラー - + One or more downloaded card pictures could not be cleared. - + Personal settings 個人設定 - + Language: 言語: - + Download card pictures on the fly - + Download high-quality card pictures - + Paths パス - + Decks directory: デッキディレクトリ: - + Replays directory: - + Pictures directory: カード画像のディレクトリ: - + Card database: - + Token database: @@ -1705,8 +1704,8 @@ Would you like to change your database location setting? カードデータベースのパス: - - + + English Japanese @@ -3238,22 +3237,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + &Add 追加 - + &Remove 削除 - + Add message メッセージを追加する - + Message: メッセージ: @@ -3319,532 +3318,537 @@ Local version is %1, remote version is %2. Player - - - + + + Move to &top of library ライブラリーの一番上へ移動 - - - + + + Move to &bottom of library ライブラリーの一番下へ移動 - - + + Move to &graveyard 墓地へ移動 - + &View library ライブラリーを見る - + Reveal &library to ライブラリーを公開する - + Reveal t&op card to 一番上のカードを公開する - + Move top cards to &graveyard... カードを上から墓地へ置く... - + Ctrl+J - + F3 - + View &top cards of library... ライブラリーのカードを上からX枚見る - + &View graveyard 墓地を見る - + F4 - + &View sideboard サイドボードを見る - + Player "%1" プレイヤー "%1" - + &Hand 手札 - + &Library ライブラリー - + &Graveyard 墓地 - + &Sideboard サイドボード - + View top cards of library ライブラリーのカードを上からX枚見る - + Number of cards: カードの枚数: - + &Draw card カードを引く - + &View exile 追放領域を見る - + &Exile 追放領域 - - + + Move to &hand 手札に移動する - - + + Move to &exile 追放領域へ移動する - + Ctrl+W - + Ctrl+D - + D&raw cards... カードをX枚引く - + Ctrl+E - + Take &mulligan マリガンする - + Ctrl+M - + &Shuffle シャッフル - + Ctrl+S - + &Counters カウンター - + &Untap all permanents 全てのパーマネントをアンタップする - + Ctrl+U - + R&oll die... X面ダイスを振る - + Ctrl+I - + &Create token... トークンを作成する - + Ctrl+T - + C&reate another token 同じトークンを作成する - + Ctrl+G - + S&ay 発言する - + &Always reveal top card - + O&pen deck in deck editor - + &Undo last draw 最後のドローを取り消す - + Move top cards to &exile... ライブラリーの一番上からX枚追放する - + Put top card on &bottom 一番上のカードを一番下に置く + Put bottom card &in graveyard + + + + &Reveal to 公開する - + Reveal r&andom card to ランダムに公開する - + Cr&eate predefined token - + C&ard カード - + &All players 全てのプレイヤー - + &Play プレイ - + &Hide 裏にしてプレイ - + &Tap タップ - + &Untap アンタップ - + Toggle &normal untapping 通常のアンタップをしない - + &Flip 裏にする - + &Peek at card face - + &Clone 複製する - + Attac&h to card... - + Ctrl+A - + Unattac&h 取り外す - + &Draw arrow... 矢印を指定 - + &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 追放領域へ - + Ctrl+F3 - + Ctrl+Shift+D - + Draw cards カードを引く - - - - + + + + Number: 枚数 - + Move top cards to grave ライブラリーのトップからX枚墓地へ置く - + Move top cards to exile ライブラリーのトップからX枚追放領域へ置く - + Roll die ダイスを振る - + Number of sides: 面の数: - + Set power/toughness パワーとタフネスを設定する - + Please enter the new PT: 新しいP/Tを入力してください - + Set annotation 補足を付ける - + Please enter the new annotation: 新しい補足を付けてください - + Set counters カウンターを設定する @@ -3925,6 +3929,39 @@ Local version is %1, remote version is %2. Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3980,32 +4017,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms 部屋 - + Joi&n 参加する - + Room 部屋 - + Description 説明 - + Players プレイヤー - + Games ゲーム @@ -4020,15 +4057,34 @@ Local version is %1, remote version is %2. SetsModel - Short name - 略語 + 略語 - + + Key + + + + + Set type + + + + + Set code + + + + Long name 正式名称 + + + Release date + + ShutdownDialog @@ -4094,8 +4150,9 @@ Local version is %1, remote version is %2. 本当に管理機能をアンロックしますか? + Administration - 管理者 + 管理者 @@ -4124,197 +4181,196 @@ Local version is %1, remote version is %2. 検索... - + Show card text only - + &Clear search 検索を解除 - &Search for: - 検索: + 検索: - + Deck &name: デッキ名: - + &Comments: コメント: - + Hash: ハッシュ: - + &Update prices 価格を更新する - + Ctrl+U - + &New deck 新しいデッキ - + &Load deck... デッキをロード... - + &Save deck デッキを保存 - + Save deck &as... 名前を付けてデッキを保存... - + Load deck from cl&ipboard... クリップボードからデッキをロード... - + Save deck to clip&board クリップボードにデッキを保存 - + &Print deck... デッキを印刷... - + &Analyze deck on deckstats.net - + &Close 閉じる - + Ctrl+Q - + Add card to &maindeck メインデッキにカードを加える - + Add card to &sideboard サイドボードにカードを加える - + &Remove row 全て取り除く - + Del - + &Increment number 枚数を増やす - + + - + &Decrement number 枚数を減らす - + - - + &Deck editor デッキエディター - + C&ard database - + &Edit sets... セットの設定... - + Edit &tokens... - + Deck: %1 - + Are you sure? - + The decklist has been modified. Do you want to save the changes? このデッキリストは変更されています.変更を保存しますか? - + Load deck デッキをロード - - - + + + Error エラー - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. このデッキは保存されていません. ディレクトリをチェックして再度上書きしてください. - + Save deck デッキを保存 @@ -4403,8 +4459,9 @@ Please enter a name: + Deck storage - デッキストレージ + デッキストレージ @@ -4651,6 +4708,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4696,15 +4758,17 @@ Please enter a name: TabServer + Server - サーバー + サーバー TabUserLists + User lists - ユーザーリスト + ユーザーリスト @@ -4825,47 +4889,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings インターフェース総合設定 - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) ダブルクリックでカードをプレイする(シングルクリックの代わり) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings アニメーション設定 - + &Tap/untap animation タップ/アンタップアニメーション - + Enable &sounds サウンドを許可 - + Path to sounds directory: サウンドディレクトリへのパス: - + + Test system sound engine + + + + Choose path パスを選ぶ @@ -5067,10 +5136,50 @@ Do you want to save the changes? WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets セットの設定 + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_pl.ts b/cockatrice/translations/cockatrice_pl.ts index a47a06a7..0aa1556c 100644 --- a/cockatrice/translations/cockatrice_pl.ts +++ b/cockatrice/translations/cockatrice_pl.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 Sortuj według nazwy - + Sort by type Sortuj według typu - - - - - + + + + + Choose path Wybierz ścieżkę @@ -360,7 +360,7 @@ This is only saved for moderators and cannot be seen by the banned person.&Narysuj strzałkę... - + &Power / toughness &Siła / Obrona @@ -397,7 +397,7 @@ This is only saved for moderators and cannot be seen by the banned person.Alt+- - + &Move to @@ -648,20 +648,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error Błąd - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -673,22 +673,12 @@ This is only saved for moderators and cannot be seen by the banned person.Włącz oznaczenia &ceny (korzystając z danych z blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Ogólne @@ -877,32 +867,32 @@ This is only saved for moderators and cannot be seen by the banned person.Tylko dla &zarejestrowanych użytkowników - + Joining restrictions Ograniczenia dostępu - + &Spectators allowed &Widzowie dozwoleni - + Spectators &need a password to join Widzowie potrzebują h&asła - + Spectators can &chat Widzowie mogą korzystać z &czatu - + Spectators see &everything Widzowie widzą w&szystko - + Spectators Widzowie @@ -915,22 +905,22 @@ This is only saved for moderators and cannot be seen by the banned person.A&nuluj - + Create game Stwórz grę - + Game information - + Error Błąd - + Server error. Błąd serwera. @@ -1228,19 +1218,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Błąd - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1251,7 +1241,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1262,7 +1252,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1271,21 +1261,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1294,42 +1284,42 @@ Would you like to change your database location setting? - + 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 Ogólne - + Appearance - + User interface - + Deck editor - + Messages @@ -1337,100 +1327,100 @@ Would you like to change your database location setting? GameSelector - - - + + + Error Błąd - + 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: - + Please join the respective room first. - + Games - + &Filter games - + C&lear filter - + C&reate - + &Join - + J&oin as spectator @@ -1446,72 +1436,81 @@ Would you like to change your database location setting? GamesModel - + yes tak - + yes, free for spectators tak, widzowie nie potrzebują hasła - + no tak - + buddies only tylko przyjaciele - + reg. users only tylko zarejestrowani użytkownicy - + not allowed niedozwoleni - + Room Pokój - + + Game Created + + + + Description Opis - + Creator Twórca - - Game type - Format + + Game Type + - + Game type + Format + + + Password Hasło - + Restrictions Ograniczenia - + Players Gracze - + Spectators Widzowie @@ -1519,92 +1518,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Polski - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Wybierz ścieżkę - + Success - + Downloaded card pictures have been reset. - + Error Błąd - + One or more downloaded card pictures could not be cleared. - + Personal settings Ustawienia osobiste - + Language: Język: - + Download card pictures on the fly Ściągaj obrazki na bieżąco - + Download high-quality card pictures - + Paths Ścieżki - + Decks directory: Katalog z taliami: - + Replays directory: - + Pictures directory: Katalog z obrazkami: - + Card database: - + Token database: @@ -3110,22 +3109,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message Dodaj wiadomość - + Message: Wiadomość: - + &Add &Dodaj - + &Remove &Usuń @@ -3192,246 +3191,251 @@ Local version is %1, remote version is %2. Player - + &View graveyard &Pokaż cmentarz - + &View exile - + Player "%1" Translated as nominative, need to see in context. Gracz "%1" - + &Graveyard Nominative again. &Cmentarz - + &Exile - - - - - Move to &top of library - - - - - - - Move to &bottom of library - - - - Move to &graveyard + + + 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 - + &Always reveal top card - + O&pen deck in deck editor - + &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 + Put bottom card &in graveyard - &Sideboard + &Hand - &Library + &Reveal to - &Counters + Reveal r&andom card to + + + + + &Sideboard - &Untap all permanents + &Library - R&oll die... - - - - - &Create token... + &Counters - C&reate another token + &Untap all permanents - Cr&eate predefined token + R&oll die... + &Create token... + + + + + C&reate another token + + + + + Cr&eate predefined token + + + + S&ay - + C&ard - + &All players - + &Play &Zagraj - + &Hide &Ukryj - + &Tap &Tapuj - + &Untap &Odtapuj - + Toggle &normal untapping Zmień &normalne odtapowywanie - + &Flip &Odwróć - + &Peek at card face - + &Clone &Kopiuj @@ -3440,290 +3444,290 @@ Local version is %1, remote version is %2. Ctrl+H - + Ctrl+J - + Attac&h to card... - + Ctrl+A Ctrl+A - + Unattac&h &Odłącz - + &Draw arrow... &Narysuj strzałkę... - + &Increase power Zwiększ &Atak - + Ctrl++ Ctrl++ - + &Decrease power Zmniejsz A&tak - + Ctrl+- Ctrl+- - + I&ncrease toughness Zwiększ &Obronę - + Alt++ Alt++ - + D&ecrease toughness Zmniejsz O&bronę - + Alt+- Alt+- - + In&crease power and toughness - + Ctrl+Alt++ - + Dec&rease power and toughness - + Ctrl+Alt+- - + Set &power and toughness... - + Ctrl+P - + &Set annotation... - + red czerwony - + yellow - + green zielony - + &Add counter (%1) - + &Remove counter (%1) - + &Set counters (%1)... - + &top of library - + &bottom of library - + &graveyard - + Ctrl+Del - + &exile - + Ctrl+F3 - + F3 F3 - + Ctrl+W - + F4 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 @@ -3745,6 +3749,39 @@ Local version is %1, remote version is %2. All files (*.*) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3800,32 +3837,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms - + Joi&n - + Room Pokój - + Description Opis - + Players Gracze - + Games @@ -3833,14 +3870,33 @@ Local version is %1, remote version is %2. SetsModel - Short name + Krótka nazwa + + + + Key + + + + + Set type + + + + + Set code + + + + + Long name Krótka nazwa - - Long name - Krótka nazwa + + Release date + @@ -3898,201 +3954,201 @@ Local version is %1, remote version is %2. Do you really want to unlock the administration functions? + + + Administration + + TabDeckEditor - + &Print deck... - + &Close - + Ctrl+Q - + &Edit sets... - + &Clear search - - &Search for: - - - - + Deck &name: - + &Comments: - + Hash: - + &Update prices - + Ctrl+U - + &New deck - + &Load deck... - + &Save deck - + Save deck &as... - + Load deck from cl&ipboard... - + Save deck to clip&board - + &Analyze deck on deckstats.net - + Add card to &maindeck - + Add card to &sideboard - + Show card text only - + &Remove row - + Del - + &Increment number - + + - + &Decrement number - + - - + &Deck editor - + C&ard database - + Edit &tokens... - + Deck: %1 - + Are you sure? Jesteś pewien? - + The decklist has been modified. Do you want to save the changes? - + Load deck - - - + + + Error Błąd - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. - + Save deck @@ -4184,6 +4240,11 @@ Please enter a name: Name of new folder: Nazwa nowego folderu: + + + Deck storage + + TabGame @@ -4421,6 +4482,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4458,15 +4524,17 @@ Please enter a name: TabServer + Server - Serwer + Serwer TabUserLists + User lists - Lista użytkowników + Lista użytkowników @@ -4583,47 +4651,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path Wybierz ścieżkę @@ -4690,10 +4763,50 @@ Please enter a name: WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Edytuj edycje + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_pt-br.ts b/cockatrice/translations/cockatrice_pt-br.ts index ebc3ba18..a1f38f07 100644 --- a/cockatrice/translations/cockatrice_pt-br.ts +++ b/cockatrice/translations/cockatrice_pt-br.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Imagens de fundo das zonas @@ -62,27 +62,27 @@ Caminho para a imagem do verso dos cards: - + Card rendering Renderização do card - + Display card names on cards having a picture Mostrar o nome dos cards nos cards que tem imagem - + Hand layout Layout da mão - + Display hand horizontally (wastes space) Mostrar a mão na horizontal (desperdiça espaço) - + Table grid layout Layout do campo de batalha @@ -91,61 +91,61 @@ Layout econômico - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate Inverter a coordenada vertical - + Minimum player count for multi-column layout: - + Zone view layout Layout de vista da zona - + Sort by name Ordenar por nome - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Escolher caminho @@ -390,7 +390,7 @@ This is only saved for moderators and cannot be seen by the banned person.Alterar &P/R... - + &Power / toughness Po&der / resistência @@ -499,7 +499,7 @@ This is only saved for moderators and cannot be seen by the banned person.&exílio - + &Move to Mo&ver para @@ -1100,20 +1100,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error Erro - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1121,22 +1121,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Geral @@ -1340,32 +1330,32 @@ 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 @@ -1378,22 +1368,22 @@ This is only saved for moderators and cannot be seen by the banned person.&Cancelar - + Create game Criar jogo - + Game information - + Error Erro - + Server error. Erro do servidor. @@ -1699,9 +1689,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Erro @@ -1710,12 +1700,12 @@ This is only saved for moderators and cannot be seen by the banned person.O seu banco de dados de cards é inválido. Você gostaria de voltar e corrigir o caminho? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1726,7 +1716,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1737,7 +1727,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1746,21 +1736,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1769,42 +1759,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? O caminho para a sua pasta de decks é inválido. Você gostaria de voltar e corrigir o caminho? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? O caminho para a sua pasta de imagens de cards é inválido. Você gostaria de voltar e corrigir o caminho? - + Settings Configurações - + General Geral - + Appearance Aparência - + User interface Interface do usuário - + Deck editor - + Messages Mensagens @@ -1816,95 +1806,95 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games Jogos - + &Filter games - + C&lear filter @@ -1917,7 +1907,7 @@ Would you like to change your database location setting? &Mostrar os jogos cheios - + J&oin as spectator E&ntrar como visitante @@ -1933,72 +1923,81 @@ Would you like to change your database location setting? GamesModel - + yes sim - + no não - + + Game Created + + + + Creator Criador - + Description Descrição - + yes, free for spectators sim, livre para visitantes - + buddies only apenas amigos - + reg. users only usuários reg. apenas - + not allowed não permitidos - + Room Sala - - Game type - Tipo de jogo + + Game Type + - + Game type + Tipo de jogo + + + Password Senha - + Restrictions Restrições - + Players Jogadores - + Spectators Visitantes @@ -2006,86 +2005,86 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Escolher caminho - + Success - + Downloaded card pictures have been reset. - + Error Erro - + One or more downloaded card pictures could not be cleared. - + Personal settings Configurações pessoais - + Language: Língua: - + Download card pictures on the fly Baixar a imagem dos cards em tempo real - + Download high-quality card pictures - + Paths Caminhos - + Decks directory: Pasta de decks: - + Replays directory: - + Pictures directory: Pasta de imagens: - + Card database: - + Token database: @@ -2094,8 +2093,8 @@ Would you like to change your database location setting? Caminho para o banco de dados dos cards: - - + + English Português do Brasil @@ -3860,22 +3859,22 @@ A versão local é %1 e a versão remota é %2. MessagesSettingsPage - + &Add &Adicionar - + &Remove &Remover - + Add message Adicionar mensagem - + Message: Mensagem: @@ -3941,314 +3940,319 @@ A versão local é %1 e a versão remota é %2. Player - - - + + + Move to &top of library Mover para o &topo do grimório - - - + + + Move to &bottom of library Mover para o &fundo do grimório - - + + Move to &graveyard Mover para o &cemitério - + &View library &Ver grimório - + Reveal &library to Revelar o &grimório para - + Reveal t&op card to Revelar o card do t&opo para - + Move top cards to &graveyard... Mover os cards do topo para o ce&mitério... - + Ctrl+J - + F3 F3 - + View &top cards of library... Ver os cards do to&po do grimório... - + &View graveyard V&er cemitério - + F4 F4 - + &View sideboard &Ver sideboard - + Player "%1" Jogador "%1" - + &Hand &Mão - + &Library &Grimório - + &Graveyard &Cemitério - + &Sideboard &Sideboard - + View top cards of library Ver os cards do topo do grimório - + Number of cards: Número de cards: - + &Draw card Co&mprar card - + &View exile &Ver exílio - + &Exile &Exílio - - + + Move to &hand Mo&ver para a mão - - + + Move to &exile Mover para o &exílio - + Ctrl+W Ctrl+W - + Ctrl+D Ctrl+D - + D&raw cards... Comprar car&ds... - + Ctrl+E Ctrl+E - + Take &mulligan Pedir mu&lligan - + Ctrl+M Ctrl+M - + &Shuffle &Embaralhar - + Ctrl+S Ctrl+S - + &Counters &Marcadores - + &Untap all permanents Des&virar todos as permanentes - + Ctrl+U Ctrl+U - + R&oll die... &Jogar dado... - + Ctrl+I Ctrl+I - + &Create token... Criar fich&a... - + Ctrl+T Ctrl+T - + C&reate another token Criar &outra ficha - + Ctrl+G Ctrl+G - + S&ay &Falar - + &Always reveal top card - + O&pen deck in deck editor - + &Undo last draw Desfa&zer última compra - + Move top cards to &exile... Mover os cards do topo para o e&xílio... - + Put top card on &bottom Colocar o card do topo no &fundo + Put bottom card &in graveyard + + + + &Reveal to Re&velar para - + Reveal r&andom card to Revelar card alea&tório para - + Cr&eate predefined token - + C&ard C&ard - + &All players To&dos os jogadores - + &Play &Jogar - + &Hide &Ocultar - + &Tap &Virar - + &Untap &Desvirar - + Toggle &normal untapping &Trocar o modo de desvirar - + &Flip Virar a &face - + &Peek at card face - + &Clone Clo&nar @@ -4257,220 +4261,220 @@ A versão local é %1 e a versão remota é %2. Ctrl+H - + Attac&h to card... - + Ctrl+A Ctrl+A - + Unattac&h De&sanexar - + &Draw arrow... - + &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 - + yellow - + green - + &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 - + Ctrl+F3 Ctrl+F3 - + Ctrl+Shift+D Ctrl+Shift+D - + Draw cards Comprar cards - - - - + + + + Number: Número: - + Move top cards to grave Mover os cards do topo para o cemitério - + Move top cards to exile Mover os cards do topo para o exílio - + Roll die Jogar dado - + Number of sides: Número de lados: - + Set power/toughness Alterar poder/resistência - + Please enter the new PT: Por favor, entre com o novo P/R: - + Set annotation Alterar nota - + Please enter the new annotation: Por favor, entre com a nova nota: - + Set counters Alterar marcadores @@ -4567,6 +4571,39 @@ A versão local é %1 e a versão remota é %2. Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4622,32 +4659,32 @@ A versão local é %1 e a versão remota é %2. RoomSelector - + Rooms Salas - + Joi&n &Entrar - + Room Sala - + Description Descrição - + Players Jogadores - + Games Jogos @@ -4662,15 +4699,34 @@ A versão local é %1 e a versão remota é %2. SetsModel - Short name - Nome curto + Nome curto - + + Key + + + + + Set type + + + + + Set code + + + + Long name Nome longo + + + Release date + + ShutdownDialog @@ -4736,8 +4792,9 @@ A versão local é %1 e a versão remota é %2. Você quer mesmo desbloquear as funções do administrador? + Administration - Administração + Administração @@ -4766,97 +4823,96 @@ A versão local é %1 e a versão remota é %2. B&uscar... - + Show card text only - + &Clear search &Limpar busca - &Search for: - &Buscar por: + &Buscar por: - + Deck &name: Nome do &deck: - + &Comments: &Comentários: - + Hash: - + &Update prices - + Ctrl+U Ctrl+U - + &New deck &Novo deck - + &Load deck... &Abrir deck... - + &Save deck &Salvar deck - + Save deck &as... Salvar deck c&omo... - + Load deck from cl&ipboard... Carregar deck da área de &transferência... - + Save deck to clip&board Salvar deck para a área de t&ransferência - + &Print deck... &Imprimir deck... - + &Analyze deck on deckstats.net - + &Close &Fechar - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Incluir no deck &principal @@ -4869,7 +4925,7 @@ A versão local é %1 e a versão remota é %2. Enter - + Add card to &sideboard Incluir no side&board @@ -4882,99 +4938,99 @@ A versão local é %1 e a versão remota é %2. Ctrl+Enter - + &Remove row &Apagar linha - + Del Del - + &Increment number &Aumentar quantidade - + + + - + &Decrement number &Diminuir quantidade - + - - - + &Deck editor Editor de &decks - + C&ard database - + &Edit sets... E&ditar expansões... - + Edit &tokens... - + Deck: %1 - + Are you sure? Você tem certeza? - + The decklist has been modified. Do you want to save the changes? O deck foi modificado. Você deseja salvar as alterações? - + Load deck - - - + + + Error Erro - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. O deck não pôde ser salvo. Por favor, verifique se o diretório não é somente leitura e tente novamente. - + Save deck Salvar deck @@ -5064,8 +5120,9 @@ Por favor, entre um nome: + Deck storage - Armazenamento de decks + Armazenamento de decks @@ -5312,6 +5369,11 @@ Por favor, entre um nome: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -5357,15 +5419,17 @@ Por favor, entre um nome: TabServer + Server - Servidor + Servidor TabUserLists + User lists - Listas de usuários + Listas de usuários @@ -5486,47 +5550,52 @@ Por favor, entre um nome: UserInterfaceSettingsPage - + General interface settings Configurações gerais de interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Duplo clique nos cards para jogá-los (ao invés de clique simples) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Configurações de animação - + &Tap/untap animation Animação de &virar/desvirar - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path Escolher caminho @@ -5750,10 +5819,50 @@ Você deseja salvar as alterações? WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Editar expansões + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_pt.ts b/cockatrice/translations/cockatrice_pt.ts index e9a2c17f..0148ce61 100644 --- a/cockatrice/translations/cockatrice_pt.ts +++ b/cockatrice/translations/cockatrice_pt.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Zona das imagens de fundo @@ -62,27 +62,27 @@ Directório da imagem do verso da carta: - + Card rendering Rendering da carta - + Display card names on cards having a picture Mostrar o nome em cartas com imagem - + Hand layout Disposição da Mão - + Display hand horizontally (wastes space) Mostrar mão horizontalmente (desperdiça espaço) - + Table grid layout Esquema da mesa @@ -91,61 +91,61 @@ Esquema económico - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate Inverter coordenada vertical - + Minimum player count for multi-column layout: Número mínimo de kogadores para layout com múltiplas colunas: - + Zone view layout Distribuição da zona de vizualização - + Sort by name Ordenar por nome - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Escolher directório @@ -399,7 +399,7 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban Desen&har seta... - + &Power / toughness &Poder / resistência @@ -508,7 +508,7 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban &Exílio - + &Move to M&over para @@ -1159,20 +1159,20 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban DBPriceUpdater - - - + + + Error Erro - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1184,22 +1184,12 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban &Permitir função de tag de preços (utilizando informação de blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Geral @@ -1403,32 +1393,32 @@ 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 @@ -1441,22 +1431,22 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban &Cancelar - + Create game Criar jogo - + Game information Informação do jogo - + Error Erro - + Server error. Erro do servidor. @@ -1758,9 +1748,9 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban DlgSettings - - - + + + Error Erro @@ -1769,12 +1759,12 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban A sua base de dados é inválida. Gostaria de voltar atrás e corrigir o directório? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1785,7 +1775,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1796,7 +1786,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1805,21 +1795,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1828,42 +1818,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? O directório do seu deck é inválido. Gostaria de voltar atrás e corrigir o directório? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? O directório das imagens das cartas é inválido. Gostaria de voltar atrás e corrigir o directório? - + Settings Definições - + General Geral - + Appearance Aparência - + User interface Interface do utilizador - + Deck editor Editor de Decks - + Messages Mensagens @@ -1875,85 +1865,85 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. Por favor entre na sala respectiva primeiro. - + Games Jogos - + &Filter games &Filtrar jogos - + C&lear filter &Limpar filtros @@ -1970,17 +1960,17 @@ Would you like to change your database location setting? &Mostrar jogos cheios - + C&reate &Criar - + &Join &Entrar - + J&oin as spectator Entrar como &espectador @@ -1996,72 +1986,81 @@ Would you like to change your database location setting? GamesModel - + yes sim - + yes, free for spectators sim, livre para espectadores - + no não - + buddies only amigos apenas - + reg. users only utilizadores registados apenas - + not allowed não permitidos - + Room Sala - + + Game Created + + + + Description Descrição - + Creator Criador - - Game type - Tipo de jogo + + Game Type + - + Game type + Tipo de jogo + + + Password Password - + Restrictions Restrições - + Players Jogadores - + Spectators Espectadores @@ -2069,92 +2068,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Português - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Escolher directório - + Success - + Downloaded card pictures have been reset. - + Error Erro - + One or more downloaded card pictures could not be cleared. - + Personal settings Defenições pessoais - + Language: Língua: - + Download card pictures on the fly Baixar a imagem das cartas ao passar - + Download high-quality card pictures - + Paths Directórios - + Decks directory: Directório dos decks: - + Replays directory: Directório de replays: - + Pictures directory: Directório das imagens: - + Card database: - + Token database: @@ -3941,22 +3940,22 @@ Versão local é %1, versão remota é %2. MessagesSettingsPage - + Add message Adicionar mensagem - + Message: Mensagem: - + &Add &Adicionar - + &Remove &Remover @@ -4022,244 +4021,249 @@ Versão local é %1, versão remota é %2. Player - + &View graveyard &Ver cemitério - + &View exile &Ver exílio - + Player "%1" Jogador "%1" - + &Graveyard &Cemitério - + &Exile &Exílio - - - + + + Move to &top of library Mover para o &topo do grimório - - - + + + Move to &bottom of library Mover para o &fundo do grimório - - + + Move to &graveyard Mover para o &cemitério - - + + Move to &exile Mover para o &exílio - - + + Move to &hand Mover para a &mão - + &View library &Ver grimório - + View &top cards of library... Ver as cartas do &topo do grimório... - + Reveal &library to Revelar &grimório a - + Reveal t&op card to Revelar carta do t&opo a - + &Always reveal top card &Revelar sempre carta do topo - + O&pen deck in deck editor &Abrir deck no editor de decks - + &View sideboard &Ver sideboard - + &Draw card &Comprar carta - + D&raw cards... C&omprar cartas... - + &Undo last draw Desfa&zer a última compra - + Take &mulligan Fazer &mulligan - + &Shuffle &Baralhar - + Move top cards to &graveyard... Mover as cartas do topo para o &cemitério... - + Move top cards to &exile... Mover as cartas do topo para o &exílio... - + Put top card on &bottom Colocar carta do topo no &fundo - + + Put bottom card &in graveyard + + + + &Hand &Mão - + &Reveal to &Revelar a - + Reveal r&andom card to Revelar carta &aleatória a - + &Sideboard &Sideboard - + &Library &Grimório - + &Counters &Marcadores - + &Untap all permanents &Desvirar topas as permanentes - + R&oll die... &Lançar dado... - + &Create token... Criar fic&ha... - + C&reate another token Cr&iar outra ficha - + Cr&eate predefined token Criar fic&ha predefinida - + S&ay &Dizer - + C&ard C&arta - + &All players Todos os &jogadores - + &Play &Jogar - + &Hide Esco&nder - + &Tap &Virar - + &Untap Desv&irar - + Toggle &normal untapping A&lterar desvirar normalmente - + &Flip Vol&tar - + &Peek at card face &Espreitar a face da carta - + &Clone Copi&ar @@ -4268,290 +4272,290 @@ Versão local é %1, versão remota é %2. Ctrl+H - + Ctrl+J - + Attac&h to card... Ane&xar a carta... - + Ctrl+A Ctrl+A - + Unattac&h De&sanexar - + &Draw arrow... Desen&har seta... - + &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 - + Ctrl+F3 Ctrl+F3 - + F3 F3 - + Ctrl+W Ctrl+W - + F4 F4 - + Ctrl+D Ctrl+D - + Ctrl+E Ctrl+E - + Ctrl+Shift+D Ctrl+Shift+D - + Ctrl+M Ctrl+M - + Ctrl+S Ctrl+S - + Ctrl+U Ctrl+U - + Ctrl+I Ctrl+I - + Ctrl+T Ctrl+T - + Ctrl+G Ctrl+G - + View top cards of library Ver as cartas do topo do grimório - + Number of cards: Número de cartas: - + Draw cards Comprar cartas - - - - + + + + Number: Número: - + Move top cards to grave Mover as cartas to topo para o cemitério - + Move top cards to exile Mover as cartas to topo para o exílio - + Roll die Lançar dado - + Number of sides: Número de faces: - + Set power/toughness Definir poder/resistência - + Please enter the new PT: Por favor introduza o novo P/R: - + Set annotation Colocar nota - + Please enter the new annotation: Por favor introduza a nova nota: - + Set counters Definir marcadores @@ -4648,6 +4652,39 @@ Versão local é %1, versão remota é %2. Cockatrice replays (*.cor) Replays do Cockatrice (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4703,32 +4740,32 @@ Versão local é %1, versão remota é %2. RoomSelector - + Rooms Salas - + Joi&n E&ntrar - + Room Sala - + Description Descrição - + Players Jogadores - + Games Jogos @@ -4743,15 +4780,34 @@ Versão local é %1, versão remota é %2. SetsModel - Short name - Nome curto + Nome curto - + + Key + + + + + Set type + + + + + Set code + + + + Long name Nome longo + + + Release date + + ShutdownDialog @@ -4817,8 +4873,9 @@ Versão local é %1, versão remota é %2. Quer mesmo desbloquear as funçõesde administração? + Administration - Administração + Administração @@ -4847,97 +4904,96 @@ Versão local é %1, versão remota é %2. &Procurar... - + Show card text only - + &Clear search &Limpar pesquisa - &Search for: - &Procurar por: + &Procurar por: - + Deck &name: &Nome do deck: - + &Comments: &Comentários: - + Hash: Hash: - + &Update prices Actualizar pre&ços - + Ctrl+U Ctrl+U - + &New deck &Novo deck - + &Load deck... &Carregar deck... - + &Save deck &Guardar deck - + Save deck &as... G&uardar deck como... - + Load deck from cl&ipboard... Carregar dec&k da memória... - + Save deck to clip&board Guardar deck na &memória - + &Print deck... &Imprimir deck... - + &Analyze deck on deckstats.net Anali&zar o deck em deckstats.net - + &Close &Fechar - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Adicionar carta ao &maindeck @@ -4950,7 +5006,7 @@ Versão local é %1, versão remota é %2. Enter - + Add card to &sideboard Adicionar carta ao &sideboard @@ -4963,99 +5019,99 @@ Versão local é %1, versão remota é %2. Ctrl+Enter - + &Remove row &Remover linha - + Del Del - + &Increment number &Aumentar o número - + + + - + &Decrement number &Diminuir o número - + - - - + &Deck editor &Editor de decks - + C&ard database &Base de dados das cartas - + &Edit sets... &Editar expansões... - + Edit &tokens... Editar &fichas... - + Deck: %1 Deck:%1 - + Are you sure? Tem a certeza? - + The decklist has been modified. Do you want to save the changes? A lista foi modificada. Gostaria de guardar as alterações? - + Load deck Carregar deck - - - + + + Error Erro - + The deck could not be saved. O deck não pode ser guardado. - - + + The deck could not be saved. Please check that the directory is writable and try again. O deck não pode ser guardado. Por favor confirme se é possível escrever do directório e tente de novo. - + Save deck Guardar deck @@ -5145,8 +5201,9 @@ Por favor introduza um nome: Apagar deck remoto + Deck storage - Armazenamento de decks + Armazenamento de decks @@ -5394,8 +5451,9 @@ Por favor introduza um nome: Tem a certeza que deseja apagar o replay do jogo %1? + Game replays - Replays de jogos + Replays de jogos @@ -5442,15 +5500,17 @@ Por favor introduza um nome: TabServer + Server - Servidor + Servidor TabUserLists + User lists - Lista de utilizadores + Lista de utilizadores @@ -5571,47 +5631,52 @@ Por favor introduza um nome: UserInterfaceSettingsPage - + General interface settings Configurações gerais da interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) Clicar &duas vezes nas cartas para as jogar (ao invés de clicar apenas uma vez) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Configurações de Animações - + &Tap/untap animation Animação de &virar/desvirar - + Enable &sounds Permitir &sons - + Path to sounds directory: Caminho para o directório dos sons: - + + Test system sound engine + + + + Choose path Escolher directório @@ -5847,10 +5912,50 @@ Por favor confirme se é possível escrever do directório e tente de novo. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Editar expansões + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_ru.ts b/cockatrice/translations/cockatrice_ru.ts index 881b7093..87e6f4c1 100644 --- a/cockatrice/translations/cockatrice_ru.ts +++ b/cockatrice/translations/cockatrice_ru.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Фоновые изображения @@ -62,86 +62,86 @@ Рубашки карт: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 Выберите путь @@ -391,7 +391,7 @@ This is only saved for moderators and cannot be seen by the banned person.&Нарисовать стрелку... - + &Power / toughness &Сила / защита @@ -468,7 +468,7 @@ This is only saved for moderators and cannot be seen by the banned person.&Изгнать - + &Move to &Переместить... @@ -1069,20 +1069,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error Ошибка - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -1094,22 +1094,12 @@ This is only saved for moderators and cannot be seen by the banned person.Подписывать &цены (по данным blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Основные @@ -1306,32 +1296,32 @@ 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 Зрители @@ -1344,22 +1334,22 @@ This is only saved for moderators and cannot be seen by the banned person.&Отмена - + Create game Создать игру - + Game information - + Error Ошибка - + Server error. Ошибка сервера. @@ -1665,9 +1655,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Ошибка @@ -1676,12 +1666,12 @@ This is only saved for moderators and cannot be seen by the banned person.База карт не найдена. Вернуться и задать правильный путь? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1692,7 +1682,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1703,7 +1693,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1712,21 +1702,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1735,42 +1725,42 @@ Would you like to change your database location setting? - + 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 Сообщения @@ -1782,85 +1772,85 @@ Would you like to change your database location setting? 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: Пароль: - + Please join the respective room first. - + Games Игры - + &Filter games - + C&lear filter @@ -1873,17 +1863,17 @@ Would you like to change your database location setting? Показывать &текущие - + C&reate С&оздать - + &Join &Присоединиться - + J&oin as spectator П&рисоединиться как зритель @@ -1899,72 +1889,81 @@ Would you like to change your database location setting? GamesModel - + yes да - + yes, free for spectators да, свободно для зрителей - + no нет - + buddies only только свои - + reg. users only только зарег. - + not allowed Не допускаются - + Room Комната - + + Game Created + + + + Description Подпись - + Creator Создал - - Game type - Формат игры + + Game Type + - + Game type + Формат игры + + + Password Пароль - + Restrictions Ограничения - + Players Количество игроков - + Spectators Зрители @@ -1972,92 +1971,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Русский - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Путь - + Success - + Downloaded card pictures have been reset. - + Error Ошибка - + One or more downloaded card pictures could not be cleared. - + Personal settings Личные настройки - + Language: Язык: - + Download card pictures on the fly Загружать изображения карт на лету - + Download high-quality card pictures - + Paths Расположение - + Decks directory: Колоды: - + Replays directory: - + Pictures directory: Изображения карт: - + Card database: - + Token database: @@ -3847,22 +3846,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message Добавить сообщение - + Message: Сообщение: - + &Add &Добавить - + &Remove &Удалить @@ -3928,244 +3927,249 @@ Local version is %1, remote version is %2. Player - + &View graveyard &Посмотреть кладбище - + &View exile П&осмотреть изгнанные карты - + Player "%1" Игрок "%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 Показать верхние карты... - + &Always reveal top card - + O&pen deck in deck editor - + &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 Поместить верхн&юю карту на дно - + + Put bottom card &in graveyard + + + + &Hand Р&ука - + &Reveal to &Показать... - + Reveal r&andom card to Показать &случайную карту... - + &Sideboard &Сайд - + &Library &Библиотека - + &Counters &Жетоны - + &Untap all permanents &Развернуть все перманенты - + R&oll die... Бросить &кубик... - + &Create token... Создать &фишку... - + C&reate another token Создать &еще одну фишку - + Cr&eate predefined token - + S&ay Ска&зать - + C&ard Ка&рта - + &All players &Все игроки - + &Play &Разыграть - + &Hide &Cкрыть - + &Tap &Повернуть - + &Untap &Развернуть - + Toggle &normal untapping (Не) &Разворачивать как обычно - + &Flip &Рубашкой вверх (вниз) - + &Peek at card face - + &Clone &Клонировать @@ -4174,290 +4178,290 @@ Local version is %1, remote version is %2. Ctrl+H - + Ctrl+J - + Attac&h to card... - + Ctrl+A - + Unattac&h &Открепить - + &Draw arrow... &Нарисовать стрелку... - + &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 &Изгнать - + 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 Установить жетоны @@ -4546,6 +4550,39 @@ Local version is %1, remote version is %2. Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4601,32 +4638,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms Комнаты - + Joi&n &Присоединиться - + Room Комната - + Description Пометка - + Players Игроки - + Games Игры @@ -4634,15 +4671,34 @@ Local version is %1, remote version is %2. SetsModel - Short name - Краткое название + Краткое название - + + Key + + + + + Set type + + + + + Set code + + + + Long name Полное название + + + Release date + + ShutdownDialog @@ -4708,8 +4764,9 @@ Local version is %1, remote version is %2. Вы действительно хотите разблокировать административные права? + Administration - Администрирование + Администрирование @@ -4719,199 +4776,198 @@ Local version is %1, remote version is %2. &Поиск... - + Show card text only - + &Clear search &Очистить строку поиска - &Search for: - &Искать: + &Искать: - + Deck &name: &Название колоды: - + &Comments: Ко&мментарии: - + Hash: - + &Update prices &Обновить цены - + Ctrl+U Ctrl+U - + &New deck Новая коло&да - + &Load deck... &Загрузить колоду... - + &Save deck Со&хранить колоду - + Save deck &as... Сохранить колоду к&ак... - + Load deck from cl&ipboard... Взять колоду из &буфера... - + Save deck to clip&board Копировать колоду в бу&фер - + &Print deck... Пе&чать колоды... - + &Analyze deck on deckstats.net - + &Close &Закрыть - + Ctrl+Q Ctrl+Q - + Add card to &maindeck Добавить ме&йном - + Add card to &sideboard Добавить в са&йд - + &Remove row &Удалить строку - + Del - + &Increment number У&величить количество - + + - + &Decrement number У&меньшить количество - + - - + &Deck editor Редактор &колод - + C&ard database - + &Edit sets... Редактировать издани&я... - + Edit &tokens... - + Deck: %1 - + Are you sure? Вы уверены? - + The decklist has been modified. Do you want to save the changes? Деклист был отредактирован. Сохранить изменения? - + Load deck Загрузить колоду - - - + + + Error Ошибка - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. Колода не может быть сохранена. Убедитесь, что директория указана верно,а затем повторите попытку. - + Save deck Сохранить колоду @@ -5001,8 +5057,9 @@ Please enter a name: + Deck storage - Хранилище колод + Хранилище колод @@ -5249,6 +5306,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -5286,15 +5348,17 @@ Please enter a name: TabServer + Server - Сервер + Сервер TabUserLists + User lists - Панели пользователей + Панели пользователей @@ -5415,48 +5479,53 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Основные настройки интерфейса - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Двойной клик чтобы разыграть карту (вместо одинарного) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Настройки анимации - + &Tap/untap animation &Анимировать поворот/разворот карты - + Enable &sounds Yaaaaahoooo! All I needed for full happiness :) Вкючить &звуки - + Path to sounds directory: Путь к папке со звуками: - + + Test system sound engine + + + + Choose path Укажите путь @@ -5660,10 +5729,50 @@ Please check that the directory is writable and try again. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Редактировать издания + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_sk.ts b/cockatrice/translations/cockatrice_sk.ts index 7539da25..6b913a54 100644 --- a/cockatrice/translations/cockatrice_sk.ts +++ b/cockatrice/translations/cockatrice_sk.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -312,12 +312,12 @@ This is only saved for moderators and cannot be seen by the banned person. CardItem - + &Power / toughness - + &Move to @@ -568,20 +568,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -589,22 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General @@ -793,52 +783,52 @@ 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 - + Create game - + Game information - + Error - + Server error. @@ -1112,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1135,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1146,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1155,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1178,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1221,100 +1211,100 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games - + &Filter games - + C&lear filter - + C&reate - + &Join - + J&oin as spectator @@ -1330,72 +1320,77 @@ Would you like to change your database location setting? GamesModel - + yes - + yes, free for spectators - + no - + buddies only - + reg. users only - + not allowed - + Room - + + Game Created + + + + Description - + Creator - - Game type + + Game Type - + Password - + Restrictions - + Players - + Spectators @@ -1403,92 +1398,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path - + Success - + Downloaded card pictures have been reset. - + Error - + One or more downloaded card pictures could not be cleared. - + Personal settings - + Language: - + Download card pictures on the fly - + Download high-quality card pictures - + Paths - + Decks directory: - + Replays directory: - + Pictures directory: - + Card database: - + Token database: @@ -2978,22 +2973,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -3059,532 +3054,537 @@ Local version is %1, remote version is %2. Player - + &View graveyard - + &View exile - + Player "%1" - + &Graveyard - + &Exile - - - - - Move to &top of library - - - - - - - Move to &bottom of library - - - - Move to &graveyard + + + 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 - + &Always reveal top card - + O&pen deck in deck editor - + &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 + Put bottom card &in graveyard - &Sideboard + &Hand - &Library + &Reveal to - &Counters + Reveal r&andom card to + + + + + &Sideboard - &Untap all permanents + &Library - R&oll die... - - - - - &Create token... + &Counters - C&reate another token + &Untap all permanents - Cr&eate predefined token + R&oll die... + &Create token... + + + + + C&reate another token + + + + + Cr&eate predefined token + + + + S&ay - + C&ard - + &All players - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Peek at card face - + &Clone - + Ctrl+J - + Attac&h to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &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 - + 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 @@ -3606,6 +3606,39 @@ Local version is %1, remote version is %2. All files (*.*) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3661,32 +3694,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms - + Joi&n - + Room - + Description - + Players - + Games @@ -3694,15 +3727,30 @@ Local version is %1, remote version is %2. SetsModel - - Short name + + Key - + + Set type + + + + + Set code + + + + Long name + + + Release date + + ShutdownDialog @@ -3759,201 +3807,201 @@ Local version is %1, remote version is %2. Do you really want to unlock the administration functions? + + + Administration + + TabDeckEditor - + Show card text only - + &Clear search - - &Search for: - - - - + Deck &name: - + &Comments: - + Hash: - + &Update prices - + Ctrl+U - + &New deck - + &Load deck... - + &Save deck - + Save deck &as... - + Load deck from cl&ipboard... - + Save deck to clip&board - + &Print deck... - + &Analyze deck on deckstats.net - + &Close - + Ctrl+Q - + Add card to &maindeck - + Add card to &sideboard - + &Remove row - + Del - + &Increment number - + + - + &Decrement number - + - - + &Deck editor - + C&ard database - + &Edit sets... - + Edit &tokens... - + Deck: %1 - + Are you sure? - + The decklist has been modified. Do you want to save the changes? - + Load deck - - - + + + Error - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. - + Save deck @@ -4041,6 +4089,11 @@ Please enter a name: Delete remote deck + + + Deck storage + + TabGame @@ -4278,6 +4331,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4312,6 +4370,14 @@ Please enter a name: + + TabServer + + + Server + + + TabUserLists @@ -4324,6 +4390,11 @@ Please enter a name: Add to Ignore List + + + User lists + + UserContextMenu @@ -4429,47 +4500,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path @@ -4500,10 +4576,50 @@ Please enter a name: WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_sv.ts b/cockatrice/translations/cockatrice_sv.ts index 62e5378e..6252bb2a 100644 --- a/cockatrice/translations/cockatrice_sv.ts +++ b/cockatrice/translations/cockatrice_sv.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Zonbakgrundsbilder @@ -62,86 +62,86 @@ Sökväg till kortbaksidans bild: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Kortrendering - + Display card names on cards having a picture Visa kortnamn på kort som har bilder - + Hand layout Handlayout - + Display hand horizontally (wastes space) Visa hand horisontellt (slösar plats) - + Table grid layout Bordets rutnätlayout - + Invert vertical coordinate Invertera vertikal koordinat - + Minimum player count for multi-column layout: Minst antal spelare för multi-kolumnlayout: - + Zone view layout Zonvylayout - + Sort by name Sortera efter namn - + Sort by type Sortera efter typ - - - - - + + + + + Choose path Välj sökväg @@ -373,7 +373,7 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. &Rita pil... - + &Power / toughness Po&wer / toughness @@ -450,7 +450,7 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. e&xil - + &Move to Fl&ytta till @@ -901,20 +901,20 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. DBPriceUpdater - - - + + + Error Fel - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -926,22 +926,12 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. Aktivera &prislappsfunktionen (använder data från blacklotusproject.com) - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General Allmänt @@ -1138,32 +1128,32 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. Endast &registerade användare kan ansluta - + Joining restrictions Anslutingsbegränsningar - + &Spectators allowed &Åskådare tillåtna - + Spectators &need a password to join Åskådare &behöver ett lösenord för att ansluta - + Spectators can &chat Åskådare kan &chatta - + Spectators see &everything Åskådare kan s&e allt - + Spectators Åskådare @@ -1176,22 +1166,22 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. &Avbryt - + Create game Skapa spel - + Game information Spelinformation - + Error Fel - + Server error. Serverfel. @@ -1489,9 +1479,9 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. DlgSettings - - - + + + Error Fel @@ -1500,12 +1490,12 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. Din kortdatabas är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1516,7 +1506,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1527,7 +1517,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1536,21 +1526,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1559,42 +1549,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Sökvägen till din lekkatalog är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Sökvägen till din kortbildsdatabas är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + Settings Inställningar - + General Allmänt - + Appearance Utseende - + User interface Användargränssnitt - + Deck editor Lekredigeraren - + Messages Meddelanden @@ -1606,85 +1596,85 @@ Would you like to change your database location setting? GameSelector - - - + + + Error Fel - + Please join the appropriate room first. Vänligen anslut till det lämpliga rummet först. - + Wrong password. Fel lösenord. - + Spectators are not allowed in this game. Åskådare är ej tillåtna i detta spelet. - + The game is already full. Spelet är redan fullt. - + The game does not exist any more. Det här spelet finns inte längre. - + This game is only open to registered users. Det här spelet är bara öppet för registrerade användare. - + This game is only open to its creator's buddies. Det här spelet är bara öppet för skaparens vänner. - + You are being ignored by the creator of this game. Spelets skapare ignorerar dig. - + Join game Anslut till spel - + Password: Lösenord: - + Please join the respective room first. Vänligen anslut till respektive rum först. - + Games Spel - + &Filter games &Filtrera spel - + C&lear filter &Rensa filter @@ -1693,17 +1683,17 @@ Would you like to change your database location setting? Visa &otillgängliga spel - + C&reate &Skapa - + &Join &Anslut - + J&oin as spectator Anslut som &åskådare @@ -1719,72 +1709,81 @@ Would you like to change your database location setting? GamesModel - + yes ja - + yes, free for spectators ja, fritt för åskådare - + no nej - + buddies only endast vänner - + reg. users only endast reg. användare - + not allowed ej tillåtna - + + Game Created + + + + Description Beskrivning - + + Game Type + + + + Room Rum - + Creator Skapare - Game type - Speltyp + Speltyp - + Password Lösenord - + Restrictions Begränsningar - + Players Spelare - + Spectators Åskådare @@ -1792,92 +1791,92 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English Svenska - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path Välj sökväg - + Success - + Downloaded card pictures have been reset. - + Error Fel - + One or more downloaded card pictures could not be cleared. - + Personal settings Personliga inställningar - + Language: Språk: - + Download card pictures on the fly Ladda ner kortbilder på direkten - + Download high-quality card pictures - + Paths Sökvägar - + Decks directory: Lekkatalog: - + Replays directory: Repriskatalog: - + Pictures directory: Bildkatalog: - + Card database: - + Token database: @@ -3405,22 +3404,22 @@ Lokal version är %1, avlägsen version är %2. MessagesSettingsPage - + Add message Lägg till meddelande - + Message: Meddelande: - + &Add &Lägg till - + &Remove &Ta bort @@ -3486,532 +3485,537 @@ Lokal version är %1, avlägsen version är %2. Player - + &View graveyard &Titta på kyrkogård - + &View exile &Titta på exil - + Player "%1" Spelare "%1" - + &Graveyard &Kyrkogård - + &Exile &Exil - - - + + + Move to &top of library Placera &överst i leken - - - + + + Move to &bottom of library Placera &underst i leken - - + + Move to &graveyard Flytta till &kyrkogården - - + + Move to &exile Placera i &exil - - + + Move to &hand Placera i &hand - + &View library &Titta på leken - + View &top cards of library... Titta på de &översta korten i leken... - + Reveal &library to Visa &leken för - + Reveal t&op card to &Visa översta kortet för - + &Always reveal top card &Avslöja alltid det översta kortet - + O&pen deck in deck editor &Öppna lek i lekredigeraren - + &View sideboard &Titta på sidbrädan - + &Draw card &Dra kort - + D&raw cards... D&ra kort... - + &Undo last draw &Ångra senaste drag - + Take &mulligan &Mulligan - + &Shuffle &Blanda - + Move top cards to &graveyard... Flytta översta korten till &kyrkogården... - + Move top cards to &exile... Flytta översta korten till &exil... - + Put top card on &bottom Placera översta kortet &underst - + + Put bottom card &in graveyard + + + + &Hand &Hand - + &Reveal to &Visa för - + Reveal r&andom card to Visa slumpm&ässigt kort för - + &Sideboard S&idbräda - + &Library &Lek - + &Counters &Poletter - + &Untap all permanents Tappa upp alla perma&nenta kort - + R&oll die... Rulla t&ärning... - + &Create token... &Skapa jetong... - + C&reate another token S&kapa en till jetong - + Cr&eate predefined token Skapa fördefinierad &jetong - + S&ay S&äg - + C&ard K&ort - + &All players A&lla spelare - + &Play &Spela - + &Hide &Göm - + &Tap &Tappa - + &Untap Tappa &upp - + Toggle &normal untapping Växla &normal upptappning - + &Flip &Vänd - + &Peek at card face Kika på kort&framsida - + &Clone &Klona - + Ctrl+J - + Attac&h to card... &Fäst på kort... - + Ctrl+A - + Unattac&h Se&parera - + &Draw arrow... &Rita pil... - + &Increase power &Öka power - + Ctrl++ - + &Decrease power &Minska power - + Ctrl+- - + I&ncrease toughness Öka toug&hness - + Alt++ - + D&ecrease toughness Minska t&oughness - + Alt+- - + In&crease power and toughness Öka power o&ch toughness - + Ctrl+Alt++ - + Dec&rease power and toughness M&inska power och toughness - + Ctrl+Alt+- - + Set &power and toughness... An&ge power och toughness... - + Ctrl+P - + &Set annotation... Ang&e annotering... - + red röd - + yellow gul - + green grön - + &Add counter (%1) P&lacera polett (%1) - + &Remove counter (%1) Ta &bort polett (%1) - + &Set counters (%1)... Pl&acera poletter (%1)... - + &top of library &överst i leken - + &bottom of library &underst i leken - + &graveyard kyrkog&ård - + Ctrl+Del - + &exile e&xil - + 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 Titta på de översta korten i leken - + Number of cards: Antal kort: - + Draw cards Dra kort - - - - + + + + Number: Antal: - + Move top cards to grave Flytta översta korten till kyrkogården - + Move top cards to exile Flytta översta korten till exil - + Roll die Rulla tärning - + Number of sides: Antal sidor: - + Set power/toughness Ange power/toughness - + Please enter the new PT: Vänligen ange ny PT: - + Set annotation Ange annotering - + Please enter the new annotation: Vänligen ange den nya annoteringen: - + Set counters Placera poletter @@ -4080,6 +4084,39 @@ Lokal version är %1, avlägsen version är %2. Cockatrice replays (*.cor) Cockatricerepriser (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -4135,32 +4172,32 @@ Lokal version är %1, avlägsen version är %2. RoomSelector - + Rooms Rum - + Joi&n &Anslut - + Room Rum - + Description Beskrivning - + Players Spelare - + Games Spel @@ -4168,15 +4205,34 @@ Lokal version är %1, avlägsen version är %2. SetsModel - Short name - Kort namn + Kort namn - + + Key + + + + + Set type + + + + + Set code + + + + Long name Långt namna + + + Release date + + ShutdownDialog @@ -4242,8 +4298,9 @@ Lokal version är %1, avlägsen version är %2. Vill du verkligen låsa upp administrationsfunktionerna? + Administration - Administration + Administration @@ -4253,198 +4310,197 @@ Lokal version är %1, avlägsen version är %2. &Sök... - + Show card text only - + &Clear search &Rensa sökning - &Search for: - S&ök efter: + S&ök efter: - + Deck &name: &Leknamn: - + &Comments: &Kommentarer: - + Hash: Hash: - + &Update prices &Uppdatera priser - + Ctrl+U - + &New deck &Ny lek - + &Load deck... &Ladda lek... - + &Save deck S&para lek - + Save deck &as... Spa&ra lek som... - + Load deck from cl&ipboard... Ladda lek &från urklipp... - + Save deck to clip&board Spara lek som u&tklipp - + &Print deck... Skri&v ut lek... - + &Analyze deck on deckstats.net &Anslysera lek på deckstats.net - + &Close S&täng - + Ctrl+Q - + Add card to &maindeck Lägg till kort till &huvudlek - + Add card to &sideboard Lägg till kort i sidbr&äda - + &Remove row Ta bort ra&d - + Del - + &Increment number &Öka antal - + + - + &Decrement number &Minska antal - + - - + &Deck editor Lek&redigeraren - + C&ard database &Kortdatabas - + &Edit sets... Redigera utg&åvor... - + Edit &tokens... Redigera &jetonger... - + Deck: %1 Lek: %1 - + Are you sure? Är du säker? - + The decklist has been modified. Do you want to save the changes? Denna leklista har modifierats. Vill du spara ändringarna? - + Load deck Ladda lek - - - + + + Error Fel - + The deck could not be saved. Leken kunde inte sparas. - - + + The deck could not be saved. Please check that the directory is writable and try again. Leken kunde inte sparas. Vänligen se till att katalogen är skrivbar och försök igen. - + Save deck Spara lek @@ -4533,8 +4589,9 @@ Please enter a name: Radera avlägsen lek + Deck storage - Leklagring + Leklagring @@ -4782,8 +4839,9 @@ Please enter a name: Är du säker på att du vill radera reprisen av spel %1? + Game replays - Spelrepriser + Spelrepriser @@ -4822,15 +4880,17 @@ Please enter a name: TabServer + Server - Server + Server TabUserLists + User lists - Användarlistor + Användarlistor @@ -4947,47 +5007,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Allmänna gränssnittsinställningar - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Dubbelklicka på kort för att spela dem (istället för enkelklick) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animationsinställningar - + &Tap/untap animation &Tappnings/Upptappningsanimation - + Enable &sounds Aktivera &ljud - + Path to sounds directory: Sökväg till ljudkatalog: - + + Test system sound engine + + + + Choose path Välj sökväg @@ -5184,10 +5249,50 @@ Vänligen se till att katalogen är skrivbar och försök igen. WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets Redigera utgåvor + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget diff --git a/cockatrice/translations/cockatrice_zh_CN.ts b/cockatrice/translations/cockatrice_zh_CN.ts index 21ccff1a..6d356405 100644 --- a/cockatrice/translations/cockatrice_zh_CN.ts +++ b/cockatrice/translations/cockatrice_zh_CN.ts @@ -1,6 +1,6 @@ - + AbstractCounter @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -312,12 +312,12 @@ This is only saved for moderators and cannot be seen by the banned person. CardItem - + &Move to - + &Power / toughness @@ -568,20 +568,20 @@ This is only saved for moderators and cannot be seen by the banned person. DBPriceUpdater - - - + + + Error - - + + A problem has occured while fetching card prices. - + A problem has occured while fetching card prices: @@ -589,22 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - - Enable &price tag feature + + Enable &price tag feature from deckbrew.com - - using data from blacklotusproject.com - - - - - using data from deckbrew.com - - - - + General @@ -793,52 +783,52 @@ 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 - + Create game - + Game information - + Error - + Server error. @@ -1112,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1135,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1146,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1155,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1178,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1221,100 +1211,100 @@ Would you like to change your database location setting? 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: - + Please join the respective room first. - + Games - + &Filter games - + C&lear filter - + C&reate - + &Join - + J&oin as spectator @@ -1330,72 +1320,77 @@ Would you like to change your database location setting? GamesModel - + yes - + yes, free for spectators - + no - + buddies only - + reg. users only - + not allowed - + + Game Created + + + + Description - + + Game Type + + + + Room - + Creator - - Game type - - - - + Password - + Restrictions - + Players - + Spectators @@ -1403,93 +1398,93 @@ Would you like to change your database location setting? GeneralSettingsPage - - + + English don't translate "English", but "Chinese": 中文 ? - + Reset/Clear Downloaded Pictures - - - - - + + + + + Choose path - + Success - + Downloaded card pictures have been reset. - + Error - + One or more downloaded card pictures could not be cleared. - + Personal settings - + Language: - + Download card pictures on the fly - + Download high-quality card pictures - + Paths - + Decks directory: - + Replays directory: - + Pictures directory: - + Card database: - + Token database: @@ -2951,22 +2946,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -3032,532 +3027,537 @@ Local version is %1, remote version is %2. Player - + &View graveyard - + &View exile - + Player "%1" - + &Graveyard - + &Exile - - - - - Move to &top of library - - - - - - - Move to &bottom of library - - - - Move to &graveyard + + + 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 - + &Always reveal top card - + O&pen deck in deck editor - + &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 + Put bottom card &in graveyard - &Sideboard + &Hand - &Library + &Reveal to - &Counters + Reveal r&andom card to + + + + + &Sideboard - &Untap all permanents + &Library - R&oll die... - - - - - &Create token... + &Counters - C&reate another token + &Untap all permanents - Cr&eate predefined token + R&oll die... + &Create token... + + + + + C&reate another token + + + + + Cr&eate predefined token + + + + S&ay - + C&ard - + &All players - + &Play - + &Hide - + &Tap - + &Untap - + Toggle &normal untapping - + &Flip - + &Peek at card face - + &Clone - + Ctrl+J - + Attac&h to card... - + Ctrl+A - + Unattac&h - + &Draw arrow... - + &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 - + 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 @@ -3579,6 +3579,39 @@ Local version is %1, remote version is %2. Cockatrice replays (*.cor) + + + <1m ago + + + + + <5m ago + + + + + + m ago + This will have a number prepended, like "10m ago" + + + + + 1hr + + + + + hr ago + This will have a number prepended, like "2h ago" + + + + + 5+ hrs ago + + RemoteDeckList_TreeModel @@ -3634,32 +3667,32 @@ Local version is %1, remote version is %2. RoomSelector - + Rooms - + Joi&n - + Room - + Description - + Players - + Games @@ -3667,15 +3700,30 @@ Local version is %1, remote version is %2. SetsModel - - Short name + + Key - + + Set type + + + + + Set code + + + + Long name + + + Release date + + ShutdownDialog @@ -3732,201 +3780,201 @@ Local version is %1, remote version is %2. Do you really want to unlock the administration functions? + + + Administration + + TabDeckEditor - + Show card text only - + &Clear search - - &Search for: - - - - + Deck &name: - + &Comments: - + Hash: - + &Update prices - + Ctrl+U - + &New deck - + &Load deck... - + &Save deck - + Save deck &as... - + Load deck from cl&ipboard... - + Save deck to clip&board - + &Print deck... - + &Analyze deck on deckstats.net - + &Close - + Ctrl+Q - + Add card to &maindeck - + Add card to &sideboard - + &Remove row - + Del - + &Increment number - + + - + &Decrement number - + - - + &Deck editor - + C&ard database - + &Edit sets... - + Edit &tokens... - + Deck: %1 - + Are you sure? - + The decklist has been modified. Do you want to save the changes? - + Load deck - - - + + + Error - + The deck could not be saved. - - + + The deck could not be saved. Please check that the directory is writable and try again. - + Save deck @@ -4014,6 +4062,11 @@ Please enter a name: Delete remote deck + + + Deck storage + + TabGame @@ -4251,6 +4304,11 @@ Please enter a name: Are you sure you want to delete the replay of game %1? + + + Game replays + + TabRoom @@ -4285,6 +4343,14 @@ Please enter a name: + + TabServer + + + Server + + + TabUserLists @@ -4297,6 +4363,11 @@ Please enter a name: Add to Ignore List + + + User lists + + UserContextMenu @@ -4402,47 +4473,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + + Test system sound engine + + + + Choose path @@ -4473,10 +4549,50 @@ Please enter a name: WndSets - + + Save set ordering + + + + + Restore saved set ordering + + + + + Move selected set up + + + + + Move selected set down + + + + + Move selected set to top + + + + + Move selected set to bottom + + + + Edit sets + + + Success + + + + + The sets database has been saved successfully. + + ZoneViewWidget From 2d932c68deb21562110d03d7c4848a5103d03cca Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 14:48:58 +0100 Subject: [PATCH 12/19] Fixed translation for "clear downloaded pictures" button --- cockatrice/src/dlg_settings.cpp | 3 +- cockatrice/src/dlg_settings.h | 1 + cockatrice/translations/cockatrice_cs.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_de.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_en.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_es.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_fr.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_gd.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_it.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_ja.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_pl.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_pt-br.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_pt.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_ru.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_sk.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_sv.ts | 112 ++++++++++---------- cockatrice/translations/cockatrice_zh_CN.ts | 112 ++++++++++---------- 17 files changed, 843 insertions(+), 841 deletions(-) diff --git a/cockatrice/src/dlg_settings.cpp b/cockatrice/src/dlg_settings.cpp index 06e35b06..fb76d06b 100644 --- a/cockatrice/src/dlg_settings.cpp +++ b/cockatrice/src/dlg_settings.cpp @@ -44,7 +44,7 @@ GeneralSettingsPage::GeneralSettingsPage() picDownloadCheckBox = new QCheckBox; picDownloadCheckBox->setChecked(settingsCache->getPicDownload()); - QPushButton *clearDownloadedPicsButton = new QPushButton(tr("Reset/Clear Downloaded Pictures")); + clearDownloadedPicsButton = new QPushButton(); connect(clearDownloadedPicsButton, SIGNAL(clicked()), this, SLOT(clearDownloadedPicsButtonClicked())); picDownloadHqCheckBox = new QCheckBox; @@ -227,6 +227,7 @@ void GeneralSettingsPage::retranslateUi() picsPathLabel->setText(tr("Pictures directory:")); cardDatabasePathLabel->setText(tr("Card database:")); tokenDatabasePathLabel->setText(tr("Token database:")); + clearDownloadedPicsButton->setText(tr("Reset/Clear Downloaded Pictures")); } AppearanceSettingsPage::AppearanceSettingsPage() diff --git a/cockatrice/src/dlg_settings.h b/cockatrice/src/dlg_settings.h index de46f1b1..842fa5f2 100644 --- a/cockatrice/src/dlg_settings.h +++ b/cockatrice/src/dlg_settings.h @@ -44,6 +44,7 @@ private: QCheckBox *picDownloadCheckBox; QCheckBox *picDownloadHqCheckBox; QLabel *languageLabel, *deckPathLabel, *replaysPathLabel, *picsPathLabel, *cardDatabasePathLabel, *tokenDatabasePathLabel; + QPushButton *clearDownloadedPicsButton; }; class AppearanceSettingsPage : public AbstractSettingsPage { diff --git a/cockatrice/translations/cockatrice_cs.ts b/cockatrice/translations/cockatrice_cs.ts index 4f97d4df..30a4af88 100644 --- a/cockatrice/translations/cockatrice_cs.ts +++ b/cockatrice/translations/cockatrice_cs.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Pozadí zón @@ -62,86 +62,86 @@ Cesta k rubu karet: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Vykreslování karet - + Display card names on cards having a picture Zobrazit jména karet na kartách s obrázky - + Hand layout Rozvržení ruky - + Display hand horizontally (wastes space) Zobrazit ruku horizontálně (zabírá více místa) - + Table grid layout Rozložení herní mřížky - + Invert vertical coordinate Převrátit vertikální souřadnice - + Minimum player count for multi-column layout: - + Zone view layout Rozvržení zón - + Sort by name Seřadit dle jména - + Sort by type Seřadit dle typu - - - - - + + + + + Choose path Vyberte cestu @@ -1066,12 +1066,12 @@ This is only saved for moderators and cannot be seen by the banned person.&Povolit zobrazovaní cen (použijí se data z blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Obecné @@ -1623,9 +1623,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Chyba @@ -1634,12 +1634,12 @@ This is only saved for moderators and cannot be seen by the banned person.Cesta k databázi je neplatná. Chcete se vrátit a nastavit správnou? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1650,7 +1650,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1661,7 +1661,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1670,21 +1670,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1693,42 +1693,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Cesta k adresáři s balíčky je neplatná. Chcete se vrátit a nastavit správnou? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Cesta k adresáři s obrázky je neplatná. Chcete se vrátit a nastavit správnou? - + Settings Nastavení - + General Obecné - + Appearance Vzhled - + User interface Uživatelské rozhraní - + Deck editor Editor balíčků - + Messages Zprávy @@ -1941,7 +1941,7 @@ Would you like to change your database location setting? Česky - + Reset/Clear Downloaded Pictures @@ -3782,22 +3782,22 @@ Lokální verze je %1, verze serveru je %2. MessagesSettingsPage - + Add message Přidat zprávu - + Message: Zpráva: - + &Add &Přidat - + &Remove &Odstranit @@ -5415,52 +5415,52 @@ Prosím vložte jméno: UserInterfaceSettingsPage - + General interface settings Obecné - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Pro zahraní karty je třeba dvojklik - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animace - + &Tap/untap animation &Animace tapnutí/odtapnutí - + Enable &sounds Povolit &zvuky - + Path to sounds directory: Adresář se zvuky: - + Test system sound engine - + Choose path Vyberte cestu diff --git a/cockatrice/translations/cockatrice_de.ts b/cockatrice/translations/cockatrice_de.ts index 40ba09d5..a34fb35c 100644 --- a/cockatrice/translations/cockatrice_de.ts +++ b/cockatrice/translations/cockatrice_de.ts @@ -60,7 +60,7 @@ AppearanceSettingsPage - + Zone background pictures Hintergrundbilder für Kartenzonen @@ -85,57 +85,57 @@ Pfad zum Bild der Kartenrückseite: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Kartendarstellung - + Display card names on cards having a picture Kartennamen darstellen auch bei Karten, die Bilder haben - + Hand layout Kartenhand - + Display hand horizontally (wastes space) Hand horizonal anzeigen (verschwendet Platz) - + Table grid layout Spielfeldraster - + Minimum player count for multi-column layout: Mindestspielerzahl für mehrspaltige Anordnung: @@ -144,7 +144,7 @@ Platzsparende Anordnung - + Invert vertical coordinate Vertikale Koordinate umkehren @@ -153,17 +153,17 @@ Platzsparende Anordnung - + Zone view layout Aussehen des Zonenbetrachters - + Sort by name nach Namen sortieren - + Sort by type nach Kartentypen sortieren @@ -172,11 +172,11 @@ standardmäßig alphabetisch sortieren - - - - - + + + + + Choose path Pfad auswählen @@ -1387,12 +1387,12 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Karten&preisfunktionen anschalten (benutzt Daten von blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Allgemeines @@ -2005,9 +2005,9 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic DlgSettings - - - + + + Error Fehler @@ -2028,12 +2028,12 @@ Dies wird nur für Moderatoren gespeichert und kann von der gebannten Person nic Ihre Kartendatenbank ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -2044,7 +2044,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -2055,7 +2055,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -2064,21 +2064,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -2087,42 +2087,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Der Pfad zu Ihrem Deckordner ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Der Pfad zu Ihrem Kartenbilderordner ist ungültig. Möchten Sie zurückgehen und den korrekten Pfad einstellen? - + Settings Einstellungen - + General Allgemeines - + Appearance Erscheinungsbild - + User interface Bedienung - + Deck editor Deckeditor - + Messages Nachrichten @@ -2603,7 +2603,7 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures @@ -4826,12 +4826,12 @@ Lokale Version ist %1, Serverversion ist %2. MessagesSettingsPage - + &Add &Hinzufügen - + &Remove &Entfernen @@ -4844,12 +4844,12 @@ Lokale Version ist %1, Serverversion ist %2. Entfernen - + Add message Nachricht hinzufügen - + Message: Nachricht: @@ -6712,52 +6712,52 @@ Bitte geben Sie einen Namen ein: UserInterfaceSettingsPage - + General interface settings Allgemeine Bedienung - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) Karten durch &Doppelklick ausspielen (statt Einzelklick) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animationseinstellungen - + &Tap/untap animation Animiertes &Tappen/Enttappen - + Enable &sounds &Sound anschalten - + Path to sounds directory: Pfad zum Verzeichnis mit den Sounddateien: - + Test system sound engine - + Choose path Pfad auswählen diff --git a/cockatrice/translations/cockatrice_en.ts b/cockatrice/translations/cockatrice_en.ts index 4df146f6..fdc1e799 100644 --- a/cockatrice/translations/cockatrice_en.ts +++ b/cockatrice/translations/cockatrice_en.ts @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -589,12 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - + Enable &price tag feature from deckbrew.com - + General @@ -1102,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1125,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1136,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1145,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1168,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1398,7 +1398,7 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures @@ -2994,22 +2994,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + &Add - + &Remove - + Add message - + Message: @@ -4521,52 +4521,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path diff --git a/cockatrice/translations/cockatrice_es.ts b/cockatrice/translations/cockatrice_es.ts index ae0351f0..d187214c 100644 --- a/cockatrice/translations/cockatrice_es.ts +++ b/cockatrice/translations/cockatrice_es.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Imagenes de la zona de fondo @@ -62,57 +62,57 @@ Ruta al reverso de las cartas: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Renderizado de las cartas - + Display card names on cards having a picture Mostrar nombre de las cartas en aquellas que tengan imagen - + Hand layout Disposición de la mano - + Display hand horizontally (wastes space) Mostrar la mano horizontalmente (desperdicia espacio) - + Table grid layout Disposición de la rejilla de la mesa - + Minimum player count for multi-column layout: Número minimo de jugadores para usar la rejilla multicolumna: @@ -121,7 +121,7 @@ Disposición Económica - + Invert vertical coordinate Invertir coordenada vertical @@ -130,26 +130,26 @@ Disposición económica - + Zone view layout Distribución de la zona de visionado - + Sort by name Ordenar por nombre - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Elija ruta @@ -1318,12 +1318,12 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Activar tag de &precios (usando datos de blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General General @@ -1886,9 +1886,9 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona DlgSettings - - - + + + Error Error @@ -1909,12 +1909,12 @@ Se almacenará unicamente para moderadores y no podrá ser visto por la persona Tu base de datos de cartas es invalida. ¿Deseas volver y seleccionar la ruta correcta? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1925,7 +1925,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1936,7 +1936,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1945,21 +1945,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1968,42 +1968,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? La ruta a tu directorio de mazos es invalida. ¿Deseas volver y seleccionar la ruta correcta? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? La ruta a tu directorio de imagenes de las cartas es invalida.¿Deseas volver y seleccionar la ruta correcta? - + Settings Preferencias - + General General - + Appearance Apariencia - + User interface Interfaz de usuario - + Deck editor Editor de mazos - + Messages Mensajes @@ -2218,7 +2218,7 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures @@ -4084,22 +4084,22 @@ La versión local es %1, la versión remota es %2. MessagesSettingsPage - + &Add &Añadir - + &Remove &Quitar - + Add message Añadir mensaje - + Message: Mensaje: @@ -5791,52 +5791,52 @@ Por favor, introduzca un nombre: UserInterfaceSettingsPage - + General interface settings Preferencias generales de la interfaz - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Doble click en las cartas para jugarlas (en lugar de un solo click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Opciones de animación - + &Tap/untap animation Animación de &girar/enderezar - + Enable &sounds Activar &sonidos - + Path to sounds directory: Ruta al directorio de sonidos: - + Test system sound engine - + Choose path Elija ruta diff --git a/cockatrice/translations/cockatrice_fr.ts b/cockatrice/translations/cockatrice_fr.ts index c959d52e..c5fe7b12 100644 --- a/cockatrice/translations/cockatrice_fr.ts +++ b/cockatrice/translations/cockatrice_fr.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Zone images de fond @@ -62,86 +62,86 @@ Chemin vers l'image de dos des cartes: - + Hand background: Image de fond de la zone de main: - + Stack background: Image de fond de la pile: - + Table background: Image de fond de la zone de jeu: - + Player info background: Image de fond de la zone d'informations joueur: - + Card back: Dos de carte: - + Card rendering Rendu des cartes - + Display card names on cards having a picture Afficher le nom des cartes ayant une image - + Hand layout Disposition de la main - + Display hand horizontally (wastes space) Afficher la main horizontalement (perte d'espace) - + Table grid layout Disposition en forme de grille - + Invert vertical coordinate Inverser la disposition du champ de bataille - + Minimum player count for multi-column layout: Nombre minimum de joueurs pour la disposition multi-colonnes : - + Zone view layout Disposition de la zone d'aperçu - + Sort by name Tri par nom - + Sort by type Tri par type - - - - - + + + + + Choose path Choisir le chemin @@ -1184,12 +1184,12 @@ Cette information sera consultable uniquement par les modérateurs.Activer le guide de &prix des cartes (source : blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Géneral @@ -1752,9 +1752,9 @@ Cette information sera consultable uniquement par les modérateurs. DlgSettings - - - + + + Error Erreur @@ -1763,12 +1763,12 @@ Cette information sera consultable uniquement par les modérateurs.Votre base de carte est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1779,7 +1779,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1790,7 +1790,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1799,21 +1799,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1822,42 +1822,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Le chemin d'accès pour le répertoire de votre deck est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Le chemin d'accès pour le répertoire de vos images est invalide. Souhaitez-vous redéfinir le chemin d'accès? - + Settings Paramètres - + General Géneral - + Appearance Apparence - + User interface Interface utilisateur - + Deck editor Editeur de deck - + Messages Messages @@ -2079,7 +2079,7 @@ Would you like to change your database location setting? Français - + Reset/Clear Downloaded Pictures @@ -3957,22 +3957,22 @@ La version la plus récente est %1, l'ancienne version est %2. MessagesSettingsPage - + Add message Ajouter message - + Message: Message: - + &Add &Ajouter - + &Remove &Enlever @@ -5648,52 +5648,52 @@ Entrez un nom s'il vous plaît: UserInterfaceSettingsPage - + General interface settings Réglages généraux de l'interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Double cliquer sur la carte pour la jouer (au lieu d'un simple clic) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Réglage des animations - + &Tap/untap animation &Animation d'engagement et de dégagement - + Enable &sounds Activer &sons - + Path to sounds directory: Chemin vers le fichier sons: - + Test system sound engine - + Choose path Choisir fichier diff --git a/cockatrice/translations/cockatrice_gd.ts b/cockatrice/translations/cockatrice_gd.ts index 603687e4..d6661410 100644 --- a/cockatrice/translations/cockatrice_gd.ts +++ b/cockatrice/translations/cockatrice_gd.ts @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -618,12 +618,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - + Enable &price tag feature from deckbrew.com - + General Coitcheann @@ -1182,19 +1182,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Mearachd - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1205,7 +1205,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1216,7 +1216,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1225,21 +1225,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1248,42 +1248,42 @@ Would you like to change your database location setting? - + 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 Roghainnean - + General Coitcheann - + Appearance Coltas - + User interface - + Deck editor - + Messages @@ -1488,7 +1488,7 @@ Would you like to change your database location setting? Beurla - + Reset/Clear Downloaded Pictures @@ -3045,22 +3045,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -4598,52 +4598,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path diff --git a/cockatrice/translations/cockatrice_it.ts b/cockatrice/translations/cockatrice_it.ts index 8d542650..0c92f1ac 100644 --- a/cockatrice/translations/cockatrice_it.ts +++ b/cockatrice/translations/cockatrice_it.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Immagini di Sfondo @@ -62,86 +62,86 @@ Percorso sfondo retro delle carte: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Visualizzazione delle carte - + Display card names on cards having a picture Visualizza nome delle carte sulle immagini di esse - + Hand layout Layout della mano - + Display hand horizontally (wastes space) Disponi la mano orizzontalmente - + Table grid layout Griglia di layout - + Invert vertical coordinate Inverti le coordinate verticali - + Minimum player count for multi-column layout: Numero di giocatori minimo per layout multicolonna: - + Zone view layout Layout zona in vista - + Sort by name Ordina per nome - + Sort by type Ordina per tipo - - - - - + + + + + Choose path Seleziona percorso @@ -962,12 +962,12 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Abilita la &ricerca del costo (utilizzando i dati di blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Generale @@ -1519,9 +1519,9 @@ Questo è solo visibile ai moderatori e non alla persona bannata. DlgSettings - - - + + + Error Errore @@ -1530,12 +1530,12 @@ Questo è solo visibile ai moderatori e non alla persona bannata. Il tuo database è invalido. Vuoi tornare indietro e impostare il percorso corretto? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1546,7 +1546,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1557,7 +1557,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1566,21 +1566,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1589,42 +1589,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Il percorso della cartella del mazzo non è valido. Vuoi tornare in dietro e impostare il percorso corretto? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Il percorso della cartella delle immagini delle carte è invilido. Vuoi tornare indietro e impostare il percorso corretto? - + Settings Impostazioni - + General Generale - + Appearance Aspetto - + User interface Interfaccia - + Deck editor Editore di mazzi - + Messages Messaggi @@ -1841,7 +1841,7 @@ Would you like to change your database location setting? Italiano - + Reset/Clear Downloaded Pictures @@ -3472,22 +3472,22 @@ La tua versione è la %1, la versione online è la %2. MessagesSettingsPage - + Add message Aggiungi messaggio - + Message: Messaggio: - + &Add &Aggiungi - + &Remove &Rimuovi @@ -5104,52 +5104,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Impostazioni di interfaccia generale - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Doppio click sulle carte per giocarle (disabilitato un solo click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Impostazioni di animazione - + &Tap/untap animation Animazioni &Tappa/Stappa - + Enable &sounds Attiva &suoni - + Path to sounds directory: Percorso cartella suoni: - + Test system sound engine - + Choose path Seleziona percorso diff --git a/cockatrice/translations/cockatrice_ja.ts b/cockatrice/translations/cockatrice_ja.ts index 019a8305..e910ac56 100644 --- a/cockatrice/translations/cockatrice_ja.ts +++ b/cockatrice/translations/cockatrice_ja.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures 背景画像の設定 @@ -62,28 +62,28 @@ カード背面画像へのパス: - + Card rendering カードレンダリング - + Display card names on cards having a picture やや不明 画像持ちカードのカードネームを表示する - + Hand layout 手札のレイアウト - + Display hand horizontally (wastes space) 手札を横に並べる(スペースを消費します) - + Table grid layout テーブルグリッドのレイアウト @@ -92,61 +92,61 @@ 省スペースレイアウト(カード間間隔を細かくできます) - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate 垂直反転調整 - + Minimum player count for multi-column layout: - + Zone view layout ゾーンビューレイアウト - + Sort by name 名前で整列 - + Sort by type タイプで整列 - - - - - + + + + + Choose path 画像の指定 @@ -783,12 +783,12 @@ This is only saved for moderators and cannot be seen by the banned person.価格タグを表示可能に(blacklotusproject.comからのデータを使用) - + Enable &price tag feature from deckbrew.com - + General 全般 @@ -1296,9 +1296,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error エラー @@ -1307,12 +1307,12 @@ This is only saved for moderators and cannot be seen by the banned person.あなたのカードデータベースは無効です.前に戻って正しいパスを設定してください. - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1323,7 +1323,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1334,7 +1334,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1343,21 +1343,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1366,42 +1366,42 @@ Would you like to change your database location setting? - + 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 メッセージ @@ -1616,7 +1616,7 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures @@ -3237,22 +3237,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + &Add 追加 - + &Remove 削除 - + Add message メッセージを追加する - + Message: メッセージ: @@ -4889,52 +4889,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings インターフェース総合設定 - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) ダブルクリックでカードをプレイする(シングルクリックの代わり) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings アニメーション設定 - + &Tap/untap animation タップ/アンタップアニメーション - + Enable &sounds サウンドを許可 - + Path to sounds directory: サウンドディレクトリへのパス: - + Test system sound engine - + Choose path パスを選ぶ diff --git a/cockatrice/translations/cockatrice_pl.ts b/cockatrice/translations/cockatrice_pl.ts index 0aa1556c..367bd1c9 100644 --- a/cockatrice/translations/cockatrice_pl.ts +++ b/cockatrice/translations/cockatrice_pl.ts @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 Sortuj według nazwy - + Sort by type Sortuj według typu - - - - - + + + + + Choose path Wybierz ścieżkę @@ -673,12 +673,12 @@ This is only saved for moderators and cannot be seen by the banned person.Włącz oznaczenia &ceny (korzystając z danych z blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Ogólne @@ -1218,19 +1218,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Błąd - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1241,7 +1241,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1252,7 +1252,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1261,21 +1261,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1284,42 +1284,42 @@ Would you like to change your database location setting? - + 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 Ogólne - + Appearance - + User interface - + Deck editor - + Messages @@ -1524,7 +1524,7 @@ Would you like to change your database location setting? Polski - + Reset/Clear Downloaded Pictures @@ -3109,22 +3109,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message Dodaj wiadomość - + Message: Wiadomość: - + &Add &Dodaj - + &Remove &Usuń @@ -4651,52 +4651,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path Wybierz ścieżkę diff --git a/cockatrice/translations/cockatrice_pt-br.ts b/cockatrice/translations/cockatrice_pt-br.ts index a1f38f07..8727be7e 100644 --- a/cockatrice/translations/cockatrice_pt-br.ts +++ b/cockatrice/translations/cockatrice_pt-br.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Imagens de fundo das zonas @@ -62,27 +62,27 @@ Caminho para a imagem do verso dos cards: - + Card rendering Renderização do card - + Display card names on cards having a picture Mostrar o nome dos cards nos cards que tem imagem - + Hand layout Layout da mão - + Display hand horizontally (wastes space) Mostrar a mão na horizontal (desperdiça espaço) - + Table grid layout Layout do campo de batalha @@ -91,61 +91,61 @@ Layout econômico - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate Inverter a coordenada vertical - + Minimum player count for multi-column layout: - + Zone view layout Layout de vista da zona - + Sort by name Ordenar por nome - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Escolher caminho @@ -1121,12 +1121,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - + Enable &price tag feature from deckbrew.com - + General Geral @@ -1689,9 +1689,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Erro @@ -1700,12 +1700,12 @@ This is only saved for moderators and cannot be seen by the banned person.O seu banco de dados de cards é inválido. Você gostaria de voltar e corrigir o caminho? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1716,7 +1716,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1727,7 +1727,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1736,21 +1736,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1759,42 +1759,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? O caminho para a sua pasta de decks é inválido. Você gostaria de voltar e corrigir o caminho? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? O caminho para a sua pasta de imagens de cards é inválido. Você gostaria de voltar e corrigir o caminho? - + Settings Configurações - + General Geral - + Appearance Aparência - + User interface Interface do usuário - + Deck editor - + Messages Mensagens @@ -2005,7 +2005,7 @@ Would you like to change your database location setting? GeneralSettingsPage - + Reset/Clear Downloaded Pictures @@ -3859,22 +3859,22 @@ A versão local é %1 e a versão remota é %2. MessagesSettingsPage - + &Add &Adicionar - + &Remove &Remover - + Add message Adicionar mensagem - + Message: Mensagem: @@ -5550,52 +5550,52 @@ Por favor, entre um nome: UserInterfaceSettingsPage - + General interface settings Configurações gerais de interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Duplo clique nos cards para jogá-los (ao invés de clique simples) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Configurações de animação - + &Tap/untap animation Animação de &virar/desvirar - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path Escolher caminho diff --git a/cockatrice/translations/cockatrice_pt.ts b/cockatrice/translations/cockatrice_pt.ts index 0148ce61..f55649ed 100644 --- a/cockatrice/translations/cockatrice_pt.ts +++ b/cockatrice/translations/cockatrice_pt.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Zona das imagens de fundo @@ -62,27 +62,27 @@ Directório da imagem do verso da carta: - + Card rendering Rendering da carta - + Display card names on cards having a picture Mostrar o nome em cartas com imagem - + Hand layout Disposição da Mão - + Display hand horizontally (wastes space) Mostrar mão horizontalmente (desperdiça espaço) - + Table grid layout Esquema da mesa @@ -91,61 +91,61 @@ Esquema económico - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Invert vertical coordinate Inverter coordenada vertical - + Minimum player count for multi-column layout: Número mínimo de kogadores para layout com múltiplas colunas: - + Zone view layout Distribuição da zona de vizualização - + Sort by name Ordenar por nome - + Sort by type Ordenar por tipo - - - - - + + + + + Choose path Escolher directório @@ -1184,12 +1184,12 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban &Permitir função de tag de preços (utilizando informação de blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Geral @@ -1748,9 +1748,9 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban DlgSettings - - - + + + Error Erro @@ -1759,12 +1759,12 @@ Isto apenas é guardado para os moderadores e não é visível para a pessoa ban A sua base de dados é inválida. Gostaria de voltar atrás e corrigir o directório? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1775,7 +1775,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1786,7 +1786,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1795,21 +1795,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1818,42 +1818,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? O directório do seu deck é inválido. Gostaria de voltar atrás e corrigir o directório? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? O directório das imagens das cartas é inválido. Gostaria de voltar atrás e corrigir o directório? - + Settings Definições - + General Geral - + Appearance Aparência - + User interface Interface do utilizador - + Deck editor Editor de Decks - + Messages Mensagens @@ -2074,7 +2074,7 @@ Would you like to change your database location setting? Português - + Reset/Clear Downloaded Pictures @@ -3940,22 +3940,22 @@ Versão local é %1, versão remota é %2. MessagesSettingsPage - + Add message Adicionar mensagem - + Message: Mensagem: - + &Add &Adicionar - + &Remove &Remover @@ -5631,52 +5631,52 @@ Por favor introduza um nome: UserInterfaceSettingsPage - + General interface settings Configurações gerais da interface - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) Clicar &duas vezes nas cartas para as jogar (ao invés de clicar apenas uma vez) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Configurações de Animações - + &Tap/untap animation Animação de &virar/desvirar - + Enable &sounds Permitir &sons - + Path to sounds directory: Caminho para o directório dos sons: - + Test system sound engine - + Choose path Escolher directório diff --git a/cockatrice/translations/cockatrice_ru.ts b/cockatrice/translations/cockatrice_ru.ts index 87e6f4c1..85834aa9 100644 --- a/cockatrice/translations/cockatrice_ru.ts +++ b/cockatrice/translations/cockatrice_ru.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Фоновые изображения @@ -62,86 +62,86 @@ Рубашки карт: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 Выберите путь @@ -1094,12 +1094,12 @@ This is only saved for moderators and cannot be seen by the banned person.Подписывать &цены (по данным blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Основные @@ -1655,9 +1655,9 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error Ошибка @@ -1666,12 +1666,12 @@ This is only saved for moderators and cannot be seen by the banned person.База карт не найдена. Вернуться и задать правильный путь? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1682,7 +1682,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1693,7 +1693,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1702,21 +1702,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1725,42 +1725,42 @@ Would you like to change your database location setting? - + 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 Сообщения @@ -1977,7 +1977,7 @@ Would you like to change your database location setting? Русский - + Reset/Clear Downloaded Pictures @@ -3846,22 +3846,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message Добавить сообщение - + Message: Сообщение: - + &Add &Добавить - + &Remove &Удалить @@ -5479,53 +5479,53 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Основные настройки интерфейса - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Двойной клик чтобы разыграть карту (вместо одинарного) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Настройки анимации - + &Tap/untap animation &Анимировать поворот/разворот карты - + Enable &sounds Yaaaaahoooo! All I needed for full happiness :) Вкючить &звуки - + Path to sounds directory: Путь к папке со звуками: - + Test system sound engine - + Choose path Укажите путь diff --git a/cockatrice/translations/cockatrice_sk.ts b/cockatrice/translations/cockatrice_sk.ts index 6b913a54..8ea7fe99 100644 --- a/cockatrice/translations/cockatrice_sk.ts +++ b/cockatrice/translations/cockatrice_sk.ts @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -589,12 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - + Enable &price tag feature from deckbrew.com - + General @@ -1102,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1125,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1136,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1145,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1168,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1404,7 +1404,7 @@ Would you like to change your database location setting? - + Reset/Clear Downloaded Pictures @@ -2973,22 +2973,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -4500,52 +4500,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path diff --git a/cockatrice/translations/cockatrice_sv.ts b/cockatrice/translations/cockatrice_sv.ts index 6252bb2a..ea520222 100644 --- a/cockatrice/translations/cockatrice_sv.ts +++ b/cockatrice/translations/cockatrice_sv.ts @@ -37,7 +37,7 @@ AppearanceSettingsPage - + Zone background pictures Zonbakgrundsbilder @@ -62,86 +62,86 @@ Sökväg till kortbaksidans bild: - + Hand background: - + Stack background: - + Table background: - + Player info background: - + Card back: - + Card rendering Kortrendering - + Display card names on cards having a picture Visa kortnamn på kort som har bilder - + Hand layout Handlayout - + Display hand horizontally (wastes space) Visa hand horisontellt (slösar plats) - + Table grid layout Bordets rutnätlayout - + Invert vertical coordinate Invertera vertikal koordinat - + Minimum player count for multi-column layout: Minst antal spelare för multi-kolumnlayout: - + Zone view layout Zonvylayout - + Sort by name Sortera efter namn - + Sort by type Sortera efter typ - - - - - + + + + + Choose path Välj sökväg @@ -926,12 +926,12 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. Aktivera &prislappsfunktionen (använder data från blacklotusproject.com) - + Enable &price tag feature from deckbrew.com - + General Allmänt @@ -1479,9 +1479,9 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. DlgSettings - - - + + + Error Fel @@ -1490,12 +1490,12 @@ Detta sparas endast för moderatorer och kan inte ses av den bannlysta personen. Din kortdatabas är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1506,7 +1506,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1517,7 +1517,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1526,21 +1526,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1549,42 +1549,42 @@ Would you like to change your database location setting? - + The path to your deck directory is invalid. Would you like to go back and set the correct path? Sökvägen till din lekkatalog är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + The path to your card pictures directory is invalid. Would you like to go back and set the correct path? Sökvägen till din kortbildsdatabas är ogiltig. Vill du gå tillbaka och ange den korrekta sökvägen? - + Settings Inställningar - + General Allmänt - + Appearance Utseende - + User interface Användargränssnitt - + Deck editor Lekredigeraren - + Messages Meddelanden @@ -1797,7 +1797,7 @@ Would you like to change your database location setting? Svenska - + Reset/Clear Downloaded Pictures @@ -3404,22 +3404,22 @@ Lokal version är %1, avlägsen version är %2. MessagesSettingsPage - + Add message Lägg till meddelande - + Message: Meddelande: - + &Add &Lägg till - + &Remove &Ta bort @@ -5007,52 +5007,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings Allmänna gränssnittsinställningar - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) &Dubbelklicka på kort för att spela dem (istället för enkelklick) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings Animationsinställningar - + &Tap/untap animation &Tappnings/Upptappningsanimation - + Enable &sounds Aktivera &ljud - + Path to sounds directory: Sökväg till ljudkatalog: - + Test system sound engine - + Choose path Välj sökväg diff --git a/cockatrice/translations/cockatrice_zh_CN.ts b/cockatrice/translations/cockatrice_zh_CN.ts index 6d356405..5488f62c 100644 --- a/cockatrice/translations/cockatrice_zh_CN.ts +++ b/cockatrice/translations/cockatrice_zh_CN.ts @@ -37,91 +37,91 @@ AppearanceSettingsPage - + Zone background pictures - + Hand background: - + Stack background: - + Table background: - + Player info background: - + 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 @@ -589,12 +589,12 @@ This is only saved for moderators and cannot be seen by the banned person. DeckEditorSettingsPage - + Enable &price tag feature from deckbrew.com - + General @@ -1102,19 +1102,19 @@ This is only saved for moderators and cannot be seen by the banned person. DlgSettings - - - + + + Error - + Unknown Error loading card database - + Your card database is invalid. Cockatrice may not function correctly with an invalid database @@ -1125,7 +1125,7 @@ Would you like to change your database location setting? - + Your card database version is too old. This can cause problems loading card information or images @@ -1136,7 +1136,7 @@ Would you like to change your database location setting? - + Your card database did not finish loading Please file a ticket at http://github.com/Daenyth/Cockatrice/issues with your cards.xml attached @@ -1145,21 +1145,21 @@ Would you like to change your database location setting? - + File Error loading your card database. Would you like to change your database location setting? - + Your card database was loaded but contains no cards. Would you like to change your database location setting? - + Unknown card database load status Please file a ticket at http://github.com/Daenyth/Cockatrice/issues @@ -1168,42 +1168,42 @@ Would you like to change your database location setting? - + 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 @@ -1405,7 +1405,7 @@ Would you like to change your database location setting? - + Reset/Clear Downloaded Pictures @@ -2946,22 +2946,22 @@ Local version is %1, remote version is %2. MessagesSettingsPage - + Add message - + Message: - + &Add - + &Remove @@ -4473,52 +4473,52 @@ Please enter a name: UserInterfaceSettingsPage - + General interface settings - + Enable notifications in taskbar - + &Double-click cards to play them (instead of single-click) - + &Play all nonlands onto the stack (not the battlefield) by default - + Animation settings - + &Tap/untap animation - + Enable &sounds - + Path to sounds directory: - + Test system sound engine - + Choose path From 15e4c852ddfd41c5a79e764ca50d3199f6a4974f Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 16:03:59 +0100 Subject: [PATCH 13/19] Fix crash on close #255 --- cockatrice/src/window_main.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/cockatrice/src/window_main.cpp b/cockatrice/src/window_main.cpp index 51a09418..571a58a8 100644 --- a/cockatrice/src/window_main.cpp +++ b/cockatrice/src/window_main.cpp @@ -410,7 +410,7 @@ void MainWindow::closeEvent(QCloseEvent *event) } event->accept(); settingsCache->setMainWindowGeometry(saveGeometry()); - delete tabSupervisor; + tabSupervisor->deleteLater(); } void MainWindow::changeEvent(QEvent *event) From 390a8f1985b578c82f356d6c5a44d1a55cba42ce Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 16:09:56 +0100 Subject: [PATCH 14/19] Fix #484 Missing tooltip --- cockatrice/src/tab_replays.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/cockatrice/src/tab_replays.cpp b/cockatrice/src/tab_replays.cpp index 00a7f9c0..9f1b2a12 100644 --- a/cockatrice/src/tab_replays.cpp +++ b/cockatrice/src/tab_replays.cpp @@ -119,7 +119,7 @@ void TabReplays::retranslateUi() aOpenRemoteReplay->setText(tr("Watch replay")); aDownload->setText(tr("Download replay")); aKeep->setText(tr("Toggle expiration lock")); - aDeleteLocalReplay->setText(tr("Delete")); + aDeleteRemoteReplay->setText(tr("Delete")); } void TabReplays::actOpenLocalReplay() From 49310b529187e5ae997e243d8f0ef96828a4e322 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Fri, 26 Dec 2014 16:34:42 +0100 Subject: [PATCH 15/19] Fix travis compilation with osx+qt5 Homebrew currently installs qt 5.4.0 --- travis-compile.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/travis-compile.sh b/travis-compile.sh index e5058543..21b30855 100755 --- a/travis-compile.sh +++ b/travis-compile.sh @@ -6,7 +6,7 @@ mkdir build cd build prefix="" if [[ $TRAVIS_OS_NAME == "osx" && $QT4 == 0 ]]; then - prefix="-DCMAKE_PREFIX_PATH=/usr/local/Cellar/qt5/5.3.2/" + prefix="-DCMAKE_PREFIX_PATH=/usr/local/Cellar/qt5/5.4.0/" fi cmake .. -DWITH_SERVER=1 -DWITH_QT4=$QT4 $prefix make From 54ce135e0cb8f4e91f1b6dd8b59e7181af2f37a1 Mon Sep 17 00:00:00 2001 From: Fabio Bas Date: Sun, 28 Dec 2014 22:21:45 +0100 Subject: [PATCH 16/19] Optimize qt plugins installation MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * Always install “release” plugins * install only plugins actually used --- cockatrice/CMakeLists.txt | 30 +++++++++--------------------- oracle/CMakeLists.txt | 29 +++++++++-------------------- servatrice/CMakeLists.txt | 29 +++++++++-------------------- 3 files changed, 27 insertions(+), 61 deletions(-) diff --git a/cockatrice/CMakeLists.txt b/cockatrice/CMakeLists.txt index b127e414..732f873d 100644 --- a/cockatrice/CMakeLists.txt +++ b/cockatrice/CMakeLists.txt @@ -269,18 +269,12 @@ if(APPLE) set(plugin_dest_dir cockatrice.app/Contents/Plugins) set(qtconf_dest_dir cockatrice.app/Contents/Resources) - # note: no codecs in qt5 - # note: phonon_backend => audio | mediaservice - # note: needs platform on osx + # qt4: codecs, iconengines, imageformats, phonon_backend + # qt5: audio, iconengines, imageformats, platforms, printsupport - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*_debug\\.dylib") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*\\.dylib" - REGEX ".*_debug\\.dylib" EXCLUDE) - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|phonon_backend|platforms|printsupport)/.*\\.dylib" + REGEX ".*_debug\\.dylib" EXCLUDE) install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] @@ -303,17 +297,11 @@ if(WIN32) set(plugin_dest_dir Plugins) set(qtconf_dest_dir .) - # note: no codecs in qt5 - # note: phonon_backend => audio | mediaservice - # note: needs platform on osx + # qt4: codecs, iconengines, imageformats, phonon_backend + # qt5: audio, iconengines, imageformats, platforms, printsupport - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*d\\.dll") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*[^d]\\.dll") - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(audio|codecs|iconengines|imageformats|phonon_backend|platforms|printsupport)/.*[^d]\\.dll") install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] diff --git a/oracle/CMakeLists.txt b/oracle/CMakeLists.txt index 344488b3..06a66a8c 100644 --- a/oracle/CMakeLists.txt +++ b/oracle/CMakeLists.txt @@ -138,17 +138,12 @@ if(APPLE) set(plugin_dest_dir oracle.app/Contents/Plugins) set(qtconf_dest_dir oracle.app/Contents/Resources) - # note: no codecs in qt5 - # note: phonon_backend => mediaservice - # note: needs platform on osx + # qt4: codecs, iconengines, imageformats + # qt5: iconengines, platforms - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*_debug\\.dylib") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/[^_]*\\.dylib") - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(codecs|iconengines|platforms)/.*\\.dylib" + REGEX ".*_debug\\.dylib" EXCLUDE) install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] @@ -170,17 +165,11 @@ IF(WIN32) set(plugin_dest_dir Plugins) set(qtconf_dest_dir .) - # note: no codecs in qt5 - # note: phonon_backend => mediaservice - # note: needs platform on osx + # qt4: codecs, iconengines, imageformats + # qt5: iconengines, imageformats, platforms - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*d\\.dll") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*[^d]\\.dll") - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(codecs|iconengines|platforms)/.*[^d]\\.dll") install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] diff --git a/servatrice/CMakeLists.txt b/servatrice/CMakeLists.txt index 4f407658..a0486115 100644 --- a/servatrice/CMakeLists.txt +++ b/servatrice/CMakeLists.txt @@ -139,17 +139,12 @@ if(APPLE) set(plugin_dest_dir servatrice.app/Contents/Plugins) set(qtconf_dest_dir servatrice.app/Contents/Resources) - # note: no codecs in qt5 - # note: phonon_backend => mediaservice - # note: needs platform on osx + # qt4: codecs, sqldrivers + # qt5: platforms, sqldrivers - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*_debug\\.dylib") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/[^_]*\\.dylib") - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(codecs|platforms|sqldrivers)/.*\\.dylib" + REGEX ".*_debug\\.dylib" EXCLUDE) install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] @@ -171,17 +166,11 @@ if(WIN32) set(plugin_dest_dir Plugins) set(qtconf_dest_dir .) - # note: no codecs in qt5 - # note: phonon_backend => mediaservice - # note: needs platform on osx + # qt4: codecs, sqldrivers + # qt5: platforms, sqldrivers - if (CMAKE_BUILD_TYPE STREQUAL "Debug") - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*d\\.dll") - else() - install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime - FILES_MATCHING REGEX "(codecs|iconengines|imageformats|mediaservice|phonon_backend|platforms)/.*[^d]\\.dll") - endif() + install(DIRECTORY "${QT_PLUGINS_DIR}/" DESTINATION ${plugin_dest_dir} COMPONENT Runtime + FILES_MATCHING REGEX "(codecs|platforms|sqldrivers)/.*[^d]\\.dll") install(CODE " file(WRITE \"\${CMAKE_INSTALL_PREFIX}/${qtconf_dest_dir}/qt.conf\" \"[Paths] From 6af8a49aaebc5cc53737f334121af9ccb71c4a9c Mon Sep 17 00:00:00 2001 From: Blitzmerker Date: Mon, 29 Dec 2014 19:00:28 +0100 Subject: [PATCH 17/19] Fixes the "Card preview window gets stuck and can't be removed" issue by saving the cardname, instead of getting it back from the popup (with possible issues with case sensitivity). Also closes an old popup when a new is created. --- cockatrice/src/tab.cpp | 6 +++++- cockatrice/src/tab.h | 1 + 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/cockatrice/src/tab.cpp b/cockatrice/src/tab.cpp index 28838ed2..7ae2cca2 100644 --- a/cockatrice/src/tab.cpp +++ b/cockatrice/src/tab.cpp @@ -10,6 +10,10 @@ Tab::Tab(TabSupervisor *_tabSupervisor, QWidget *parent) void Tab::showCardInfoPopup(const QPoint &pos, const QString &cardName) { + if (infoPopup) { + infoPopup->deleteLater(); + } + currentCardName = cardName; infoPopup = new CardInfoWidget(CardInfoWidget::ModePopUp, cardName, 0, Qt::Widget | Qt::FramelessWindowHint | Qt::X11BypassWindowManagerHint | Qt::WindowStaysOnTopHint); infoPopup->setAttribute(Qt::WA_TransparentForMouseEvents); QRect screenRect = qApp->desktop()->screenGeometry(this); @@ -23,7 +27,7 @@ void Tab::showCardInfoPopup(const QPoint &pos, const QString &cardName) void Tab::deleteCardInfoPopup(const QString &cardName) { if (infoPopup) { - if ((infoPopup->getCardName() == cardName) || (cardName == "_")) { + if ((currentCardName == cardName) || (cardName == "_")) { infoPopup->deleteLater(); infoPopup = 0; } diff --git a/cockatrice/src/tab.h b/cockatrice/src/tab.h index 1b8b7704..30d4e2ed 100644 --- a/cockatrice/src/tab.h +++ b/cockatrice/src/tab.h @@ -19,6 +19,7 @@ protected slots: void showCardInfoPopup(const QPoint &pos, const QString &cardName); void deleteCardInfoPopup(const QString &cardName); private: + QString currentCardName; bool contentsChanged; CardInfoWidget *infoPopup; QList tabMenus; From 3c9ddd780e44a060c6cf44c940c72d3b7cdbf17e Mon Sep 17 00:00:00 2001 From: Michael Callahan Date: Tue, 30 Dec 2014 15:27:21 -0700 Subject: [PATCH 18/19] Better icon packing in PlayerListWidget. --- cockatrice/src/playerlistwidget.cpp | 15 +++++++++------ 1 file changed, 9 insertions(+), 6 deletions(-) diff --git a/cockatrice/src/playerlistwidget.cpp b/cockatrice/src/playerlistwidget.cpp index b535c2c1..4349c50d 100644 --- a/cockatrice/src/playerlistwidget.cpp +++ b/cockatrice/src/playerlistwidget.cpp @@ -70,13 +70,13 @@ PlayerListWidget::PlayerListWidget(TabSupervisor *_tabSupervisor, AbstractClient setMinimumHeight(60); setIconSize(QSize(20, 15)); setColumnCount(6); + setColumnWidth(0, 20); + setColumnWidth(1, 20); + setColumnWidth(2, 20); + setColumnWidth(3, 20); + setColumnWidth(5, 20); setHeaderHidden(true); setRootIsDecorated(false); -#if QT_VERSION < 0x050000 - header()->setResizeMode(QHeaderView::ResizeToContents); -#else - header()->setSectionResizeMode(QHeaderView::ResizeToContents); -#endif retranslateUi(); } @@ -116,6 +116,7 @@ void PlayerListWidget::updatePlayerProperties(const ServerInfo_PlayerProperties player->setData(3, Qt::UserRole, prop.user_info().user_level()); player->setIcon(3, QIcon(UserLevelPixmapGenerator::generatePixmap(12, UserLevelFlags(prop.user_info().user_level())))); player->setText(4, QString::fromStdString(prop.user_info().name())); + resizeColumnToContents(4); const QString country = QString::fromStdString(prop.user_info().country()); if (!country.isEmpty()) player->setIcon(4, QIcon(CountryPixmapGenerator::generatePixmap(12, country))); @@ -123,8 +124,10 @@ void PlayerListWidget::updatePlayerProperties(const ServerInfo_PlayerProperties } if (prop.has_player_id()) player->setData(4, Qt::UserRole + 1, prop.player_id()); - if (prop.has_deck_hash()) + if (prop.has_deck_hash()) { player->setText(5, QString::fromStdString(prop.deck_hash())); + resizeColumnToContents(5); + } if (prop.has_sideboard_locked()) player->setIcon(5, prop.sideboard_locked() ? lockIcon : QIcon()); if (prop.has_ping_seconds()) From 3a0c86938ca585f4675e1e1b1fe8163c35fb4ae3 Mon Sep 17 00:00:00 2001 From: Michael Callahan Date: Tue, 30 Dec 2014 15:54:38 -0700 Subject: [PATCH 19/19] Clean up a small pile of compiler warnings. --- CMakeLists.txt | 4 ++-- cockatrice/src/carddatabase.cpp | 2 +- cockatrice/src/dlg_connect.cpp | 1 + cockatrice/src/filtertree.h | 2 +- cockatrice/src/setsmodel.h | 2 +- oracle/src/oracleimporter.h | 2 +- servatrice/src/servatrice.cpp | 4 ++++ servatrice/src/servatrice.h | 4 ++++ 8 files changed, 15 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 4cf8857a..838bf4e1 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -79,9 +79,9 @@ ELSEIF (CMAKE_COMPILER_IS_GNUCXX) include(CheckCXXCompilerFlag) set(CMAKE_CXX_FLAGS_RELEASE "-s -O2") - set(CMAKE_CXX_FLAGS_DEBUG "-ggdb -O0 -Wall -Wextra -pedantic -Werror") + set(CMAKE_CXX_FLAGS_DEBUG "-ggdb -O0 -Wall -Wextra -Werror") - set(ADDITIONAL_DEBUG_FLAGS -Wcast-align -Wmissing-declarations -Winline -Wno-long-long -Wno-error=extra -Wno-error=unused-parameter -Wno-inline -Wno-error=delete-non-virtual-dtor -Wno-error=sign-compare -Wno-error=reorder -Wno-error=missing-declarations) + set(ADDITIONAL_DEBUG_FLAGS -Wcast-align -Wmissing-declarations -Wno-long-long -Wno-error=extra -Wno-error=delete-non-virtual-dtor -Wno-error=sign-compare -Wno-error=missing-declarations) FOREACH(FLAG ${ADDITIONAL_DEBUG_FLAGS}) CHECK_CXX_COMPILER_FLAG("${FLAG}" CXX_HAS_WARNING_${FLAG}) diff --git a/cockatrice/src/carddatabase.cpp b/cockatrice/src/carddatabase.cpp index 2d311900..e2020dd9 100644 --- a/cockatrice/src/carddatabase.cpp +++ b/cockatrice/src/carddatabase.cpp @@ -31,7 +31,7 @@ static QXmlStreamWriter &operator<<(QXmlStreamWriter &xml, const CardSet *set) } CardSet::CardSet(const QString &_shortName, const QString &_longName, const QString &_setType, const QDate &_releaseDate) - : shortName(_shortName), longName(_longName), setType(_setType), releaseDate(_releaseDate) + : shortName(_shortName), longName(_longName), releaseDate(_releaseDate), setType(_setType) { updateSortKey(); } diff --git a/cockatrice/src/dlg_connect.cpp b/cockatrice/src/dlg_connect.cpp index 152d62b9..d3bc4027 100644 --- a/cockatrice/src/dlg_connect.cpp +++ b/cockatrice/src/dlg_connect.cpp @@ -75,6 +75,7 @@ DlgConnect::DlgConnect(QWidget *parent) void DlgConnect::passwordSaved(int state) { + Q_UNUSED(state); if(savePasswordCheckBox->isChecked()) { autoConnectCheckBox->setEnabled(true); } else { diff --git a/cockatrice/src/filtertree.h b/cockatrice/src/filtertree.h index d945e567..68f8fafb 100644 --- a/cockatrice/src/filtertree.h +++ b/cockatrice/src/filtertree.h @@ -154,7 +154,7 @@ public: FilterTreeNode *termNode(const CardFilter *f); FilterTreeNode *attrTypeNode(CardFilter::Attr attr, CardFilter::Type type); - const char *textCStr() { return "root"; } + const char *textCStr() const { return "root"; } int index() const { return 0; } bool acceptsCard(const CardInfo *info) const; diff --git a/cockatrice/src/setsmodel.h b/cockatrice/src/setsmodel.h index 17911db1..8655fe88 100644 --- a/cockatrice/src/setsmodel.h +++ b/cockatrice/src/setsmodel.h @@ -29,7 +29,7 @@ public: SetsModel(CardDatabase *_db, QObject *parent = 0); ~SetsModel(); int rowCount(const QModelIndex &parent = QModelIndex()) const; - int columnCount(const QModelIndex &parent = QModelIndex()) const { return NUM_COLS; } + int columnCount(const QModelIndex &parent = QModelIndex()) const { Q_UNUSED(parent); return NUM_COLS; } QVariant data(const QModelIndex &index, int role) const; QVariant headerData(int section, Qt::Orientation orientation, int role = Qt::DisplayRole) const; Qt::ItemFlags flags(const QModelIndex &index) const; diff --git a/oracle/src/oracleimporter.h b/oracle/src/oracleimporter.h index e8fe9e9d..27d89085 100644 --- a/oracle/src/oracleimporter.h +++ b/oracle/src/oracleimporter.h @@ -21,7 +21,7 @@ public: bool getImport() const { return import; } void setImport(bool _import) { import = _import; } SetToDownload(const QString &_shortName, const QString &_longName, const QVariant &_cards, bool _import, const QString &_setType = QString(), const QDate &_releaseDate = QDate()) - : shortName(_shortName), longName(_longName), import(_import), cards(_cards), setType(_setType), releaseDate(_releaseDate) { } + : shortName(_shortName), longName(_longName), import(_import), cards(_cards), releaseDate(_releaseDate), setType(_setType) { } bool operator<(const SetToDownload &set) const { return longName.compare(set.longName, Qt::CaseInsensitive) < 0; } }; diff --git a/servatrice/src/servatrice.cpp b/servatrice/src/servatrice.cpp index dd561846..4911a816 100644 --- a/servatrice/src/servatrice.cpp +++ b/servatrice/src/servatrice.cpp @@ -108,7 +108,11 @@ void Servatrice_GameServer::incomingConnection(qintptr socketDescriptor) QMetaObject::invokeMethod(ssi, "initConnection", Qt::QueuedConnection, Q_ARG(int, socketDescriptor)); } +#if QT_VERSION < 0x050000 void Servatrice_IslServer::incomingConnection(int socketDescriptor) +#else +void Servatrice_IslServer::incomingConnection(qintptr socketDescriptor) +#endif { QThread *thread = new QThread; connect(thread, SIGNAL(finished()), thread, SLOT(deleteLater())); diff --git a/servatrice/src/servatrice.h b/servatrice/src/servatrice.h index 86da6dc5..baa2e6e8 100644 --- a/servatrice/src/servatrice.h +++ b/servatrice/src/servatrice.h @@ -68,7 +68,11 @@ public: Servatrice_IslServer(Servatrice *_server, const QSslCertificate &_cert, const QSslKey &_privateKey, QObject *parent = 0) : QTcpServer(parent), server(_server), cert(_cert), privateKey(_privateKey) { } protected: +#if QT_VERSION < 0x050000 void incomingConnection(int socketDescriptor); +#else + void incomingConnection(qintptr socketDescriptor); +#endif }; class ServerProperties {