From 3ecc76c8d922024f5c1539ead4108d977cd5bbd6 Mon Sep 17 00:00:00 2001 From: "Hanna K." Date: Thu, 21 Nov 2024 09:02:56 +0100 Subject: [PATCH] Add option to add/edit comment to history context menu; Show "comment" in status for comments (expression beginning with '#'); Save comments in result on exit; Do not show error for comment in expression status; Disable find (date) menu items when history is empty; Improve automatic grouping of digits in input; Fix removal of single result (of multiple) from expression after previous history edit or history format update; Increment version number; Update translations --- README | 2 +- qalculate-qt.pro | 2 +- src/expressionedit.cpp | 39 +- src/historyview.cpp | 124 +++- src/historyview.h | 3 +- src/main.cpp | 2 +- src/qalculateqtsettings.cpp | 2 +- src/qalculatewindow.cpp | 22 +- translations/qalculate-qt_ca.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_de.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_es.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_fr.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_nl.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_pt_BR.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_pt_PT.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_ru.ts | 20 + translations/qalculate-qt_sl.ts | 884 ++++++++++++++-------------- translations/qalculate-qt_sv.ts | 886 +++++++++++++++-------------- translations/qalculate-qt_zh_CN.ts | 884 ++++++++++++++-------------- 19 files changed, 4727 insertions(+), 4331 deletions(-) diff --git a/README b/README index 24dc980..1b23b1a 100644 --- a/README +++ b/README @@ -12,7 +12,7 @@ Qt, and CLI). 1. Requirements * Qt5 (>= 5.6) or Qt6 -* libqalculate (>= 5.2.0) +* libqalculate (>= 5.4.0) 2. Installation diff --git a/qalculate-qt.pro b/qalculate-qt.pro index f3e1f50..40946df 100644 --- a/qalculate-qt.pro +++ b/qalculate-qt.pro @@ -1,4 +1,4 @@ -VERSION = 5.3.0 +VERSION = 5.4.0 isEmpty(PREFIX) { PREFIX = /usr/local } diff --git a/src/expressionedit.cpp b/src/expressionedit.cpp index 8d4af76..6d8bf29 100644 --- a/src/expressionedit.cpp +++ b/src/expressionedit.cpp @@ -2323,20 +2323,15 @@ void ExpressionEdit::displayParseStatus(bool update, bool show_tooltip) { QString qtext = toPlainText(); std::string text = qtext.toStdString(), str_f; if(text.find("#") != std::string::npos) { - bool double_tag = false; - std::string to_str = CALCULATOR->parseComments(text, settings->evalops.parse_options, &double_tag); - if(!to_str.empty() && text.empty() && double_tag) { - text = CALCULATOR->getFunctionById(FUNCTION_ID_MESSAGE)->referenceName(); - text += "("; - if(to_str.find("\"") == std::string::npos) {text += "\""; text += to_str; text += "\"";} - else if(to_str.find("\'") == std::string::npos) {text += "\'"; text += to_str; text += "\'";} - else text += to_str; - text += ")"; - } else if(text.empty()) { - function_pos = QPoint(); - setStatusText(""); - prev_parsed_expression = ""; - expression_has_changed2 = false; + CALCULATOR->parseComments(text, settings->evalops.parse_options); + if(text.empty()) { + if(settings->status_in_history) { + setStatusText(""); + emit statusChanged(tr("comment"), false, false, false, expression_from_history); + } else if(show_tooltip) { + setStatusText(tr("comment")); + function_pos = QPoint(); + } return; } } @@ -2830,13 +2825,18 @@ void ExpressionEdit::onTextChanged() { if(tipLabel && settings->expression_status_delay > 0 && current_status_type != 2) tipLabel->hideTip(); if(block_text_change) return; previous_pos = textCursor().position(); - if(settings->automatic_digit_grouping && settings->evalops.parse_options.base == BASE_DECIMAL && previous_pos > 3 && previous_text != str && !str.isEmpty() && str[previous_pos - 1].isDigit()) { + if(settings->automatic_digit_grouping && settings->evalops.parse_options.base == BASE_DECIMAL && previous_pos >= 3 && previous_text != str && !str.isEmpty() && str[previous_pos - 1].isDigit()) { + char sep = ' '; + if(settings->printops.digit_grouping == DIGIT_GROUPING_LOCALE) { + if(CALCULATOR->local_digit_group_separator == "." && settings->evalops.parse_options.dot_as_separator) sep = '.'; + else if(CALCULATOR->local_digit_group_separator == "," && settings->evalops.parse_options.comma_as_separator) sep = ','; + } int n = 0, ns = 0, ns_p = 0; int last_pos = 0; if(previous_pos < str.length()) { last_pos = previous_pos - 1; for(; last_pos < str.length(); last_pos++) { - if(!str[last_pos].isDigit() && (!str[last_pos].isSpace() || last_pos == str.length() - 1 || !str[last_pos + 1].isDigit())) { + if(!str[last_pos].isDigit() && ((sep == ' ' && !str[last_pos].isSpace()) || (sep != ' ' && str[last_pos] != sep) || last_pos == str.length() - 1 || !str[last_pos + 1].isDigit())) { break; } } @@ -2848,7 +2848,7 @@ void ExpressionEdit::onTextChanged() { for(int i = last_pos; i >= 0; i--) { if(str[i].isDigit()) { n++; - } else if(str[i].isSpace() && i > 0 && str[i - 1].isDigit()) { + } else if(((sep == ' ' && str[i].isSpace()) || (sep != ' ' && str[i] == sep)) && i > 0 && str[i - 1].isDigit()) { if(i < previous_pos) ns_p++; ns++; } else { @@ -2858,7 +2858,7 @@ void ExpressionEdit::onTextChanged() { } if((n > 4 && ns < (n + 1) / 3) || (ns > 0 && str.length() < previous_text.length())) { for(int i = last_pos - 1; ns > 0 && i >= 0;) { - if(str[i].isSpace()) { + if(((sep == ' ' && str[i].isSpace()) || (sep != ' ' && str[i] == sep))) { str.remove(i, 1); ns--; last_pos--; @@ -2869,7 +2869,8 @@ void ExpressionEdit::onTextChanged() { previous_pos -= ns_p; ns_p = 0; for(int i = last_pos - 2; n > 4 && i > first_pos; i -= 3) { - str.insert(i, THIN_SPACE); + if(sep == ' ') str.insert(i, THIN_SPACE); + else str.insert(i, sep); if(i < previous_pos) ns_p++; } previous_pos += ns_p; diff --git a/src/historyview.cpp b/src/historyview.cpp index 11d9ae1..fd29c66 100644 --- a/src/historyview.cpp +++ b/src/historyview.cpp @@ -30,6 +30,7 @@ #include #include #include +#include #include #include @@ -439,6 +440,7 @@ void HistoryView::addResult(std::vector values, std::string express mstr.replace(">=", SIGN_GREATER_OR_EQUAL); mstr.replace("<=", SIGN_LESS_OR_EQUAL); mstr.replace("!=", SIGN_NOT_EQUAL); + mstr.replace("\n", "
"); } MessageType mtype = CALCULATOR->message()->type(); if(temporary) { @@ -450,8 +452,8 @@ void HistoryView::addResult(std::vector values, std::string express serror += mstr; } } else { - serror += "color == 2) serror += "#FFAAAA"; @@ -462,11 +464,13 @@ void HistoryView::addResult(std::vector values, std::string express } serror += ""; if(CALCULATOR->message()->stage() == MESSAGE_STAGE_PARSING) b_parse_error = true; + serror += "\">"; + if(!mstr.startsWith("-")) serror += "- "; + serror += mstr.toHtmlEscaped(); + serror += ""; + } else { + values.insert(values.begin(), std::string("#") + mstr.toStdString()); } - serror += "\">"; - if(!mstr.startsWith("-")) serror += "- "; - serror += mstr.toHtmlEscaped(); - if(!temporary) serror += ""; } } } while(CALCULATOR->nextMessage()); @@ -474,9 +478,13 @@ void HistoryView::addResult(std::vector values, std::string express } PASTE_H QString str; + bool comment = false; if(!expression.empty() || !parse.empty()) { - if(initial_load && index != settings->v_expression.size() - 1) str += QStringLiteral("").arg(paste_h / 4).arg(text_color.name()).arg(paste_h / 2); - else str += QStringLiteral("").arg(paste_h / 4).arg(text_color.name()); + comment = !temporary && expression.empty() && parse == "#"; + if(initial_load && index != settings->v_expression.size() - 1) str += QStringLiteral(""; if(temporary) { parse_tmp = parse; result_tmp = (values.empty() ? "" : values[0]); @@ -501,7 +509,7 @@ void HistoryView::addResult(std::vector values, std::string express } } gsub("", "", parse); - if(!temporary && !expression.empty() && (settings->history_expression_type > 0 || parse.empty())) { + if(!comment && !temporary && !expression.empty() && (settings->history_expression_type > 0 || parse.empty())) { if(!parse.empty() && settings->history_expression_type > 1 && parse != expression) { str += QStringLiteral("").arg(initial_load ? (int) index : settings->v_expression.size() - 1); str += QString::fromStdString(expression).toHtmlEscaped(); @@ -520,7 +528,7 @@ void HistoryView::addResult(std::vector values, std::string express str += QString::fromStdString(expression).toHtmlEscaped(); str += ""; } - } else { + } else if(!comment) { if(temporary) str += ""; else str += QStringLiteral("").arg(initial_load ? (int) index : settings->v_expression.size() - 1); if(!pexact) str += SIGN_ALMOST_EQUAL " "; @@ -573,6 +581,18 @@ void HistoryView::addResult(std::vector values, std::string express values.push_back(""); } for(size_t i = 0; i < values.size(); i++) { + if(!values[i].empty() && values[i][0] == '#') { + str += ""; + str += QStringLiteral("").arg(initial_load ? index : settings->v_expression.size() - 1).arg(initial_load == 1 ? (int) i : settings->v_result[settings->v_result.size() - 1].size() - i - 1); + if(values[i].size() == 1 || values[i][1] != '-') str += "- "; + str += QString::fromStdString(values[i]).mid(1); + str += ""; + continue; + } size_t i_answer = 0; if(initial_load) i_answer = settings->v_value[index][i]; else if(!temporary) i_answer = dual_approx && i == 0 ? settings->history_answer.size() - 1 : settings->history_answer.size(); @@ -608,8 +628,7 @@ void HistoryView::addResult(std::vector values, std::string express } } str += " 1 && i > 0 && i_answer <= i_answer_pre) initial_load = 1; - if(initial_load == 1 || w * 1.5 + w_number > width() || !settings->format_result) { + if(initial_load == 1 || (initial_load > 1 && i > 0 && i_answer <= i_answer_pre) || w * 1.5 + w_number > width() || !settings->format_result) { gsub("", "", values[i]); } else if(w * 1.85 + w_number > width()) { str += "; font-size:large"; @@ -631,8 +650,8 @@ void HistoryView::addResult(std::vector values, std::string express if(temporary && !values[i].empty()) { str += ""; } else if(!temporary) { - if(i_answer == 0) str += QStringLiteral("").arg(initial_load ? index : settings->v_expression.size() - 1).arg(initial_load ? (int) i : settings->v_result[settings->v_result.size() - 1].size() - i - 1); - else str += QStringLiteral("").arg(i_answer).arg(initial_load ? index : settings->v_expression.size() - 1).arg(initial_load ? (int) i : settings->v_result[settings->v_result.size() - 1].size() - i - 1); + if(i_answer == 0) str += QStringLiteral("").arg(initial_load ? index : settings->v_expression.size() - 1).arg(initial_load == 1 ? (int) i : settings->v_result[settings->v_result.size() - 1].size() - i - 1); + else str += QStringLiteral("").arg(i_answer).arg(initial_load ? index : settings->v_expression.size() - 1).arg(initial_load == 1 ? (int) i : settings->v_result[settings->v_result.size() - 1].size() - i - 1); } if(!temporary || !values[i].empty()) { if(b_exact > 0) str += "= "; @@ -854,7 +873,10 @@ void HistoryView::mouseDoubleClickEvent(QMouseEvent *e) { } else { int i1 = str.left(index).toInt(); int i2 = str.mid(index + 1).toInt(); - if(i1 >= 0 && (size_t) i1 < settings->v_result.size() && i2 >= 0 && (size_t) i2 < settings->v_result[i1].size()) emit insertTextRequested(settings->v_result[i1][i2]); + if(i1 >= 0 && (size_t) i1 < settings->v_result.size() && i2 >= 0 && (size_t) i2 < settings->v_result[i1].size()) { + if(!settings->v_result[i1][i2].empty() && settings->v_result[i1][i2][0] == '#') emit insertTextRequested(settings->v_result[i1][i2].substr(1)); + else emit insertTextRequested(settings->v_result[i1][i2]); + } } } } @@ -983,10 +1005,19 @@ void HistoryView::editRemove() { indexAtPos(context_pos, &i1, &i2); if(i1 < 0 || i1 >= (int) settings->v_expression.size()) return; if(i2 >= 0 && i2 < (int) settings->v_result[i1].size()) { - if(settings->v_result[i1].size() == 1) { + bool remove_expression = true; + for(size_t i = 0; i < settings->v_result[i1].size(); i++) { + if(i != (size_t) i2 && (settings->v_result[i1][i].empty() || settings->v_result[i1][i][0] != '#')) { + remove_expression = false; + break; + } + } + if(remove_expression) { i2 = -1; } else { settings->v_result[i1].erase(settings->v_result[i1].begin() + i2); + settings->v_exact[i1].erase(settings->v_exact[i1].begin() + i2); + settings->v_value[i1].erase(settings->v_value[i1].begin() + i2); } } if(i2 < 0) { @@ -1006,6 +1037,52 @@ void HistoryView::editRemove() { reloadHistory(); verticalScrollBar()->setValue(vpos); } +void HistoryView::editComment() { + int i1 = -1, i2 = -1; + indexAtPos(context_pos, &i1, &i2); + if(i1 < 0 || i1 >= (int) settings->v_expression.size()) return; + bool b_edit = i2 >= 0 && i2 < (int) settings->v_result[i1].size() && !settings->v_result[i1][i2].empty() && settings->v_result[i1][i2][0] == '#'; + if(i2 < 0 || i2 >= (int) settings->v_result[i1].size()) i2 = 0; + QDialog *dialog = new QDialog(this); + QVBoxLayout *box = new QVBoxLayout(dialog); + if(settings->always_on_top) dialog->setWindowFlags(dialog->windowFlags() | Qt::WindowStaysOnTopHint); + dialog->setWindowTitle(tr("Comment")); + QGridLayout *grid = new QGridLayout(); + QPlainTextEdit *commentEdit = new QPlainTextEdit(this); + if(b_edit) { + QString str = QString::fromStdString(unhtmlize(settings->v_result[i1][i2].substr(1))); + commentEdit->setPlainText(str); + commentEdit->selectAll(); + } + commentEdit->setFocus(); + grid->addWidget(commentEdit, 0, 0); + box->addLayout(grid); + QDialogButtonBox *buttonBox = new QDialogButtonBox(QDialogButtonBox::Cancel | QDialogButtonBox::Ok, Qt::Horizontal, dialog); + buttonBox->button(QDialogButtonBox::Ok)->setDefault(true); + buttonBox->button(QDialogButtonBox::Cancel)->setAutoDefault(false); + box->addWidget(buttonBox); + connect(buttonBox->button(QDialogButtonBox::Ok), SIGNAL(clicked()), dialog, SLOT(accept())); + connect(buttonBox->button(QDialogButtonBox::Cancel), SIGNAL(clicked()), dialog, SLOT(reject())); + if(dialog->exec() == QDialog::Accepted && (b_edit || !commentEdit->toPlainText().trimmed().isEmpty())) { + if(b_edit && commentEdit->toPlainText().trimmed().isEmpty()) { + editRemove(); + } else { + QString str = "#" + commentEdit->toPlainText().trimmed().toHtmlEscaped(); + str.replace("\n", "
"); + if(b_edit) { + settings->v_result[i1][i2] = str.toStdString(); + } else { + settings->v_result[i1].insert(settings->v_result[i1].begin() + i2, str.toStdString()); + settings->v_exact[i1].insert(settings->v_exact[i1].begin() + i2, settings->v_exact[i1][i2]); + settings->v_value[i1].insert(settings->v_value[i1].begin() + i2, settings->v_value[i1][i2]); + } + int vpos = verticalScrollBar()->value(); + reloadHistory(); + verticalScrollBar()->setValue(vpos); + } + } + dialog->deleteLater(); +} void HistoryView::editProtect() { int i1 = -1, i2 = -1; indexAtPos(context_pos, &i1, &i2); @@ -1096,6 +1173,7 @@ void HistoryView::contextMenuEvent(QContextMenuEvent *e) { cmenu->addSeparator(); protectAction = cmenu->addAction(tr("Protect"), this, SLOT(editProtect())); protectAction->setCheckable(true); + commentAction = cmenu->addAction(tr("Add Comment…"), this, SLOT(editComment())); movetotopAction = cmenu->addAction(tr("Move to Top"), this, SLOT(editMoveToTop())); cmenu->addSeparator(); delAction = cmenu->addAction(tr("Remove"), this, SLOT(editRemove())); @@ -1129,6 +1207,9 @@ void HistoryView::contextMenuEvent(QContextMenuEvent *e) { if(i1 >= 0 && !settings->v_time.empty() && settings->v_time[i1] != 0) findDateAction->setText(tr("Search by Date…") + " (" + QDateTime::fromMSecsSinceEpoch(settings->v_time[i1] * 1000).date().toString(Qt::ISODate) + ")"); #endif else findDateAction->setText(tr("Search by Date…")); + commentAction->setEnabled(i1 >= 0); + if(i1 >= 0 && i2 >= 0 && i2 < (int) settings->v_result[i1].size() && !settings->v_result[i1][i2].empty() && settings->v_result[i1][i2][0] == '#') commentAction->setText(tr("Edit Comment…")); + else commentAction->setText(tr("Add Comment…")); } else { copyAction->setEnabled(textCursor().hasSelection()); copyFormattedAction->setEnabled(textCursor().hasSelection()); @@ -1139,7 +1220,11 @@ void HistoryView::contextMenuEvent(QContextMenuEvent *e) { insertValueAction->setEnabled(false); insertTextAction->setEnabled(false); findDateAction->setText(tr("Search by Date…")); + commentAction->setEnabled(false); + commentAction->setText(tr("Add Comment…")); } + findAction->setEnabled(!settings->v_expression.empty()); + findDateAction->setEnabled(!settings->v_expression.empty()); clearAction->setEnabled(!settings->v_expression.empty()); cmenu->popup(e->globalPos()); } @@ -1457,6 +1542,7 @@ void HistoryView::editCopy(int ascii) { if(b_temp || ((size_t) i1 < settings->v_result.size() && (size_t) i2 < settings->v_result[i1].size())) { if(ascii) { std::string str = (b_temp ? result_tmp : settings->v_result[i1][i2]); + if(!str.empty() && str[0] == '#') str.erase(0, 1); if(settings->copy_ascii_without_units) { size_t i = str.find(""); if(i == std::string::npos) i = str.find(""); @@ -1470,6 +1556,9 @@ void HistoryView::editCopy(int ascii) { if(b_temp) { qm->setHtml(QString::fromStdString(uncolorize(result_tmp))); qm->setText(QString::fromStdString(unhtmlize((result_tmp)))); + } else if(!settings->v_result[i1][i2].empty() && settings->v_result[i1][i2][0] == '#') { + qm->setHtml(QString::fromStdString(uncolorize(settings->v_result[i1][i2].substr(1)))); + qm->setText(QString::fromStdString(unhtmlize((settings->v_result[i1][i2].substr(1))))); } else { qm->setHtml(QString::fromStdString(uncolorize(settings->v_result[i1][i2]))); qm->setText(QString::fromStdString(unhtmlize((settings->v_result[i1][i2])))); @@ -1501,7 +1590,10 @@ void HistoryView::editInsertText() { } else if(i1 < 0 && astr == "TP") { emit insertTextRequested(parse_tmp); } else if(i2 >= 0) { - if(i1 >= 0 && (size_t) i1 < settings->v_result.size() && (size_t) i2 < settings->v_result[i1].size()) emit insertTextRequested(settings->v_result[i1][i2]); + if(i1 >= 0 && (size_t) i1 < settings->v_result.size() && (size_t) i2 < settings->v_result[i1].size()) { + if(!settings->v_result[i1][i2].empty() && settings->v_result[i1][i2][0] == '#') emit insertTextRequested(settings->v_result[i1][i2].substr(1)); + else emit insertTextRequested(settings->v_result[i1][i2]); + } } else { if(i1 >= 0 && (size_t) i1 < settings->v_expression.size()) emit insertTextRequested(settings->v_expression[i1].empty() ? settings->v_parse[i1] : settings->v_expression[i1]); } diff --git a/src/historyview.h b/src/historyview.h index db14d9c..fecb155 100644 --- a/src/historyview.h +++ b/src/historyview.h @@ -53,7 +53,7 @@ class HistoryView : public QTextEdit { int i_pos, i_pos2, i_pos_p, i_pos_p2, previous_cursor, previous_cursor2, previous_temporary; int has_lock_symbol; QMenu *cmenu, *fileMenu, *modeMenu; - QAction *insertTextAction, *insertValueAction, *copyAction, *copyFormattedAction, *copyAsciiAction, *selectAllAction, *delAction, *clearAction, *protectAction, *movetotopAction, *tbAction, *fileSeparator, *findDateAction; + QAction *insertTextAction, *insertValueAction, *copyAction, *copyFormattedAction, *copyAsciiAction, *selectAllAction, *delAction, *clearAction, *protectAction, *movetotopAction, *tbAction, *fileSeparator, *findDateAction, *commentAction; QColor text_color; QRect prev_fonti; QPoint context_pos; @@ -87,6 +87,7 @@ class HistoryView : public QTextEdit { void editFind(); void editFindDate(); void editMoveToTop(); + void editComment(); void reloadHistory(); signals: diff --git a/src/main.cpp b/src/main.cpp index 75021f0..c4e630b 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -59,7 +59,7 @@ int main(int argc, char **argv) { #if (QT_VERSION >= QT_VERSION_CHECK(5, 7, 0)) app.setDesktopFileName("io.github.Qalculate.qalculate-qt"); #endif - app.setApplicationVersion("5.3.0"); + app.setApplicationVersion("5.4.0"); #if (QT_VERSION < QT_VERSION_CHECK(6, 0, 0)) app.setAttribute(Qt::AA_UseHighDpiPixmaps); #endif diff --git a/src/qalculateqtsettings.cpp b/src/qalculateqtsettings.cpp index 4c04082..4200e41 100644 --- a/src/qalculateqtsettings.cpp +++ b/src/qalculateqtsettings.cpp @@ -1106,7 +1106,7 @@ void QalculateQtSettings::loadPreferences() { max_plot_time = 5; preferences_version[0] = 5; - preferences_version[1] = 3; + preferences_version[1] = 4; preferences_version[2] = 0; if(file) { diff --git a/src/qalculatewindow.cpp b/src/qalculatewindow.cpp index 9955d70..a224ce4 100644 --- a/src/qalculatewindow.cpp +++ b/src/qalculatewindow.cpp @@ -4468,7 +4468,7 @@ void QalculateWindow::calculateExpression(bool force, bool do_mathoperation, Mat to_str = CALCULATOR->parseComments(str, settings->evalops.parse_options, &double_tag); if(!to_str.empty()) { if(str.empty()) { - if(!double_tag) { + if(!double_tag && settings->current_result) { expressionEdit->clear(); CALCULATOR->message(MESSAGE_INFORMATION, to_str.c_str(), NULL); historyView->addMessages(); @@ -6228,7 +6228,7 @@ void QalculateWindow::onStatusChanged(QString status, bool is_expression, bool h std::string current_text = expressionEdit->toPlainText().trimmed().toStdString(); bool last_op = false; if(expressionEdit->textCursor().atEnd()) last_op = last_is_operator(current_text); - if(status.isEmpty()) { + if(status.isEmpty() || current_text.empty() || (current_text.length() == 1 && current_text[0] == '#')) { if(autoCalculateTimer) autoCalculateTimer->stop(); historyView->clearTemporary(); auto_expression = ""; @@ -6236,7 +6236,7 @@ void QalculateWindow::onStatusChanged(QString status, bool is_expression, bool h auto_error = false; mauto.setAborted(); updateWindowTitle(QString::fromStdString(unhtmlize(result_text)), true); - } else if(!is_expression || !settings->auto_calculate || contains_plot_or_save(current_text)) { + } else if(!is_expression || !settings->auto_calculate || contains_plot_or_save(current_text) || current_text[0] == '#') { if(autoCalculateTimer) autoCalculateTimer->stop(); if(!had_error && (!had_warning || last_op) && !auto_error && auto_result.empty() && (auto_expression == status.toStdString() || (last_op && auto_expression.empty() && auto_result.empty()))) return; auto_error = had_error || had_warning; @@ -7025,12 +7025,6 @@ void QalculateWindow::setResult(Prefix *prefix, bool update_history, bool update update_parse = false; } - if(update_parse && parsed_mstruct && parsed_mstruct->isFunction() && (parsed_mstruct->function()->id() == FUNCTION_ID_ERROR || parsed_mstruct->function()->id() == FUNCTION_ID_WARNING || parsed_mstruct->function()->id() == FUNCTION_ID_MESSAGE)) { - expressionEdit->clear(); - historyView->addMessages(); - return; - } - b_busy++; if(!viewThread->running && !viewThread->start()) {b_busy--; return;} @@ -7261,7 +7255,15 @@ void QalculateWindow::setResult(Prefix *prefix, bool update_history, bool update } else { exact_text = ""; } - alt_results.push_back(result_text); + if(update_parse && parsed_mstruct && alt_results.empty() && mstruct->isZero() && parsed_mstruct->isFunction() && (parsed_mstruct->function()->id() == FUNCTION_ID_ERROR || parsed_mstruct->function()->id() == FUNCTION_ID_WARNING || parsed_mstruct->function()->id() == FUNCTION_ID_MESSAGE || parsed_mstruct->function()->subtype() == SUBTYPE_DATA_SET) && CALCULATOR->message() && CALCULATOR->message()->type() == MESSAGE_INFORMATION) { + if(prev_result_text.empty()) { + expressionEdit->clear(); + parsed_text = "#"; + } + result_text = ""; + } else { + alt_results.push_back(result_text); + } for(size_t i = 0; i < alt_results.size(); i++) { gsub("\n", "
", alt_results[i]); } diff --git a/translations/qalculate-qt_ca.ts b/translations/qalculate-qt_ca.ts index fdea5ca..62a8994 100644 --- a/translations/qalculate-qt_ca.ts +++ b/translations/qalculate-qt_ca.ts @@ -6055,7 +6055,7 @@ Voleu sobreescriure la funció? - + Unicode Unicode @@ -6214,338 +6214,344 @@ Voleu sobreescriure la funció? %1: - - + + + comment + comentari + + + + MC (memory clear) MC (neteja la memòria) - - + + MS (memory store) MS (desa a la memòria) - - + + M+ (memory plus) M+ (afegeix a la memòria) - - + + M− (memory minus) M− (elimina de la memòria) - - + + factorize factoritza - - + + expand expandeix - + hexadecimal hexadecimal - - + + hexadecimal number nombre hexadecimal - + octal octal - + octal number nombre octal - + decimal decimal - + decimal number nombre decimal - + duodecimal duodecimal - - + + duodecimal number nombre duodecimal - + binary binària - - + + binary number nombre binari - + roman romana - + roman numerals numerals romans - + bijective bijectiva - + bijective base-26 base 26 bijectiva - + binary-coded decimal BCD - + sexagesimal sexagesimal - + sexagesimal number nombre sexagesimal + - latitude latitud + - longitude longitud - + 32-bit floating point punt flotant de 32 bits - + 64-bit floating point punt flotant de 64 bits - + 16-bit floating point punt flotant de 16 bis - + 80-bit (x86) floating point punt flotant de 80 bits (x86) - + 128-bit floating point punt flotant de 128 bits - + time temps - + time format format de temps - + bases bases - + number bases bases numèriques + - calendars calendaris - + optimal òptima - + optimal unit unitat òptima - + prefix prefix - + optimal prefix - - + + base base - + base units unitats bases - + mixed mixta - + mixed units unitats mixtes - + decimals - + decimal fraction - - - + + + fraction fracció + - factors factors - + partial fraction fracció parcial - + expanded partial fractions fraccions parcials expandides - + rectangular rectangular - + cartesian cartesià - + complex rectangular form forma rectangular complexa - + exponential exponencial - + complex exponential form forma exponencial complexa - + polar polar - + complex polar form forma polar complexa - + complex cis form forma cis complexa - + angle angle - + complex angle notation notació complexa d'angle - + phasor fasor - + complex phasor notation notació complexa de fasor - + UTC time zone zona horària UTC - + number base %1 base numèrica %1 - + Data object Objecte de dades @@ -6948,18 +6954,18 @@ Voleu sobreescriure la funció? HistoryView - + Insert Value Insereix el valor - + Insert Text Insereix el text - - + + Copy Copia @@ -6968,17 +6974,17 @@ Voleu sobreescriure la funció? Copia text formatat - + Copy unformatted ASCII Copiar ASCII sense format - + Select All Selleciona-ho tot - + Search… Cerca… @@ -6989,21 +6995,21 @@ and press the enter key. i premeu el teclat Retorn. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Teclegeu una expressió matemàtica a dalt, per exemple "5 + 2 / 3", i premeu el teclat Retorn. - + Exchange rate source(s): @@ -7011,7 +7017,7 @@ i premeu el teclat Retorn. - + updated %1 @@ -7019,33 +7025,50 @@ i premeu el teclat Retorn. - + + Comment + Comentari + + + Protect Protegeix - + + + + Add Comment… + Afegeix un comentari… + + + Move to Top Mou al cim - + Remove Elimina - + Clear Neteja - + + Edit Comment… + Edita el comentari… + + + Text: Text: - - + + Search Cerca @@ -8136,22 +8159,22 @@ i premeu el teclat Retorn. PreferencesDialog - + Look && Feel Aparença - + Numbers && Operators Nombres i operadors - + Units && Currencies Unitats i monedes - + Parsing && Calculation Anàlisi i càlcul @@ -8313,7 +8336,7 @@ i premeu el teclat Retorn. - + Adaptive Adaptativa @@ -8427,12 +8450,12 @@ i premeu el teclat Retorn. Ignora els punts en els nombres - + Round halfway numbers away from zero Arrodoneix els nombres a mig camí lluny de zero - + Round halfway numbers to even Arrodoneix els nombres a mig camí al par @@ -8630,46 +8653,51 @@ i premeu el teclat Retorn. + Automatically group digits in input (experimental) + + + + Interval display: Presentació d'intervals: - + Significant digits Xifres significants - + Interval Interval - + Plus/minus Més/menys - + Concise - + Midpoint Punt mitjà - + Lower Inferior - + Upper Superior - + Rounding: @@ -8678,98 +8706,98 @@ i premeu el teclat Retorn. Trunca tots els números - + Complex number form: Forma de nombre complex: - + Rectangular Rectangular - + Exponential Exponencial - + Polar Polar - + Angle/phasor Angle o fasor - + Enable units - + Abbreviate names Abrevia els noms - + Use binary prefixes for information units Una els prefixes binaris per a les unitats d'informació - + Automatic unit conversion: Conversió automàtica d’unitats: - + No conversion Cap conversió - + Base units Unitats bases - + Optimal units Unitats òptimes - + Optimal SI units Unitats SI òptimes - + Convert to mixed units Converteix a unitats mixtes - + Automatic unit prefixes: Prefixos automàtics: - + Copy unformatted ASCII without units - + Restart required - + Please restart the program for the language change to take effect. - + Default Predeterminat @@ -8779,114 +8807,114 @@ i premeu el teclat Retorn. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes Cap prefixos - + Prefixes for some units Prefixes per a les unitats seleccionades - + Prefixes also for currencies Prefixes també per a les monedes - + Prefixes for all units Prefixes per a totes les unitats - + Enable all SI-prefixes Habilita tots els prefixes SI - + Enable denominator prefixes Habilita els prefixes de denominador - + Enable units in physical constants Activa les unitats en constants físics - + Temperature calculation: Càlcul de temperatura: - + Absolute Absolut - - + + Relative Relatiu - + Hybrid Híbrid - + Exchange rates updates: Actualitzacions de taxes d'intercanvi: - - + + %n day(s) %n dia @@ -8980,97 +9008,97 @@ Voleu, malgrat això, canviar el comportament predeterminat i permetre múltiple - - + + answer resposta - + History Answer Value Valor de resposta de l'historial - + History Index(es) Índex(es) de l'historial - + History index %s does not exist. L'índex d'historial %s no existeix. - + Last Answer Última resposta - + Answer 2 Resposta 2 - + Answer 3 Resposta 3 - + Answer 4 Resposta 4 - + Answer 5 Resposta 5 - + Memory Memòria - - - - - - - + + + + + + + Error Error - + Couldn't write preferences to %1 No s'ha pogut escriure les preferèncias a %1 - + Function not found. No s'ha trobat la funció. - + Variable not found. No s'ha trobat la variable. - + Unit not found. No s'ha trobat la unitat. - + Unsupported base. La base no és admesa. - - + + Unsupported value. @@ -9078,12 +9106,12 @@ Voleu, malgrat això, canviar el comportament predeterminat i permetre múltiple QalculateQtSettings - + Update exchange rates? Actualitza les taxes d'intercanvi? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -9101,63 +9129,63 @@ Voleu actualitzar les taxes d'intercanvi ara? S'estan obtenint les taxes d'intercanvi. - - + + Fetching exchange rates… S'estan obtenint les taxes d'intercanvi… - - - - + + + + Error Error - + Warning Advertiment - - - - - + + + + + Information Informació - + Path of executable not found. No s'ha trobat el camí de l'executable. - + curl not found. No s'ha trobat curl. - + Failed to run update script. %1 S'ha fallat en executar l'script d'actualització. %1 - + Failed to check for updates. S'ha fallat en cercar actualitzacions. - + No updates found. No s'ha trobat cap actualització. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9166,8 +9194,8 @@ Do you wish to update to version %3? Voleu actualitzar a la versió %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9176,522 +9204,522 @@ You can get version %3 at %2. Podeu aconseguir la versió %3 a %2. - + Download - + %1: %2 - + Insert function Insereix una funció - + Insert function (dialog) Insereix una funció (diàleg) - + Insert variable Insereix una variable - + Approximate result - + Negate Nega - + Invert Inverteix - + Insert unit Insereix una unitat - + Insert text Insereix text - + Insert operator - + Insert date Insereix una data - + Insert matrix Insereix una matriu - + Insert smart parentheses Insereix parèntesis intel·ligents - + Convert to unit Converteix a altra unitat - + Convert Converteix - + Convert to optimal unit Converteix a la unitat òptima - + Convert to base units Converteix a les unitats bases - + Convert to optimal prefix Converteix al prefix òptim - + Convert to number base Converteix a la base numèrica - + Factorize result Factoritza el resultat - + Expand result Expandeix el resultat - + Expand partial fractions Expandeix les fraccions parcials - + RPN: down NPI: avall - + RPN: up NPI: amunt - + RPN: swap NPI: intercanvia - + RPN: copy NPI: copia - + RPN: lastx RPN: última x - + RPN: delete register NPI: suprimeix el registre - + RPN: clear stack NPI: neteja la pila - + Set expression base Estableix la base d'expressió - + Set result base Estableix la base del resultat - + Set angle unit to degrees Estableix la unitat d'angle com a graus - + Set angle unit to radians Estableix la unitat d'angle com a radians - + Set angle unit to gradians Estableix la unitat d'angle com a gradians - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision - + Toggle max decimals - + Toggle min decimals - + Toggle max/min decimals - + Toggle RPN mode Commuta el mode NPI - + Show general keypad - + Toggle programming keypad Commuta el teclat programari - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history Cerca en l'historial - + Clear history Neteja l'historial - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Desa el resultat - + MC (memory clear) MC (neteja la memòria) - + MR (memory recall) MR (retira de la memòria) - + MS (memory store) MS (desa a la memòria) - + M+ (memory plus) M+ (afegeix a la memòria) - + M− (memory minus) M− (elimina de la memòria) - + New variable Variable nova - + New function Funció nova - + Open plot functions/data Obre el dibuix de funcions/dades - + Open convert number bases Obre la conversió de bases numèriques - + Open floating point conversion Obre la conversió de punt flotant - + Open calender conversion Obre la conversió de calendari - + Open percentage calculation tool Obre l'eina de càlcul de percentatge - + Open periodic table Obre la taula periòdica - + Update exchange rates Actualitza les taxes d'intercanvi - + Copy result Copia el resultat - + Insert result Insereix el resultat - + Open mode menu - + Open menu Obre el menú - + Help Ajuda - + Quit Surt - + Toggle chain mode Commuta el mode de cadena - + Toggle keep above Commuta el manteniment amunt - + Show completion (activate first item) - + Clear expression Neteja l'expressió - + Delete Suprimeix - + Backspace Retrocés - + Home - + End - + Right - + Left - + Up Amunt - + Down Avall - + Undo Desfés - + Redo Refés - + Calculate expression Calcula l'expressió - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Predeterminat - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -9903,7 +9931,7 @@ Podeu aconseguir la versió %3 a %2. - + Keyboard Shortcuts Dreceres de teclat @@ -10424,60 +10452,60 @@ Podeu aconseguir la versió %3 a %2. - - - - - - + + + + + + Error Error - + Couldn't write definitions No s'ha pogut escriure les definicions - + hexadecimal hexadecimal - + octal octal - + decimal decimal - + duodecimal duodecimal - + binary binària - + roman romana - + bijective bijectiva @@ -10485,117 +10513,117 @@ Podeu aconseguir la versió %3 a %2. - - - + + + sexagesimal sexagesimal - - + + latitude latitud - - + + longitude longitud - + time temps - + Time zone parsing failed. L'anàlisi de la zona horària ha fallat. - + bases bases - + calendars calendaris - + rectangular rectangular - + cartesian cartesià - + exponential exponencial - + polar polar - + phasor fasor - + angle angle - + optimal òptima - - + + base base - + mixed mixta - + fraction fracció - + factors factors @@ -10630,31 +10658,31 @@ Podeu aconseguir la versió %3 a %2. - + prefix prefix - + partial fraction fracció parcial - + decimals - + factorize factoritza - + expand expandeix @@ -10662,69 +10690,69 @@ Podeu aconseguir la versió %3 a %2. - + Calculating… S'està calculant… - - + + Cancel Cancel·la - + RPN Operation Operació NPI - + Factorizing… S'està factoritzant… - + Expanding partial fractions… S'estan expandint les fraccions parcials… - + Expanding… S'està expandint… - + Converting… S'està convertint… - + RPN Register Moved S'ha mogut el registre NPI - - - + + + Processing… S'està processant… - - + + Matrix Matriu - - + + Temperature Calculation Mode Mode de càlcul de temperatura - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -10733,69 +10761,69 @@ Si us plau, seleccioneu el mode de càlcul de temperatura (es pot canviar el mode després en les preferències). - + Absolute Absolut - + Relative Relatiu - + Hybrid Híbrid - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots Interpretació de punts - + Please select interpretation of dots (".") (this can later be changed in preferences). Si us plau, seleccioneu la interpretació de punts (".") (es pot canviar això després en les preferències). - + Both dot and comma as decimal separators Ambdós punt i coma com a separadors decimals - + Dot as thousands separator Punt com a separador de millars - + Only dot as decimal separator Només punt com a separador decimal - + Parsing Mode Mode d'anàlisi - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -10804,53 +10832,53 @@ Si us plau, seleccioneu la interpretació de l'expressió amb multiplicaci (es pot canviar aixó després en les preferències). - + Implicit multiplication first Primer la multiplicació implícita - + Conventional Convencional - + Adaptive Adaptativa - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Afegeix acció (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut Drecera de teclat nova @@ -10859,128 +10887,128 @@ Si us plau, seleccioneu la interpretació de l'expressió amb multiplicaci Acció: - + Value: Valor: - + Set key combination Establiment de combinació de tecles - + Press the key combination you wish to use for the action. Premeu la combinació de tecles que voleu usar per l'acció. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? La combinació de tecles ja està en ús. Voleu reemplaçar l'acció actual (%1)? - + Question Pregunta - + Add… Afegeix… - + Edit… Edita… - + Remove Elimina - + Gnuplot was not found No s'ha trobat el Gnuplot - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) necessita instal·lar-se separadament, i trobar-se en el camí de cerca d'executables, per a que funcioni el dibuix. - + Example: Example of function usage Exemple: - + Enter RPN Enter Introdueix - + Calculate Calcula - + Apply to Stack Aplica a la pila - + Insert Insereix - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again No tornis a preguntar - + Keep open Manté obert - + Value Valor - + Argument Argument @@ -10988,7 +11016,7 @@ Voleu reemplaçar l'acció actual (%1)? - + %1: %1: @@ -11140,40 +11168,40 @@ Voleu reemplaçar l'acció actual (%1)? Neteja la pila NPI - - + + Action Acció - + Key combination Combinació de teclats - + True Cert - + False Fals - + Info Info - - + + optional optional argument opcional - + Failed to open %1. %2 S'ha fallat en obrir %1. diff --git a/translations/qalculate-qt_de.ts b/translations/qalculate-qt_de.ts index 1d80827..6b131ab 100644 --- a/translations/qalculate-qt_de.ts +++ b/translations/qalculate-qt_de.ts @@ -5998,7 +5998,7 @@ Möchten Sie die Funktion überschreiben? - + Unicode Unicode @@ -6028,7 +6028,7 @@ Möchten Sie die Funktion überschreiben? Eingabemethode verwenden - + UTC time zone UTC-Zeitzone @@ -6289,253 +6289,259 @@ Möchten Sie die Funktion überschreiben? %1: - - + + + comment + Kommentar + + + + MC (memory clear) MC (memory clear – Speicher löschen) - - + + MS (memory store) MS (memory store – speichern) - - + + M+ (memory plus) M+ (auf Speicher addieren) - - + + M− (memory minus) M- (von Speicher abziehen) - - + + factorize faktorisieren - - + + expand erweitern - + hexadecimal hexadezimal - - + + hexadecimal number Hexadezimalzahl - + octal oktal - + octal number Oktalzahl - + decimal dezimal - + decimal number Dezimalzahl - + duodecimal duodezimal - - + + duodecimal number Duodezimalzahl - + binary binär - - + + binary number Binärzahl - + roman römisch - + roman numerals römische Ziffern - + bijective bijektiv - + bijective base-26 bijektives Basis-26-System - + binary-coded decimal BCD-code - + sexagesimal sexagesimal - + sexagesimal number Sexagesimalzahl + - latitude Breitengrad + - longitude Längengrad - + 32-bit floating point 32-Bit-Gleitkomma - + 64-bit floating point 64-Bit-Gleitkomma - + 16-bit floating point 16-Bit-Gleitkomma - + 80-bit (x86) floating point 80-Bit-x86-Gleitkomma - + 128-bit floating point 128-Bit-Gleitkomma - + time Zeit - + time format Zeitformat - + bases Basen - + number bases Zahlenbasen + - calendars Kalendarien - + optimal optimal - + optimal unit optimale Einheit - + prefix präfix - + optimal prefix - - + + base basis - + base units Basiseinheiten - + mixed gemischt - + mixed units gemischte Einheiten - + decimals - + decimal fraction - - - + + + fraction Bruchteil + - factors Faktoren @@ -6555,82 +6561,82 @@ Möchten Sie die Funktion überschreiben? - + partial fraction Teilbruch - + expanded partial fractions erweiterte Teilbrüche - + rectangular rechtwinklig - + cartesian kartesisch - + complex rectangular form komplexe Rechteckform - + exponential exponentiell - + complex exponential form komplexe Exponentialform - + polar polar - + complex polar form komplexe Polarform - + complex cis form komplexe cis-Form - + angle Winkel - + complex angle notation komplexe Winkeldarstellung - + phasor Phasor - + complex phasor notation komplexe Phaorschreibweise - + number base %1 Zahlenbasis %1 - + Data object Datenobjekt @@ -7042,18 +7048,18 @@ Möchten Sie die Funktion überschreiben? HistoryView - + Insert Value Wert einfügen - + Insert Text Text einfügen - - + + Copy Kopieren @@ -7062,17 +7068,17 @@ Möchten Sie die Funktion überschreiben? Formatierten Text kopieren - + Copy unformatted ASCII Unformatiertes ASCII kopieren - + Select All Alles markieren - + Search… Suchen … @@ -7083,21 +7089,21 @@ and press the enter key. und drücken Sie die Eingabetaste. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Geben Sie oben einen mathematischen Ausdruck ein, z. B. "5 + 2 / 3", und drücken Sie die Eingabetaste. - + Exchange rate source(s): @@ -7105,7 +7111,7 @@ und drücken Sie die Eingabetaste. - + updated %1 @@ -7113,33 +7119,50 @@ und drücken Sie die Eingabetaste. - + + Comment + Kommentar + + + Protect Schützen - + + + + Add Comment… + Kommentar hinzufügen… + + + Move to Top Nach oben verschieben - + Remove Entfernen - + Clear Löschen - + + Edit Comment… + Kommentar bearbeiten… + + + Text: Text: - - + + Search Suche @@ -8254,22 +8277,22 @@ und drücken Sie die Eingabetaste. PreferencesDialog - + Look && Feel Aussehen && Bedienung - + Numbers && Operators Zahlen && Operatoren - + Units && Currencies Einheiten && Währungen - + Parsing && Calculation Analysierung && Berechnung @@ -8431,7 +8454,7 @@ und drücken Sie die Eingabetaste. - + Adaptive Adaptiv @@ -8550,12 +8573,12 @@ und drücken Sie die Eingabetaste. Standardmäßig als unformatiertes ASCII kopieren - + Round halfway numbers away from zero Halbe Zahlen von null weg runden - + Round halfway numbers to even Halbe Zahlen auf gerade Zahlen runden @@ -8748,46 +8771,51 @@ und drücken Sie die Eingabetaste. + Automatically group digits in input (experimental) + + + + Interval display: Intervallanzeige: - + Significant digits Signifikante Ziffern - + Interval Intervall - + Plus/minus Plus/minus - + Concise - + Midpoint Mittelwert - + Lower Untere - + Upper Obere - + Rounding: @@ -8796,98 +8824,98 @@ und drücken Sie die Eingabetaste. Alle Zahlen abschneiden - + Complex number form: Komplexe form: - + Rectangular Algebraischen Form - + Exponential Exponentialform - + Polar Polarform - + Angle/phasor Winkel/Phasorschreibweise - + Enable units - + Abbreviate names Namen abkürzen - + Use binary prefixes for information units Binäre Präfixe für Informationseinheiten verwenden - + Automatic unit conversion: Automatische Einheitenumrechnung: - + No conversion Keine Umrechning - + Base units Basiseinheiten - + Optimal units Optimale Einheiten - + Optimal SI units Optimale SI-Einheiten - + Convert to mixed units In gemischte Einheiten umrechnen - + Automatic unit prefixes: Automatische Einheitenpräfixe: - + Copy unformatted ASCII without units Unformatiertes ASCII ohne Einheiten kopieren - + Restart required - + Please restart the program for the language change to take effect. - + Default Standard @@ -8897,114 +8925,114 @@ und drücken Sie die Eingabetaste. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes Keine Präfixe - + Prefixes for some units Präfixe für einige Einheiten - + Prefixes also for currencies Präfixe auch für Währungen - + Prefixes for all units Präfixe für alle Einheiten - + Enable all SI-prefixes Alle SI-Präfixe aktivieren - + Enable denominator prefixes Nennerpräfixe aktivieren - + Enable units in physical constants Einheiten in physikalischen Konstanten einschalten - + Temperature calculation: Temperaturberechnung: - + Absolute Absolut - - + + Relative Relativ - + Hybrid Hybrid - + Exchange rates updates: Wechselkurse aktualisieren: - - + + %n day(s) %n Tag @@ -9098,97 +9126,97 @@ Möchten Sie trotzdem die Standardvorgabe ändern und mehrere gleichzeitige Inst - - + + answer antwort - + History Answer Value Verlauf Antwortwert - + History Index(es) Verlaufsindex(e) - + History index %s does not exist. Verlaufsindex %s existiert nicht. - + Last Answer Letzte Antwort - + Answer 2 Antwort 2 - + Answer 3 Antwort 3 - + Answer 4 Antwort 4 - + Answer 5 Antwort 5 - + Memory Speicher - - - - - - - + + + + + + + Error Error - + Couldn't write preferences to %1 Konnte Einstellungen nicht schreiben in %1 - + Function not found. Funktion nicht gefunden. - + Variable not found. Variable nicht gefunden. - + Unit not found. Einheit nicht gefunden. - + Unsupported base. Nicht unterstützte Basis. - - + + Unsupported value. Nicht unterstützte Wert. @@ -9196,12 +9224,12 @@ Möchten Sie trotzdem die Standardvorgabe ändern und mehrere gleichzeitige Inst QalculateQtSettings - + Update exchange rates? Wechselkurse aktualisieren? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -9219,63 +9247,63 @@ Möchten Sie die Wechselkurse jetzt aktualisieren? Abrufen von Wechselkursen. - - + + Fetching exchange rates… Abrufen von Wechselkursen… - - - - + + + + Error Error - + Warning Warnung - - - - - + + + + + Information Information - + Path of executable not found. Pfad der ausführbaren Datei nicht gefunden. - + curl not found. curl nicht gefunden. - + Failed to run update script. %1 Updateskript konnte nicht ausgeführt werden. %1 - + Failed to check for updates. Prüfung auf Updates fehlgeschlagen. - + No updates found. Keine Updates gefunden. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9284,8 +9312,8 @@ Do you wish to update to version %3? Möchten Sie auf die Version %3 aktualisieren? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9294,522 +9322,522 @@ You can get version %3 at %2. Sie können die Version %3 unter %2 erhalten. - + Download - + %1: %2 - + Insert function Funktion einfügen - + Insert function (dialog) Funktion einfügen (Dialog) - + Insert variable Variable einfügen - + Approximate result - + Negate Negieren - + Invert Invertieren - + Insert unit Einheit einfügen - + Insert text Text einfügen - + Insert operator - + Insert date Datum einfügen - + Insert matrix Matrix einfügen - + Insert smart parentheses Intelligente Klammern einfügen - + Convert to unit In Einheit umrechnen - + Convert Umrechnen - + Convert to optimal unit In optimale Einheit umrechnen - + Convert to base units In Basiseinheiten umrechnen - + Convert to optimal prefix In optimales Präfix umrechnen - + Convert to number base In Zahlenbasis umrechnen - + Factorize result Ergebnis faktorisieren - + Expand result Expandieren des Ergebnisses - + Expand partial fractions Expandieren von Teilbrüchen - + RPN: down UPN: abwärts - + RPN: up UPN: aufwärts - + RPN: swap UPN: tauschen - + RPN: copy UPN: kopieren - + RPN: lastx UPN: lastx - + RPN: delete register UPN: Register löschen - + RPN: clear stack UPN: Stapel löschen - + Set expression base Rechenausdrucksbasis einstellen - + Set result base Ergebnisbasis einstellen - + Set angle unit to degrees Winkeleinheit auf Grad stellen - + Set angle unit to radians Winkeleinheit auf Bogenmaß stellen - + Set angle unit to gradians Winkeleinheit auf Gradienten stellen - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision Genauigkeit umschalten - + Toggle max decimals Max Dezimalen umschalten - + Toggle min decimals Min Dezimalen umschalten - + Toggle max/min decimals Min/max Dezimalen umschalten - + Toggle RPN mode UPN-Modus umschalten - + Show general keypad - + Toggle programming keypad Programmiertastenfeld ein- und ausschalten - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history Verlauf durchsuchen - + Clear history Verlauf löschen - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Ergebnis intern speichern - + MC (memory clear) MC (Speicher löschen) - + MR (memory recall) MR (Speicherabruf) - + MS (memory store) MS (Speicher speichern) - + M+ (memory plus) M+ (Speicher plus) - + M− (memory minus) M- (Speicher minus) - + New variable Neue Variable - + New function Neue Funktion - + Open plot functions/data Funktionen-/Datenplotten öffnen - + Open convert number bases Zahlenbasenumrechnung öffnen - + Open floating point conversion Gleitkomma-Umrechnung öffnen - + Open calender conversion Kalenderumrechnung öffnen - + Open percentage calculation tool Prozentrechnungswerkzeug öffnen - + Open periodic table Periodensystem öffnen - + Update exchange rates Wechselkurse aktualisieren - + Copy result Ergebnis kopieren - + Insert result Text einfügen - + Open mode menu - + Open menu Menü öffnen - + Help Hilfe - + Quit Beenden - + Toggle chain mode Auf Methodenverkettung umschalten - + Toggle keep above Immer-im-Vordergrund umschalten - + Show completion (activate first item) Vervollständigung einblenden (erstes Element aktivieren) - + Clear expression Rechenausdruck löschen - + Delete Löschen - + Backspace Rücktaste - + Home - + End - + Right - + Left - + Up Hoch - + Down Runter - + Undo Rückgängig - + Redo Wiederholen - + Calculate expression Rechenausdruck berechnen - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Standard - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -10021,7 +10049,7 @@ Sie können die Version %3 unter %2 erhalten. - + Keyboard Shortcuts Tastaturkürzel @@ -10542,60 +10570,60 @@ Sie können die Version %3 unter %2 erhalten. - - - - - - + + + + + + Error Error - + Couldn't write definitions Definitionen konnten nicht geschrieben werden - + hexadecimal hexadezimal - + octal oktal - + decimal dezimal - + duodecimal duodezimal - + binary binär - + roman römisch - + bijective bijektiv @@ -10603,117 +10631,117 @@ Sie können die Version %3 unter %2 erhalten. - - - + + + sexagesimal sexagesimal - - + + latitude Breitengrad - - + + longitude Längengrad - + time Zeit - + Time zone parsing failed. Zeitzonenanalyse fehlgeschlagen. - + bases basen - + calendars Kalendarien - + rectangular rechtwinklig - + cartesian kartesisch - + exponential exponential - + polar polar - + phasor Phasor - + angle Winkel - + optimal optimal - - + + base basis - + mixed gemischt - + fraction Bruchteil - + factors Faktoren @@ -10748,31 +10776,31 @@ Sie können die Version %3 unter %2 erhalten. - + prefix präfix - + partial fraction Teilbruch - + decimals - + factorize faktorisieren - + expand erweitern @@ -10780,69 +10808,69 @@ Sie können die Version %3 unter %2 erhalten. - + Calculating… Berechne … - - + + Cancel Abbruch - + RPN Operation UPN-Operation - + Factorizing… Faktorisiere … - + Expanding partial fractions… Expandiere Teilbrüchen … - + Expanding… Expandiere … - + Converting… Rechne um … - + RPN Register Moved UPN-Register verschoben - - - + + + Processing… Verarbeite … - - + + Matrix Matrix - - + + Temperature Calculation Mode Temperaturberechnungsmodus - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -10851,69 +10879,69 @@ Bitte wählen Sie den Temperaturberechnungsmodus (der Modus kann später in den Einstellungen geändert werden). - + Absolute Absolut - + Relative Relativ - + Hybrid Hybrid - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots Interpretation von Punkten - + Please select interpretation of dots (".") (this can later be changed in preferences). Bitte wählen Sie die Interpretation der Punkte (".") (dies kann später in den Einstellungen geändert werden). - + Both dot and comma as decimal separators Sowohl Punkt als auch Komma als Dezimaltrennzeichen - + Dot as thousands separator Punkt als Tausendertrennzeichen - + Only dot as decimal separator Nur Punkt als Dezimaltrennzeichen - + Parsing Mode Analysemodus - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -10922,53 +10950,53 @@ Bitte wählen Sie die Interpretation von Ausdrücken mit implizite Multiplikatio (dies kann später in den Einstellungen geändert werden). - + Implicit multiplication first Implizite Multiplikation zuerst - + Conventional Konventionell - + Adaptive Adaptiv - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Aktion hinzufügen (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut Neues Tastaturkürzel @@ -10977,92 +11005,92 @@ Bitte wählen Sie die Interpretation von Ausdrücken mit implizite Multiplikatio Aktion: - + Value: Wert: - + Set key combination Tastenkombination einstellen - + Press the key combination you wish to use for the action. Drücken Sie die Tastenkombination, die Sie für die Aktion verwenden möchten. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? Die Tastenkombination ist bereits in Gebrauch. Möchten Sie die aktuelle Aktion (%1) ersetzen? - + Question Frage - + Add… Hinzufügen… - + Edit… Bearbeiten… - + Remove Entfernen - + Gnuplot was not found Gnuplot wurde nicht gefunden - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) muss separat installiert werden und im Suchpfad für ausführbare Dateien gefunden werden, damit das Plotten funktioniert. - + Example: Example of function usage Beispiel: - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again Nicht erneut fragen @@ -11071,38 +11099,38 @@ Möchten Sie die aktuelle Aktion (%1) ersetzen? Beispiel: - + Enter RPN Enter Eingeben - + Calculate Berechnen - + Apply to Stack Auf Stapel anwenden - + Insert Einfügen - + Keep open Offen halten - + Value Wert - + Argument Argument @@ -11110,7 +11138,7 @@ Möchten Sie die aktuelle Aktion (%1) ersetzen? - + %1: %1: @@ -11262,34 +11290,34 @@ Möchten Sie die aktuelle Aktion (%1) ersetzen? Löschen des UPN-Stapels - - + + Action Aktion - + Key combination Tastenkombination - + True Wahr - + False Falsch - + Info Info - - + + optional optional argument optional @@ -11300,7 +11328,7 @@ Möchten Sie die aktuelle Aktion (%1) ersetzen? optional - + Failed to open %1. %2 Konnte %1. nicht öffnen diff --git a/translations/qalculate-qt_es.ts b/translations/qalculate-qt_es.ts index d017311..e51a7b8 100644 --- a/translations/qalculate-qt_es.ts +++ b/translations/qalculate-qt_es.ts @@ -5948,7 +5948,7 @@ Do you want to overwrite the function? - + Unicode Unicode @@ -6107,338 +6107,344 @@ Do you want to overwrite the function? %1: - - + + + comment + comentario + + + + MC (memory clear) MC (limpiar la memoria) - - + + MS (memory store) MS (guardar en la memoria) - - + + M+ (memory plus) M+ (añadir a la memoria) - - + + M− (memory minus) M− (quitar de la memoria) - - + + factorize factorizar - - + + expand expandir - + hexadecimal hexadecimal - - + + hexadecimal number número hexadecimal - + octal octal - + octal number número octal - + decimal decimal - + decimal number número decimal - + duodecimal duodecimal - - + + duodecimal number número duodecimal - + binary binario - - + + binary number número binario - + roman romano - + roman numerals números romanos - + bijective biyectivo - + bijective base-26 base biyectiva 26 - + binary-coded decimal decimal codificado en binario - + sexagesimal sexagesimal - + sexagesimal number número sexagesimal + - latitude latitud + - longitude longitud - + 32-bit floating point punto flotante de 32 bits - + 64-bit floating point punto flotante de 64 bits - + 16-bit floating point punto flotante de 16 bits - + 80-bit (x86) floating point punto flotante de 80 bits (x86) - + 128-bit floating point punto flotante de 128 bits - + time tiempo - + time format formato de tiempo - + bases bases - + number bases bases numéricas + - calendars calendarios - + optimal óptima - + optimal unit unidad óptima - + prefix prefijo - + optimal prefix - - + + base base - + base units unidades base - + mixed mixtas - + mixed units unidades mixtas - + decimals - + decimal fraction - - - + + + fraction fracción + - factors factores - + partial fraction fracción parcial - + expanded partial fractions fracciones parciales expandidas - + rectangular rectangular - + cartesian cartesiano - + complex rectangular form forma compleja rectangular - + exponential exponencial - + complex exponential form forma compleja exponencial - + polar polar - + complex polar form forma compleja polar - + complex cis form forma compleja cis - + angle ángulo - + complex angle notation Notación compleja de ángulo - + phasor fasor - + complex phasor notation notación compleja de fasor - + UTC time zone huso horario UTC - + number base %1 base numérica %1 - + Data object Objeto de datos @@ -6842,18 +6848,18 @@ Do you want to overwrite the function? HistoryView - + Insert Value Insertar valor - + Insert Text Insertar texto - - + + Copy Copiar @@ -6862,17 +6868,17 @@ Do you want to overwrite the function? Copiar texto formateado - + Copy unformatted ASCII Copiar ASCII sin formato - + Select All Seleccionar todos - + Search… Buscar… @@ -6883,21 +6889,21 @@ and press the enter key. y presiona la tecla enter. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Escribe una expresión matemática encima, ej: "5 + 2 / 3", y presiona la tecla enter. - + Exchange rate source(s): @@ -6905,7 +6911,7 @@ and press the enter key. - + updated %1 @@ -6913,33 +6919,50 @@ and press the enter key. - + + Comment + Comentario + + + Protect Proteger - + + + + Add Comment… + Añadir comentario… + + + Move to Top Mover a la cima - + Remove Eliminar - + Clear Limpiar - + + Edit Comment… + Editar comentario… + + + Text: Texto: - - + + Search Buscar @@ -8030,22 +8053,22 @@ and press the enter key. PreferencesDialog - + Look && Feel Aparencia - + Numbers && Operators Números y operadores - + Units && Currencies Unidades y monedas - + Parsing && Calculation Cálculo y análisis @@ -8207,7 +8230,7 @@ and press the enter key. - + Adaptive Adaptativo @@ -8326,12 +8349,12 @@ and press the enter key. Copiar como ASCII no formateado por defecto - + Round halfway numbers away from zero Redondear números intermedios lejos de cero - + Round halfway numbers to even Redondear números intermedios a pares @@ -8524,46 +8547,51 @@ and press the enter key. + Automatically group digits in input (experimental) + + + + Interval display: Visualización de intervalo: - + Significant digits Cifras significativas - + Interval Intervalo - + Plus/minus Más/menos - + Concise - + Midpoint Punto medio - + Lower Inferior - + Upper Superior - + Rounding: @@ -8572,98 +8600,98 @@ and press the enter key. Truncar todos los números - + Complex number form: Forma de número complejo: - + Rectangular Rectangular - + Exponential Exponencial - + Polar Polar - + Angle/phasor Ángulo/fasor - + Enable units - + Abbreviate names Abreviar nombres - + Use binary prefixes for information units Usar prefijos binarios para unidades de información - + Automatic unit conversion: Conversión automática de unidades: - + No conversion Sin conversión - + Base units Unidades base - + Optimal units Unidades óptimas - + Optimal SI units Unidades del SI óptimas - + Convert to mixed units Convertir a unidades mixtas - + Automatic unit prefixes: Prefijos automáticos: - + Copy unformatted ASCII without units Copiar como ASCII no formateado sin unidades - + Restart required - + Please restart the program for the language change to take effect. - + Default Predeterminado @@ -8673,114 +8701,114 @@ and press the enter key. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes Ningún prefijos - + Prefixes for some units Prefijos para las unidades seleccionadas - + Prefixes also for currencies Prefijos también para monedas - + Prefixes for all units Prefijos para todas las unidades - + Enable all SI-prefixes Habilitar todos los prefijos del SI - + Enable denominator prefixes Habilitar prefijos de denominador - + Enable units in physical constants Habilitar unidades en constantes físicas - + Temperature calculation: Cálculo de temperatura: - + Absolute Absoluto - - + + Relative Relativo - + Hybrid Hibrido - + Exchange rates updates: Actualizaciones de tasas de cambio: - - + + %n day(s) %n día @@ -8873,97 +8901,97 @@ Si múltiples instancias están abiertas simultáneamente, solo las definiciones - - + + answer respuesta - + History Answer Value Valor de respuesta de historial - + History Index(es) Índice(s) de historial - + History index %s does not exist. Índice de historial %s no existe. - + Last Answer Última respuesta - + Answer 2 Respuesta 2 - + Answer 3 Respuesta 3 - + Answer 4 Respuesta 4 - + Answer 5 Respuesta 5 - + Memory Memoria - - - - - - - + + + + + + + Error Error - + Couldn't write preferences to %1 No se pudieron guardar las preferencias en %1 - + Function not found. Función no encontrada. - + Variable not found. Variable no encontrada. - + Unit not found. Unidad no encontrada. - + Unsupported base. Base no soportada. - - + + Unsupported value. @@ -8971,12 +8999,12 @@ Si múltiples instancias están abiertas simultáneamente, solo las definiciones QalculateQtSettings - + Update exchange rates? ¿Actualizar tasas de cambio? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -8994,63 +9022,63 @@ Do you wish to update the exchange rates now? Buscando tasas de cambio. - - + + Fetching exchange rates… Buscando tasas de cambio… - - - - + + + + Error Error - + Warning Advertencia - - - - - + + + + + Information Información - + Path of executable not found. Ruta de ejecutable no encontrada. - + curl not found. No se encontró curl. - + Failed to run update script. %1 Error al ejecutar el script de actualización. %1 - + Failed to check for updates. Fallo al buscar actualizaciones. - + No updates found. No se encontró ninguna actualización. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9059,8 +9087,8 @@ Do you wish to update to version %3? ¿Quiere actualizar a la versión %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9069,522 +9097,522 @@ You can get version %3 at %2. Puedes obtener la versión %3 en %2. - + Download - + %1: %2 - + Insert function Insertar función - + Insert function (dialog) Insertar función (diálogo) - + Insert variable Insertar variable - + Approximate result - + Negate Negar - + Invert Invertir - + Insert unit Insertar unidad - + Insert text Insertar texto - + Insert operator - + Insert date Insertar fecha - + Insert matrix Insertar matriz - + Insert smart parentheses Insertar paréntesis inteligentes - + Convert to unit Convertir a unidad - + Convert Convertir - + Convert to optimal unit Convertir a unidades óptimas - + Convert to base units Convertir a unidades base - + Convert to optimal prefix Convertir a prefijo óptimo - + Convert to number base Convertir a base numérica - + Factorize result Factorizar resultado - + Expand result Expandir resultado - + Expand partial fractions Expandir fracciones parciales - + RPN: down RPN: abajo - + RPN: up RPN: arriba - + RPN: swap RPN: intercambiar - + RPN: copy RPN: copiar - + RPN: lastx RPN: último x - + RPN: delete register RPN: eliminar registro - + RPN: clear stack RPN: limpiar pila - + Set expression base Definir base de expresión - + Set result base Definir base de resultado - + Set angle unit to degrees Definir unidad de ángulos a grados - + Set angle unit to radians Definir unidad de ángulos a radianes - + Set angle unit to gradians Definir unidad de ángulos a gradianes - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision Alternar precisión - + Toggle max decimals Alternar decimales máximos - + Toggle min decimals Alternar decimales mínimos - + Toggle max/min decimals Alternar decimales máximos/mínimos - + Toggle RPN mode Alternar modo RPN - + Show general keypad - + Toggle programming keypad Alternar teclado de programación - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history Buscar historial - + Clear history Limpiar historial - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Guardar resultado - + MC (memory clear) MC (limpiar la memoria) - + MR (memory recall) - + MS (memory store) MS (guardar en la memoria) - + M+ (memory plus) M+ (añadir a la memoria) - + M− (memory minus) M− (quitar de la memoria) - + New variable Nueva variable - + New function Nueva función - + Open plot functions/data Abrir graficado de función/datos - + Open convert number bases Abrir conversión de bases numéricas - + Open floating point conversion Abrir conversión de punto flotante - + Open calender conversion Abrir conversión de calendario - + Open percentage calculation tool Abrir herramienta de cálculo de porcentaje - + Open periodic table Abrir tabla periódica - + Update exchange rates Actualizar tasas de cambio - + Copy result Copiar resultado - + Insert result Insertar texto - + Open mode menu - + Open menu Menú abierto - + Help Ayuda - + Quit - + Toggle chain mode - + Toggle keep above - + Show completion (activate first item) - + Clear expression Limpiar expresión - + Delete Eliminar - + Backspace Retroceso - + Home - + End - + Right - + Left - + Up Arriba - + Down Abajo - + Undo Deshacer - + Redo Rehacer - + Calculate expression Calcular expresión - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Predeterminado - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -9796,7 +9824,7 @@ Puedes obtener la versión %3 en %2. - + Keyboard Shortcuts Atajos de teclado @@ -10317,60 +10345,60 @@ Puedes obtener la versión %3 en %2. - - - - - - + + + + + + Error Error - + Couldn't write definitions No se pudo guardar las definiciones - + hexadecimal hexadecimal - + octal octal - + decimal decimal - + duodecimal duodecimal - + binary binario - + roman romano - + bijective biyectivo @@ -10378,117 +10406,117 @@ Puedes obtener la versión %3 en %2. - - - + + + sexagesimal sexagesimal - - + + latitude latitud - - + + longitude longitud - + time tiempo - + Time zone parsing failed. Analizado de husos horarios falló. - + bases bases - + calendars calendarios - + rectangular rectangular - + cartesian cartesiano - + exponential exponencial - + polar polar - + phasor fasor - + angle ángulo - + optimal óptimas - - + + base base - + mixed mixtas - + fraction fracción - + factors factores @@ -10523,31 +10551,31 @@ Puedes obtener la versión %3 en %2. - + prefix prefijo - + partial fraction fracción parcial - + decimals - + factorize factorizar - + expand expandir @@ -10555,69 +10583,69 @@ Puedes obtener la versión %3 en %2. - + Calculating… Calculando… - - + + Cancel Cancelar - + RPN Operation Operación RPN - + Factorizing… Factorizando… - + Expanding partial fractions… Expandiendo fracciones parciales… - + Expanding… Expandiendo… - + Converting… Convirtiendo… - + RPN Register Moved Registro RPN movido - - - + + + Processing… Procesando… - - + + Matrix Matriz - - + + Temperature Calculation Mode Modo de cálculo de temperatura - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -10626,69 +10654,69 @@ Por favor seleccione el modo de cálculo de temperatura (el modo puede ser cambiado después en las preferencias). - + Absolute Absoluto - + Relative Relativo - + Hybrid Hibrido - + Please select desired variant of the sinc function. Por favor seleccione la variante deseada de la función sinc. - + Unnormalized No normalizado - + Normalized Normalizado - + Interpretation of dots Interpretación de los puntos - + Please select interpretation of dots (".") (this can later be changed in preferences). Por favor seleccione la interpretación de los puntos (\".\") (esto puede ser cambiado después en las preferencias). - + Both dot and comma as decimal separators Ambos punto y coma como separadores decimales - + Dot as thousands separator Punto como separador de miles - + Only dot as decimal separator Solo punto como separador decimal - + Parsing Mode Modo de análisis - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -10697,53 +10725,53 @@ Por favor seleccione interpretación de expresiones con multiplicación implíci (esto puede ser cambiado después en las preferencias). - + Implicit multiplication first Multiplicación implícita primero - + Conventional Convencional - + Adaptive Adaptativo - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Añadir acción (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut Nuevo atajo de teclado @@ -10752,128 +10780,128 @@ Por favor seleccione interpretación de expresiones con multiplicación implíci Acción: - + Value: Valor: - + Set key combination Definir combinación de teclas - + Press the key combination you wish to use for the action. Presiona la combinación de teclas que quieres usar para la acción. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? La combinación de teclas ta está en uso. ¿Quiere remplazar la acción actual (%1)? - + Question Pregunta - + Add… Añadir… - + Edit… Editar… - + Remove Eliminar - + Gnuplot was not found No se encontró Gnuplot - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) tiene que estar instalado por separado, tiene que y encontrarse en la ruta de búsqueda para que el graficado funcione. - + Example: Example of function usage Ejemplo: - + Enter RPN Enter Ingresar - + Calculate Calcular - + Apply to Stack Aplicar a la pila - + Insert Insertar - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again No preguntar de nuevo - + Keep open Mantener abierto - + Value Valor - + Argument Argumento @@ -10881,7 +10909,7 @@ Do you wish to replace the current action (%1)? - + %1: %1: @@ -11033,40 +11061,40 @@ Do you wish to replace the current action (%1)? Limpiar la pila RPN - - + + Action Acción - + Key combination Combinación de teclas - + True Verdadero - + False False - + Info Información - - + + optional optional argument opcional - + Failed to open %1. %2 Fallo al abrir %1. diff --git a/translations/qalculate-qt_fr.ts b/translations/qalculate-qt_fr.ts index 4f118cd..dc6cc61 100644 --- a/translations/qalculate-qt_fr.ts +++ b/translations/qalculate-qt_fr.ts @@ -6532,7 +6532,7 @@ Voulez-vous l'écraser ? - + Unicode Unicode @@ -6687,338 +6687,344 @@ Voulez-vous l'écraser ? %1 : - - + + + comment + commentaire + + + + MC (memory clear) MC (mémoire effacée) - - + + MS (memory store) MS (magasin de mémoire) - - + + M+ (memory plus) M+ (mémoire +) - - + + M− (memory minus) M− (mémoire −) - - + + factorize factoriser - - + + expand développer - + hexadecimal hexadécimal - - + + hexadecimal number nombre hexadécimal - + octal octal - + octal number nombre octal - + decimal décimal - + decimal number nombre décimal - + duodecimal duodécimal - - + + duodecimal number nombre duodécimal - + binary binaire - - + + binary number nombre binaire - + roman romain - + roman numerals chiffres romains - + bijective bijectif - + bijective base-26 bijectif base-26 - + binary-coded decimal décimal codé en binaire - + sexagesimal sexagésimal - + sexagesimal number nombre sexagésimal + - latitude latitude + - longitude longitude - + 32-bit floating point Virgule flottante 32-bits - + 64-bit floating point Virgule flottante 64-bits - + 16-bit floating point Virgule flottante 16-bits - + 80-bit (x86) floating point Virgule flottante 80-bits (x86) - + 128-bit floating point Virgule flottante 128-bits - + time temps - + time format fuseau horaire - + bases bases - + number bases bases numériques + - calendars calendriers - + optimal optimal - + optimal unit unité optimale - + prefix préfixe - + optimal prefix préfixe optimal - - + + base base - + base units unités de base - + mixed mixte - + mixed units unités mixtes + - factors facteurs - + partial fraction fraction partielle - + expanded partial fractions fractions partielles développées - + rectangular algébrique - + cartesian cartésien - + complex rectangular form form algébrique complexe - + exponential exponentielle - + complex exponential form forme exponentielle complexe - + polar polaire - + complex polar form forme polaire complexe - + complex cis form forme cis complexe - + angle angle - + complex angle notation notation complexe angle - + phasor phaseur - + complex phasor notation notation complexe phaseur - + UTC time zone fuseau horaire UTC - + number base %1 base numérique %1 - + decimals décimales - + decimal fraction fraction décimale - - - + + + fraction fraction - + Data object Données de l'objet @@ -7399,26 +7405,26 @@ Voulez-vous l'écraser ? HistoryView - + Search… Rechercher… - - - - - + + + + + Search by Date… Rechercher par date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Entrer une expression mathématique au dessus, ex : "5 + 2 / 3", et appuyer sur le bouton entrée. - + Exchange rate source(s): Source du taux de change: @@ -7426,7 +7432,7 @@ Voulez-vous l'écraser ? - + updated %1 %1 mis à jour @@ -7434,59 +7440,76 @@ Voulez-vous l'écraser ? - + + Comment + Commentaire + + + Insert Value Insérer valeur - + Insert Text Insérer texte - - + + Copy Copier - + Copy unformatted ASCII Copier ASCII non formaté - + Select All Sélectionner tout - + Protect Protéger - + + + + Add Comment… + Ajouter un commentaire… + + + Move to Top Se déplacer en haut - + Remove Supprimer - + Clear Effacer - - + + Edit Comment… + Éditer le commentaire… + + + + Search Rechercher - + Text: Texte : @@ -8581,7 +8604,7 @@ Voulez-vous l'écraser ? - + Default Défaut @@ -8822,7 +8845,7 @@ Voulez-vous l'écraser ? - + Adaptive Adaptif @@ -9005,248 +9028,253 @@ Voulez-vous l'écraser ? + Automatically group digits in input (experimental) + + + + Interval display: Affichage d'intervalle : - + Significant digits Chiffres significatifs - + Interval Intervalle - + Plus/minus Plus/moins - - + + Relative Relatif - + Concise Concis - + Midpoint Point du milieu - + Lower Inférieure - + Upper Supérieure - + Rounding: Arrondi: - + Round halfway numbers away from zero Arrondir les nombres à mi-chemin par rapport à zéro - + Round halfway numbers to even Arrondir les nombres à mi-chemin pour égaliser - + Round halfway numbers to odd Arrondir les nombres à mi-chemin à impairs - + Round halfway numbers toward zero Arrondir les nombres à mi-chemin vers zéro - + Round halfway numbers to random Arrondir les nombres à mi-chemin au hasard - + Round halfway numbers up Arrondir les chiffres à mi-chemin vers le haut - + Round halfway numbers down Arrondir les chiffres à mi-chemin vers le bas - + Round toward zero Arrondir vers zéro - + Round away from zero Arrondir à partir de zéro - + Round up Rassembler - + Round down Arrondir vers le bas - + Complex number form: Forme polaire complexe: - + Rectangular Rectangulaire - + Exponential Exponentielle - + Polar Polaire - + Angle/phasor Angle/phaseur - + Enable units Activer les unités - + Abbreviate names Noms abrégés - + Use binary prefixes for information units Utiliser des préfixes binaires pour les unités d'information - + Automatic unit conversion: Conversion automatique des unités: - + No conversion Pas de conversion - + Base units Unités de base - + Optimal units Unités optimales - + Optimal SI units Unités SI optimales - + Convert to mixed units Convertir en unités mixtes - + Automatic unit prefixes: Préfixes d'unités automatiques: - + No prefixes Pas de préfixes - + Prefixes for some units Préfixes pour les unités sélectionnées - + Prefixes also for currencies Également des préfixes pour les devises - + Prefixes for all units Préfixes pour toutes les unités - + Enable all SI-prefixes Activer tous les préfixes SI - + Enable denominator prefixes Activer les préfixes du dénominateur - + Enable units in physical constants Activer unités en constantes physiques - + Copy unformatted ASCII without units Copier l'ASCII non formaté sans unités - + Temperature calculation: Mode de calcul de température : - + Absolute Absolu - + Hybrid Hybride - + Exchange rates updates: Mises à jour des taux de change : - - + + %n day(s) %n jour @@ -9254,32 +9282,32 @@ Voulez-vous l'écraser ? - + Look && Feel Apparence et présentation - + Numbers && Operators Nombres et opérateurs - + Units && Currencies Unités et devises - + Parsing && Calculation Analyse && Calcul - + Restart required Redémarrage nécessaire - + Please restart the program for the language change to take effect. Veuillez redémarrer l'application pour que le changement de langue prenne effet. @@ -9363,97 +9391,97 @@ Voulez-vous, malgré cela, changer le comportement par défaut et autoriser plus - + History Answer Value Valeur de réponse de l'historique - - + + answer résultat - + History Index(es) Index(es) de l'historique - + History index %s does not exist. L'index de l'historique %s n'existe pas. - + Last Answer Dernier résultat - + Answer 2 Résultat 2 - + Answer 3 Résultat 3 - + Answer 4 Résultat 4 - + Answer 5 Résultat 5 - + Memory Mémoire - - - - - - - + + + + + + + Error Erreur - + Couldn't write preferences to %1 Impossible d'écrire les préférences dans %1 - + Function not found. La fonction n'a pas été trouvée. - + Variable not found. La variable n'a pas été trouvée. - + Unit not found. L'unité n'a pas été trouvée. - + Unsupported base. La base n'est pas supportée. - - + + Unsupported value. Valeur non prise en charge. @@ -9461,12 +9489,12 @@ Voulez-vous, malgré cela, changer le comportement par défaut et autoriser plus QalculateQtSettings - + Update exchange rates? Mettre à jour les taux de change ? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -9480,63 +9508,63 @@ Souhaitez-vous mettre à jour les taux de change maintenant? - - + + Fetching exchange rates… Récupération des taux de change… - - - - + + + + Error Erreur - + Warning Avertissement - - - - - + + + + + Information Information - + Path of executable not found. Impossible de trouver le chemin de l'exécutable. - + curl not found. impossible de trouver curl. - + Failed to run update script. %1 Impossible d'exécuter le script de mise à jour. %1 - + Failed to check for updates. Échec de la vérification des mises à jour. - + No updates found. Aucune mise à jour trouvée. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9545,8 +9573,8 @@ Do you wish to update to version %3? Souhaitez-vous le mettre à jour vers la version %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9555,522 +9583,522 @@ You can get version %3 at %2. Vous pouvez télécharger la version %3 de %2. - + Download Télécharger - + %1: %2 %1 : %2 - + Insert function Insérer fonction - + Insert function (dialog) Insérer fonction (dialogue) - + Insert variable Insérer variable - + Approximate result Résultat approximatif - + Negate Rejeter - + Invert Intervertir - + Insert unit Insérer unité - + Insert text Insérer texte - + Insert operator Insérer un opérateur - + Insert date Insérer date - + Insert matrix Insérer matrice - + Insert smart parentheses Insérer parenthèses intelligentes - + Convert to unit Convertir en unité - + Convert Convertir - + Convert to optimal unit Convertir en unité optimale - + Convert to base units Convertir en unités de base - + Convert to optimal prefix Convertir en préfixe optimal - + Convert to number base Convertir en base numérique - + Factorize result Factoriser le résultat - + Expand result Développer le résultat - + Expand partial fractions Développer les fractions partielles - + RPN: down NPI : down - + RPN: up NPI : up - + RPN: swap NPI : swap - + RPN: copy NPI : copier - + RPN: lastx NPI : lastx - + RPN: delete register NPI : supprimer registre - + RPN: clear stack NPI : vider pile - + Set expression base Définir la base d'expression - + Set result base Définir la base de résultats - + Set angle unit to degrees Définir l'unité d'angle en degrés - + Set angle unit to radians Définir l'unité d'angle en radians - + Set angle unit to gradians Définir l'unité d'angle sur les grades - + Active normal display mode Mode d'affichage normal actif - + Activate scientific display mode Activer le mode d'affichage scientifique - + Activate engineering display mode Activer le mode d'affichage ingénierie - + Activate simple display mode Activer le mode d'affichage simple - + Toggle precision Basculer la précision - + Toggle max decimals Basculer le nombre maximum de décimales - + Toggle min decimals Basculer le nombre minimal de décimales - + Toggle max/min decimals Basculer les décimales max/min - + Toggle RPN mode Bascule mode NPI - + Show general keypad Afficher le clavier général - + Toggle programming keypad Basculer le clavier de programmation - + Toggle algebra keypad Basculer le clavier en algèbre - + Toggle custom keypad Basculer le clavier en personnalisé - + Show/hide keypad Afficher/masquer le clavier - + Search history Historique des recherches - + Clear history Effacer l'historique - + Show variables Afficher les variables - + Show functions Afficher les fonctions - + Show units Afficher les unités - + Show data sets Afficher les ensembles de données - + Store result Enregistrer résultat - + MC (memory clear) MC (mémoire effacée) - + MR (memory recall) MR (rappel de mémoire) - + MS (memory store) MS (magasin de mémoire) - + M+ (memory plus) M+ (mémoire +) - + M− (memory minus) M− (mémoire −) - + New variable Nouvelle variable - + New function Nouvelle fonction - + Open plot functions/data Ouvrir graph fonctions/données - + Open convert number bases Ouvrir convertisseur de bases numériques - + Open floating point conversion Ouvrir convertisseur à virgule flottante - + Open calender conversion Ouvrir conversion calendrier - + Open percentage calculation tool Ouvrir l'outil de calcul de pourcentages - + Open periodic table Ouvrir le tableau périodique - + Update exchange rates Mettre à jour les taux de change - + Copy result Copier le résultat - + Insert result Insérer le résultat - + Open mode menu Menu du mode ouvert - + Open menu Ouvrir le menu - + Help Aide - + Quit Quitter - + Toggle chain mode Basculer le mode chaîne - + Toggle keep above Basculer garder au-dessus - + Show completion (activate first item) Afficher l'achèvement (activer le premier élément) - + Clear expression Effacer l'expression - + Delete Supprimer - + Backspace Retour arrière - + Home Accueil - + End Fin - + Right Droite - + Left Gauche - + Up Haut - + Down Bas - + Undo Défaire - + Redo Refaire - + Calculate expression Calculer l'expression - + Expression history next Historique des expressions suivant - + Expression history previous Historique des expressions précédent - + Open functions menu Ouvrir le menu des fonctions - + Open units menu Ouvrir le menu des unités - + Open variables menu Ouvrir le menu des variables - + Default Défaut - + Formatted result Résultat formaté - + Unformatted ASCII result Résultat ASCII non formaté - + Unformatted ASCII result without units Résultat ASCII non formaté sans unités - + Formatted expression Expression formatée - + Unformatted ASCII expression Expression ASCII non formatée - + Formatted expression + result Expression formatée + résultat - + Unformatted ASCII expression + result Expression ASCII non formatée + résultat @@ -10303,7 +10331,7 @@ Vous pouvez télécharger la version %3 de %2. - + Keyboard Shortcuts Raccourcis clavier @@ -10912,66 +10940,66 @@ Vous pouvez télécharger la version %3 de %2. - + %1: %1 : - - - - - - + + + + + + Error Erreur - + Couldn't write definitions Ne peut pas écrire de définitions - + hexadecimal hexadécimal - + octal octal - + decimal décimal - + duodecimal duodécimal - + binary binaire - + roman romain - + bijective bijectif @@ -10979,147 +11007,147 @@ Vous pouvez télécharger la version %3 de %2. - - - + + + sexagesimal sexagésimal - - + + latitude latitude - - + + longitude longitude - + time temps - + Time zone parsing failed. L'analyse du fuseau horaire a échoué. - + bases bases - + calendars calendriers - + rectangular algébrique - + cartesian cartésien - + exponential exponentielle - + polar polaire - + phasor phaseur - + angle angle - + optimal optimal - + prefix préfixe - - + + base base - + mixed mixte - + factors facteurs - + partial fraction fraction partielle - + decimals décimales - + fraction fraction - + factorize factoriser - + expand développer @@ -11127,69 +11155,69 @@ Vous pouvez télécharger la version %3 de %2. - + Calculating… Calcul en cours… - - + + Cancel Annuler - + RPN Operation Opération NPI - + Factorizing… Factorisation en cours… - + Expanding partial fractions… Développement des fractions partielles… - + Expanding… Développement en cours… - + Converting… Conversion en cours… - + RPN Register Moved Registre NPI déplacé - - - + + + Processing… Traitement en cours… - - + + Matrix Matrice - - + + Temperature Calculation Mode Mode de calcul de température - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -11198,69 +11226,69 @@ Veuillez sélectionner le mode de calcul de la température (le mode pourra être modifié ultérieurement dans les préférences). - + Absolute Absolu - + Relative Relatif - + Hybrid Hybride - + Please select desired variant of the sinc function. Veuillez sélectionner la variante souhaitée de la fonction sinc. - + Unnormalized Non normalisé - + Normalized Normalisé - + Interpretation of dots Interprétation des points - + Please select interpretation of dots (".") (this can later be changed in preferences). Veuillez sélectionner l'interprétation des points (".") (cela peut être modifié ultérieurement dans les préférences). - + Both dot and comma as decimal separators Le point et la virgule comme séparateurs décimaux - + Dot as thousands separator Point comme séparateur de milliers - + Only dot as decimal separator Seul un point comme séparateur décimal - + Parsing Mode Mode d'analyse - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -11269,219 +11297,219 @@ Veuillez sélectionner l'interprétation des expressions avec multiplicatio (cela peut être modifié ultérieurement dans les préférences). - + Implicit multiplication first Multiplication implicite en premier - + Conventional Conventionnelle - + Adaptive Adaptif - + Percentage Interpretation Interprétation du pourcentage - + Please select interpretation of percentage addition Veuillez sélectionner l'interprétation de l'addition en pourcentage - + Add percentage of original value Ajouter un pourcentage de la valeur d'origine - + Add percentage multiplied by 1/100 Ajouter un pourcentage multiplié par 1/100 - - + + Add Action (%1) Ajouter action (%1) - + Edit Keyboard Shortcut Éditer raccourci clavier - + New Keyboard Shortcut Nouveau raccourci clavier - - + + Action Action - + Value: Valeur: - + Set key combination Définir la combinaison de touches - + Press the key combination you wish to use for the action. Appuyer sur la combinaison de touches que vous souhaitez utiliser pour l'action. - + Reserved key combination Combinaison de touches réservée - + Question Question - + The key combination is already in use. Do you wish to replace the current action (%1)? La combinaison de touches est déjà utilisée. Souhaitez-vous remplacer l'action en cours (%1)? - + Key combination Combinaison de touches - + Add… Ajouter… - + Edit… Éditer… - + Remove Supprimer - + Gnuplot was not found Impossible de trouver Gnuplot - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) a besoin d'être installé séparement, et indiquer son chemin d'installation dans la recherche de chemin de l'exécutable, pour faire fonctionner les graphs. - + Example: Example of function usage Exemple : - + Keep open Garder ouvert - + Enter RPN Enter Entrer - + Calculate Calculer - + Apply to Stack Appliquer à la pile - + Insert Insérer - + Value Valeur - + Argument Argument - + True Vrai - + False Faux - + Info Info - - + + optional optional argument optionnel - + Failed to open %1. %2 Impossible d'ouvrir %1. %2 - + Failed to open workspace Échec de l'ouverture de l'espace de travail - - - + + + Couldn't save workspace Impossible d'enregistrer l'espace de travail - + Save file? Enregistrer le fichier? - + Do you want to save the current workspace? Voulez-vous enregistrer l'espace de travail actuel? - + Do not ask again Ne plus demander diff --git a/translations/qalculate-qt_nl.ts b/translations/qalculate-qt_nl.ts index d3ee1fc..a2de172 100644 --- a/translations/qalculate-qt_nl.ts +++ b/translations/qalculate-qt_nl.ts @@ -4938,7 +4938,7 @@ Wilt u die overschrijven? - + Unicode Unicode @@ -5093,338 +5093,344 @@ Wilt u die overschrijven? %1: - - + + + comment + opmerking + + + + MC (memory clear) - - + + MS (memory store) - - + + M+ (memory plus) - - + + M− (memory minus) - - + + factorize - - + + expand - + hexadecimal hexadecimaal - - + + hexadecimal number hexadecimaal getal - + octal octaal - + octal number octaal getal - + decimal decimaal - + decimal number decimaal getal - + duodecimal duodecimaal - - + + duodecimal number dodecimaal getal - + binary binair - - + + binary number binair getal - + roman romeins - + roman numerals romeinse cijfers - + bijective - + bijective base-26 - + binary-coded decimal BCD-code - + sexagesimal sexagesimaal - + sexagesimal number sexagesimaal getal + - latitude breedtegraad + - longitude langtegraad - + 32-bit floating point - + 64-bit floating point - + 16-bit floating point - + 80-bit (x86) floating point - + 128-bit floating point - + time tijd - + time format tijdnotatie - + bases grondtallen - + number bases grondtallen + - calendars kalenders - + optimal optimale - + optimal unit meest geschikte eenheid - + prefix voorvoegsel - + optimal prefix - - + + base basis - + base units basiseenheden - + mixed gemengde - + mixed units gemengde eenheden - + decimals - + decimal fraction - - - + + + fraction breuk + - factors factoren - + partial fraction partiële breuken - + expanded partial fractions splitsen in partiële breuken - + rectangular rechthoekig - + cartesian cartesisch - + complex rectangular form complexe rechthoekige vorm - + exponential exponentiële - + complex exponential form complexe exponentiële vorm - + polar polair - + complex polar form complexe polaire vorm - + complex cis form complexe cis-vorm - + angle hoek - + complex angle notation complexe hoeknotatie - + phasor - + complex phasor notation complexe hoeknotatie - + UTC time zone UTC-tijdzone - + number base %1 grondtal %1 - + Data object Gegevensobject @@ -5827,18 +5833,18 @@ Wilt u die overschrijven? HistoryView - + Insert Value - + Insert Text - - + + Copy Kopiëren @@ -5847,36 +5853,36 @@ Wilt u die overschrijven? Opgemaakte tekst kopiëren - + Copy unformatted ASCII Niet-opgemaakte ASCII kopiëren - + Select All Alles selecteren - + Search… - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. - + Exchange rate source(s): @@ -5884,7 +5890,7 @@ Wilt u die overschrijven? - + updated %1 @@ -5892,33 +5898,50 @@ Wilt u die overschrijven? - + + Comment + Opmerking + + + Protect - + + + + Add Comment… + Voeg opmerking toe… + + + Move to Top - + Remove Wissen - + Clear Leegmaken - + + Edit Comment… + Opmerking bewerken… + + + Text: Tekst: - - + + Search @@ -7005,22 +7028,22 @@ Wilt u die overschrijven? PreferencesDialog - + Look && Feel - + Numbers && Operators - + Units && Currencies - + Parsing && Calculation @@ -7282,7 +7305,7 @@ Wilt u die overschrijven? - + Adaptive @@ -7433,152 +7456,157 @@ Wilt u die overschrijven? + Automatically group digits in input (experimental) + + + + Interval display: - + Significant digits - + Interval - + Plus/minus - + Concise - + Midpoint - + Lower - + Upper - + Rounding: - + Round halfway numbers away from zero - + Round halfway numbers to even - + Complex number form: - + Rectangular - + Exponential - + Polar - + Angle/phasor - + Enable units - + Abbreviate names - + Use binary prefixes for information units - + Automatic unit conversion: - + No conversion - + Base units Basiseenheden - + Optimal units Meest geschikte eenheden - + Optimal SI units - + Convert to mixed units - + Automatic unit prefixes: - + Copy unformatted ASCII without units - + Restart required - + Please restart the program for the language change to take effect. - + Default Standaard @@ -7620,114 +7648,114 @@ Wilt u die overschrijven? Automatisch - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes - + Prefixes for some units - + Prefixes also for currencies - + Prefixes for all units - + Enable all SI-prefixes - + Enable denominator prefixes - + Enable units in physical constants Eenheden in natuurkundige constanten - + Temperature calculation: - + Absolute - - + + Relative - + Hybrid - + Exchange rates updates: - - + + %n day(s) %n dag @@ -7817,97 +7845,97 @@ Do you, despite this, want to change the default behavior and allow multiple sim - - + + answer antwoord - + History Answer Value - + History Index(es) - + History index %s does not exist. - + Last Answer Laatste antwoord - + Answer 2 Antwoord 2 - + Answer 3 Antwoord 3 - + Answer 4 Antwoord 4 - + Answer 5 Antwoord 5 - + Memory - - - - - - - + + + + + + + Error Fout - + Couldn't write preferences to %1 Kon de voorkeurinstellingen niet schrijven naar %1 - + Function not found. - + Variable not found. - + Unit not found. - + Unsupported base. - - + + Unsupported value. @@ -7915,12 +7943,12 @@ Do you, despite this, want to change the default behavior and allow multiple sim QalculateQtSettings - + Update exchange rates? Wisselkoersen bijwerken? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -7934,592 +7962,592 @@ Do you wish to update the exchange rates now? Wisselkoersen worden opgehaald. - - + + Fetching exchange rates… - - - - + + + + Error Fout - + Warning - - - - - + + + + + Information - + Path of executable not found. - + curl not found. - + Failed to run update script. %1 - + Failed to check for updates. - + No updates found. - + A new version of %1 is available at %2. Do you wish to update to version %3? - - + + A new version of %1 is available. You can get version %3 at %2. - + Download - + %1: %2 - + Insert function - + Insert function (dialog) - + Insert variable - + Approximate result - + Negate - + Invert - + Insert unit - + Insert text - + Insert operator - + Insert date - + Insert matrix - + Insert smart parentheses - + Convert to unit Converteren naar eenheid - + Convert Converteren - + Convert to optimal unit - + Convert to base units - + Convert to optimal prefix - + Convert to number base - + Factorize result - + Expand result - + Expand partial fractions - + RPN: down - + RPN: up - + RPN: swap - + RPN: copy - + RPN: lastx - + RPN: delete register - + RPN: clear stack - + Set expression base - + Set result base - + Set angle unit to degrees - + Set angle unit to radians - + Set angle unit to gradians - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision - + Toggle max decimals - + Toggle min decimals - + Toggle max/min decimals - + Toggle RPN mode - + Show general keypad - + Toggle programming keypad - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history - + Clear history - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Antwoord opslaan - + MC (memory clear) - + MR (memory recall) - + MS (memory store) - + M+ (memory plus) - + M− (memory minus) - + New variable Nieuwe variabele - + New function Nieuwe functie - + Open plot functions/data Functies/gegevens plotten - + Open convert number bases Getallen converteren naar ander grondtal - + Open floating point conversion - + Open calender conversion Kalenderconversie - + Open percentage calculation tool Percentage berekenen - + Open periodic table Periodiek systeem - + Update exchange rates Wisselkoersen bijwerken - + Copy result Antwoord kopiëren - + Insert result - + Open mode menu - + Open menu Menu openen - + Help Help - + Quit Afsluiten - + Toggle chain mode - + Toggle keep above - + Show completion (activate first item) - + Clear expression - + Delete Wissen - + Backspace - + Home - + End - + Right - + Left - + Up - + Down - + Undo Ongedaan maken - + Redo Opnieuw doen - + Calculate expression Expressie berekenen - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Standaard - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -8731,7 +8759,7 @@ You can get version %3 at %2. - + Keyboard Shortcuts @@ -9270,60 +9298,60 @@ You can get version %3 at %2. - - - - - - + + + + + + Error Fout - + Couldn't write definitions Kon definities niet schrijven - + hexadecimal hexadecimaal - + octal octaal - + decimal decimaal - + duodecimal duodecimaal - + binary binair - + roman romeins - + bijective @@ -9331,117 +9359,117 @@ You can get version %3 at %2. - - - + + + sexagesimal sexagesimaal - - + + latitude breedtegraad - - + + longitude lengtegraad - + time tijd - + Time zone parsing failed. - + bases grondtallen - + calendars kalenders - + rectangular rechthoekig - + cartesian cartesisch - + exponential exponentiële - + polar polair - + phasor - + angle hoek - + optimal optimale - - + + base basis - + mixed gemengde - + fraction breuk - + factors factoren @@ -9476,31 +9504,31 @@ You can get version %3 at %2. - + prefix voorvoegsel - + partial fraction partiële breuken - + decimals - + factorize - + expand @@ -9508,190 +9536,190 @@ You can get version %3 at %2. - + Calculating… Berekenen… - - + + Cancel Annuleren - + RPN Operation RPN-bewerking - + Factorizing… Ontbinden in factoren… - + Expanding partial fractions… Splitsen in partiële breuken… - + Expanding… Uitwerken… - + Converting… Converteert… - + RPN Register Moved RPN-register is verplaatst - - - + + + Processing… Verwerken… - - + + Matrix Matrix - - + + Temperature Calculation Mode - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). - + Absolute - + Relative - + Hybrid - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots - + Please select interpretation of dots (".") (this can later be changed in preferences). - + Both dot and comma as decimal separators - + Dot as thousands separator - + Only dot as decimal separator - + Parsing Mode Interpretatie modus - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). - + Implicit multiplication first - + Conventional - + Adaptive - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Actie toevoegen (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut @@ -9700,127 +9728,127 @@ Please select interpretation of expressions with implicit multiplication Actie: - + Value: - + Set key combination - + Press the key combination you wish to use for the action. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? - + Question Vraag - + Add… Toevoegen… - + Edit… Bewerken… - + Remove Wissen - + Gnuplot was not found - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. - + Example: Example of function usage Voorbeeld: - + Enter RPN Enter - + Calculate Berekenen - + Apply to Stack - + Insert Invoegen - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again - + Keep open - + Value Waarde - + Argument Argument @@ -9828,7 +9856,7 @@ Do you wish to replace the current action (%1)? - + %1: %1: @@ -9934,40 +9962,40 @@ Do you wish to replace the current action (%1)? - - + + Action Actie - + Key combination - + True Waar - + False Onwaar - + Info Info - - + + optional optional argument optioneel - + Failed to open %1. %2 diff --git a/translations/qalculate-qt_pt_BR.ts b/translations/qalculate-qt_pt_BR.ts index 037737c..3331eef 100644 --- a/translations/qalculate-qt_pt_BR.ts +++ b/translations/qalculate-qt_pt_BR.ts @@ -5943,7 +5943,7 @@ Deseja sobrescrever a função? - + Unicode Unicode @@ -6098,338 +6098,344 @@ Deseja sobrescrever a função? %1: - - + + + comment + comentário + + + + MC (memory clear) - - + + MS (memory store) - - + + M+ (memory plus) - - + + M− (memory minus) - - + + factorize fatorar - - + + expand expandir - + hexadecimal hexadecimal - - + + hexadecimal number número hexadecimal - + octal octal - + octal number número octal - + decimal decimal - + decimal number número decimal - + duodecimal duodecimal - - + + duodecimal number número duodecimal - + binary binário - - + + binary number número binário - + roman romanos - + roman numerals numerais romanos - + bijective bijetivo - + bijective base-26 base bijetiva-26 - + binary-coded decimal codificação binária decimal - + sexagesimal sexagesimal - + sexagesimal number número sexagesimal + - latitude + - longitude - + 32-bit floating point ponto flutuante de 32-bit - + 64-bit floating point ponto flutuante de 64-bit - + 16-bit floating point ponto flutuante de 16-bit - + 80-bit (x86) floating point ponto flutuante de 80-bit (x86) - + 128-bit floating point ponto flutuante de 128-bit - + time hora - + time format formato de hora - + bases bases - + number bases bases numéricas + - calendars calendários - + optimal ideal - + optimal unit unidade ideal - + prefix prefixo - + optimal prefix - - + + base base - + base units unidades de base - + mixed mesclado - + mixed units unidades mescladas - + decimals - + decimal fraction - - - + + + fraction fração + - factors fatores - + partial fraction fração parcial - + expanded partial fractions frações parciais expandidas - + rectangular retangular - + cartesian cartesiano - + complex rectangular form forma retangular complexa - + exponential exponencial - + complex exponential form forma exponencial complexa - + polar polar - + complex polar form forma polar complexa - + complex cis form forma cis complexa - + angle ângulo - + complex angle notation notação complexa de ângulo - + phasor fasor - + complex phasor notation notação complexa de fasor - + UTC time zone fuso horário UTC - + number base %1 número base %1 - + Data object Onjeto de dados @@ -6832,18 +6838,18 @@ Deseja sobrescrever a função? HistoryView - + Insert Value Inserir valor - + Insert Text Inserir texto - - + + Copy Copiar @@ -6852,17 +6858,17 @@ Deseja sobrescrever a função? Copiar texto formatado - + Copy unformatted ASCII Copiar ASCII não formatado - + Select All Selecionar tudo - + Search… Procurar… @@ -6873,21 +6879,21 @@ and press the enter key. e pressione a tecla Enter. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Digite a expressão matemática acima, ex. "5 + 2 / 3" e pressione a tecla Enter. - + Exchange rate source(s): @@ -6895,7 +6901,7 @@ e pressione a tecla Enter. - + updated %1 @@ -6903,33 +6909,50 @@ e pressione a tecla Enter. - + + Comment + Comentário + + + Protect Proteger - + + + + Add Comment… + Adicionar Comentário… + + + Move to Top Mover para o topo - + Remove Remover - + Clear Limpar - + + Edit Comment… + Editar Comentário… + + + Text: Texto: - - + + Search Pesquisar @@ -8016,22 +8039,22 @@ e pressione a tecla Enter. PreferencesDialog - + Look && Feel Aparência - + Numbers && Operators Números e operadores - + Units && Currencies Unidades e moedas - + Parsing && Calculation Análise e cálculo @@ -8189,7 +8212,7 @@ e pressione a tecla Enter. - + Adaptive Adaptativa @@ -8303,12 +8326,12 @@ e pressione a tecla Enter. Ignorar pontos em números - + Round halfway numbers away from zero - + Round halfway numbers to even Arredondar números até a metade @@ -8506,142 +8529,147 @@ e pressione a tecla Enter. + Automatically group digits in input (experimental) + + + + Interval display: Exibição de intervalo: - + Significant digits Dígitos Significativos - + Interval Intervalo - + Plus/minus Mais/menos - + Concise - + Midpoint Ponto médio - + Lower - + Upper - + Rounding: - + Complex number form: Forma de nùmero complexo: - + Rectangular Retangular - + Exponential Exponencial - + Polar Polar - + Angle/phasor Ângulo/fasor - + Enable units - + Abbreviate names Abreviar nomes - + Use binary prefixes for information units Usar prefixos binários para unidades de informações - + Automatic unit conversion: - + No conversion - + Base units Unidades base - + Optimal units Unidades ideais - + Optimal SI units - + Convert to mixed units - + Automatic unit prefixes: - + Copy unformatted ASCII without units - + Restart required Reinício necessário - + Please restart the program for the language change to take effect. Por favor, reinicie a aplicação para que a alteração de idioma tenha efeito. - + Default Padrão @@ -8651,114 +8679,114 @@ e pressione a tecla Enter. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes - + Prefixes for some units - + Prefixes also for currencies - + Prefixes for all units - + Enable all SI-prefixes - + Enable denominator prefixes Ativar prefixos de denominador - + Enable units in physical constants Activar unidades em constantes físicas - + Temperature calculation: - + Absolute - - + + Relative - + Hybrid - + Exchange rates updates: Atualizações das taxas de câmbio: - - + + %n day(s) %n dia @@ -8852,97 +8880,97 @@ Mesmo assim, você deseja alterar o comportamento padrão e permitir várias ins - - + + answer resposta - + History Answer Value Valor da resposta do histórico - + History Index(es) Índice(s) do histórico - + History index %s does not exist. O índice do histórico %s não existe. - + Last Answer Última resposta - + Answer 2 Resposta 2 - + Answer 3 Resposta 3 - + Answer 4 Resposta 4 - + Answer 5 Resposta 5 - + Memory - - - - - - - + + + + + + + Error - + Couldn't write preferences to %1 Não foi possível gravar preferências em %1 - + Function not found. Função não encontrada. - + Variable not found. Variável não encontrada. - + Unit not found. Unidade não encontrada. - + Unsupported base. Base não suportada. - - + + Unsupported value. @@ -8950,12 +8978,12 @@ Mesmo assim, você deseja alterar o comportamento padrão e permitir várias ins QalculateQtSettings - + Update exchange rates? Atualizações das taxas de câmbio? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -8973,63 +9001,63 @@ Deseja atualizar as taxas de câmbio agora? Buscando taxas de câmbio. - - + + Fetching exchange rates… Buscando taxas de câmbio… - - - - + + + + Error - + Warning - - - - - + + + + + Information - + Path of executable not found. Caminho do executável não encontrado. - + curl not found. curl não encontrado. - + Failed to run update script. %1 Falha ao executar o script de atualização. %1 - + Failed to check for updates. Falha ao verificar por atualizações. - + No updates found. Nenhuma atualização encontrada. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9038,8 +9066,8 @@ Do you wish to update to version %3? Deseja atualizar para a versão %3. - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9048,522 +9076,522 @@ You can get version %3 at %2. Você pode obter a versão %3 em %2. - + Download - + %1: %2 - + Insert function Inserir função - + Insert function (dialog) Inserir função (diálogo) - + Insert variable Inserir variável - + Approximate result - + Negate Negar - + Invert Inverter - + Insert unit Inserir unidade - + Insert text Inserir texto - + Insert operator - + Insert date Inserir data - + Insert matrix Inserir matriz - + Insert smart parentheses Inserir parênteses inteligentes - + Convert to unit Converter em unidade - + Convert Converter - + Convert to optimal unit Converter em unidade ideal - + Convert to base units Converter em unidades base - + Convert to optimal prefix Converter em prefixo ideal - + Convert to number base Converter em número base - + Factorize result Fatorar resultado - + Expand result Expandir resultado - + Expand partial fractions Expandir frações parciais - + RPN: down RPN: para baixo - + RPN: up RPN: para cima - + RPN: swap RPN: trocar - + RPN: copy RPN: copiar - + RPN: lastx RPN: lastx - + RPN: delete register RPN: excluir registro - + RPN: clear stack RPN: limpar pilha - + Set expression base Definir base de expressão - + Set result base Definir base de resultados - + Set angle unit to degrees Definir unidade de ângulo em graus - + Set angle unit to radians Definir unidade de ângulo em radianos - + Set angle unit to gradians Definir unidade de ângulo em gradianos - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision - + Toggle max decimals - + Toggle min decimals - + Toggle max/min decimals - + Toggle RPN mode Alternar modo RPN - + Show general keypad - + Toggle programming keypad Alternar teclado de programação - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history Pesquisar no histórico - + Clear history Limpar histórico - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Guardar resultado - + MC (memory clear) - + MR (memory recall) - + MS (memory store) - + M+ (memory plus) - + M− (memory minus) - + New variable Nova variável - + New function Nova função - + Open plot functions/data Abrir funções/dados de plotagem - + Open convert number bases Abrir números base convertidos - + Open floating point conversion Abrir conversão de ponto flutuante - + Open calender conversion Abrir conversão de calendário - + Open percentage calculation tool Abrir ferramenta de cálculo de porcentagem - + Open periodic table Abrir tabela periódica - + Update exchange rates Atualizar taxas de câmbio - + Copy result Copiar resultado - + Insert result - + Open mode menu - + Open menu - + Help Ajuda - + Quit Sair - + Toggle chain mode - + Toggle keep above - + Show completion (activate first item) - + Clear expression Limpar expressão - + Delete Excluir - + Backspace Backspace - + Home - + End - + Right - + Left - + Up Acima - + Down Abaixo - + Undo Desfazer - + Redo Refazer - + Calculate expression Calcular expressão - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Padrão - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -9771,7 +9799,7 @@ Você pode obter a versão %3 em %2. - + Keyboard Shortcuts Atalhos do teclado @@ -10292,60 +10320,60 @@ Você pode obter a versão %3 em %2. - - - - - - + + + + + + Error - + Couldn't write definitions Não foi possível gravar definições - + hexadecimal hexadecimal - + octal octal - + decimal decimal - + duodecimal duodecimal - + binary binário - + roman romanos - + bijective bijetivo @@ -10353,117 +10381,117 @@ Você pode obter a versão %3 em %2. - - - + + + sexagesimal sexagesimal - - + + latitude - - + + longitude - + time hora - + Time zone parsing failed. Falha na análise do fuso horário. - + bases bases - + calendars calendários - + rectangular retangular - + cartesian cartesiano - + exponential exponencial - + polar polar - + phasor fasor - + angle ângulo - + optimal ideal - - + + base base - + mixed mesclado - + fraction fração - + factors fatores @@ -10498,31 +10526,31 @@ Você pode obter a versão %3 em %2. - + prefix prefixo - + partial fraction fração parcial - + decimals - + factorize fatorar - + expand expandir @@ -10530,190 +10558,190 @@ Você pode obter a versão %3 em %2. - + Calculating… Calculando… - - + + Cancel Cancelar - + RPN Operation Operação RPN - + Factorizing… Fatorando… - + Expanding partial fractions… Expandindo frações parciais… - + Expanding… Expandindo… - + Converting… Convertendo… - + RPN Register Moved Registro RPN Movido - - - + + + Processing… Processando… - - + + Matrix Matriz - - + + Temperature Calculation Mode - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). - + Absolute - + Relative - + Hybrid - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots - + Please select interpretation of dots (".") (this can later be changed in preferences). - + Both dot and comma as decimal separators - + Dot as thousands separator - + Only dot as decimal separator - + Parsing Mode Modo de análise - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). - + Implicit multiplication first Primeiro multiplicação implícita - + Conventional Convencional - + Adaptive Adaptativa - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Adicionar ação (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut Novo atalho de teclado @@ -10722,128 +10750,128 @@ Please select interpretation of expressions with implicit multiplication Ação: - + Value: Valor: - + Set key combination Definir combinação de teclas - + Press the key combination you wish to use for the action. Pressione a combinação de teclas que deseja usar para a ação. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? A combinação de teclas já está em uso. Deseja substituir a ação atual (%1)? - + Question - + Add… Adicionar… - + Edit… Editar… - + Remove Remover - + Gnuplot was not found - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) precisa ser instalado separadamente e localizado no caminho de pesquisa do executável para que a plotagem funcione. - + Example: Example of function usage Exemplo: - + Enter RPN Enter Enter - + Calculate Calcular - + Apply to Stack Aplicar à pilha - + Insert Inserir - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again Não perguntar novamente - + Keep open Manter aberto - + Value Valor - + Argument Argumento @@ -10851,7 +10879,7 @@ Deseja substituir a ação atual (%1)? - + %1: %1: @@ -11003,40 +11031,40 @@ Deseja substituir a ação atual (%1)? Limpar a pilha RPN - - + + Action Ação - + Key combination Combinação de teclas - + True Verdadeiro - + False Falso - + Info Informação - - + + optional optional argument opcional - + Failed to open %1. %2 Falha ao abrir %1. diff --git a/translations/qalculate-qt_pt_PT.ts b/translations/qalculate-qt_pt_PT.ts index ea55378..fe51354 100644 --- a/translations/qalculate-qt_pt_PT.ts +++ b/translations/qalculate-qt_pt_PT.ts @@ -5943,7 +5943,7 @@ Deseja substituir a função? - + Unicode Unicode @@ -6098,338 +6098,344 @@ Deseja substituir a função? %1: - - + + + comment + comentário + + + + MC (memory clear) MC(limpar memória) - - + + MS (memory store) MS (armazenar memória) - - + + M+ (memory plus) M+ (mais memória) - - + + M− (memory minus) M− (menos memória) - - + + factorize fatorar - - + + expand expandir - + hexadecimal hexadecimal - - + + hexadecimal number número hexadecimal - + octal octal - + octal number número octal - + decimal decimal - + decimal number número decimal - + duodecimal duodecimal - - + + duodecimal number número duodecimal - + binary binário - - + + binary number número binário - + roman romanos - + roman numerals numerais romanos - + bijective bijetivo - + bijective base-26 base bijetiva-26 - + binary-coded decimal codificação binária decimal - + sexagesimal sexagesimal - + sexagesimal number número sexagesimal + - latitude latitude + - longitude longitude - + 32-bit floating point ponto flutuante de 32-bit - + 64-bit floating point ponto flutuante de 64-bit - + 16-bit floating point ponto flutuante de 16-bit - + 80-bit (x86) floating point ponto flutuante de 80-bit (x86) - + 128-bit floating point ponto flutuante de 128-bit - + time hora - + time format formato de hora - + bases bases - + number bases bases numéricas + - calendars calendários - + optimal ideal - + optimal unit unidade ideal - + prefix prefixo - + optimal prefix prefixo ideal - - + + base base - + base units unidades de base - + mixed mesclado - + mixed units unidades mescladas - + decimals decimais - + decimal fraction fração decimal - - - + + + fraction fração + - factors fatores - + partial fraction fração parcial - + expanded partial fractions frações parciais expandidas - + rectangular retangular - + cartesian cartesiano - + complex rectangular form forma retangular complexa - + exponential exponencial - + complex exponential form forma exponencial complexa - + polar polar - + complex polar form forma polar complexa - + complex cis form forma cis complexa - + angle ângulo - + complex angle notation notação complexa de ângulo - + phasor fasor - + complex phasor notation notação complexa de fasor - + UTC time zone fuso horário UTC - + number base %1 número base %1 - + Data object Onjeto de dados @@ -6832,18 +6838,18 @@ Deseja sobrescrever a função? HistoryView - + Insert Value Inserir valor - + Insert Text Inserir texto - - + + Copy Copiar @@ -6852,17 +6858,17 @@ Deseja sobrescrever a função? Copiar texto formatado - + Copy unformatted ASCII Copiar ASCII não formatado - + Select All Selecionar tudo - + Search… Procurar… @@ -6873,21 +6879,21 @@ and press the enter key. e pressione a tecla Enter. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Digite a expressão matemática acima, ex. "5 + 2 / 3" e prima a tecla Enter. - + Exchange rate source(s): Fonte da taxa de câmbio: @@ -6895,7 +6901,7 @@ e pressione a tecla Enter. - + updated %1 atualizado %1 @@ -6903,33 +6909,50 @@ e pressione a tecla Enter. - + + Comment + Comentário + + + Protect Proteger - + + + + Add Comment… + Adicionar comentário… + + + Move to Top Mover para o topo - + Remove Remover - + Clear Limpar - + + Edit Comment… + Editar comentário… + + + Text: Texto: - - + + Search Pesquisar @@ -8016,22 +8039,22 @@ e pressione a tecla Enter. PreferencesDialog - + Look && Feel Aparência - + Numbers && Operators Números e operadores - + Units && Currencies Unidades e moedas - + Parsing && Calculation Análise e cálculo @@ -8193,7 +8216,7 @@ e pressione a tecla Enter. - + Adaptive Adaptativa @@ -8327,12 +8350,12 @@ e pressione a tecla Enter. Copiar ASCII não formatado por padrão - + Round halfway numbers away from zero Arredondar números intermediários de zero - + Round halfway numbers to even Arredondar números até a metade @@ -8515,254 +8538,259 @@ e pressione a tecla Enter. + Automatically group digits in input (experimental) + + + + Interval display: Exibição de intervalo: - + Significant digits Dígitos Significativos - + Interval Intervalo - + Plus/minus Mais/menos - + Concise Conciso - + Midpoint Ponto médio - + Lower Inferior - + Upper Superior - + Rounding: Arredondamento: - + Complex number form: Forma de nùmero complexo: - + Rectangular Retangular - + Exponential Exponencial - + Polar Polar - + Angle/phasor Ângulo/fasor - + Enable units Ativar unidades - + Abbreviate names Abreviar nomes - + Use binary prefixes for information units Usar prefixos binários para unidades de informações - + Automatic unit conversion: Conversão automática de unidades: - + No conversion Sem conversão - + Base units Unidades base - + Optimal units Unidades ideais - + Optimal SI units Unidades ideais SI - + Convert to mixed units Converter para unidades mistas - + Automatic unit prefixes: Prefixos automáticos de unidades: - + Copy unformatted ASCII without units Copiar ASCII não formatado sem unidades - + Restart required Reinício necessário - + Please restart the program for the language change to take effect. Reinicie a aplicação para que a alteração de idioma tenha efeito. - + Default Padrão - + Round halfway numbers to odd Arredondar números intermediários para ímpares - + Round halfway numbers toward zero Arredondar números intermediários para zero - + Round halfway numbers to random Arredondar números intermediários para aleatórios - + Round halfway numbers up Arredondar os números intermediários para cima - + Round halfway numbers down Arredondar números intermediários para baixo - + Round toward zero Arredondar para zero - + Round away from zero Arredondar do zero - + Round up Arredondar para cima - + Round down Arredondar para baixo - + No prefixes Sem prefixos - + Prefixes for some units Prefixos para algumas unidades - + Prefixes also for currencies Prefixos também para moedas - + Prefixes for all units Prefixos para todas as unidades - + Enable all SI-prefixes Ativar todos os prefixos SI - + Enable denominator prefixes Ativar prefixos de denominador - + Enable units in physical constants Activar unidades em constantes físicas - + Temperature calculation: Cálculo da temperatura: - + Absolute Absoluta - - + + Relative Relativa - + Hybrid Híbrido - + Exchange rates updates: Atualizações das taxas de câmbio: - - + + %n day(s) %n dia @@ -8856,97 +8884,97 @@ Mesmo assim, você deseja alterar o comportamento padrão e permitir várias ins - - + + answer resposta - + History Answer Value Valor da resposta do histórico - + History Index(es) Índice(s) do histórico - + History index %s does not exist. O índice do histórico %s não existe. - + Last Answer Última resposta - + Answer 2 Resposta 2 - + Answer 3 Resposta 3 - + Answer 4 Resposta 4 - + Answer 5 Resposta 5 - + Memory Memória - - - - - - - + + + + + + + Error Erro - + Couldn't write preferences to %1 Não foi possível gravar preferências em %1 - + Function not found. Função não encontrada. - + Variable not found. Variável não encontrada. - + Unit not found. Unidade não encontrada. - + Unsupported base. Base não suportada. - - + + Unsupported value. Valor não suportado. @@ -8954,12 +8982,12 @@ Mesmo assim, você deseja alterar o comportamento padrão e permitir várias ins QalculateQtSettings - + Update exchange rates? Atualizações das taxas de câmbio? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -8977,63 +9005,63 @@ Pretende atualizar as taxas de câmbio agora? Buscando taxas de câmbio. - - + + Fetching exchange rates… A obter taxas de câmbio… - - - - + + + + Error Erro - + Warning Aviso - - - - - + + + + + Information Informação - + Path of executable not found. Caminho do executável não encontrado. - + curl not found. curl não encontrado. - + Failed to run update script. %1 Falha ao executar o script de atualização. %1 - + Failed to check for updates. Falha ao verificar por atualizações. - + No updates found. Nenhuma atualização encontrada. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9042,8 +9070,8 @@ Do you wish to update to version %3? Pretende atualizar para a versão %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9052,522 +9080,522 @@ You can get version %3 at %2. Você pode obter a versão %3 em %2. - + Download Transferir - + %1: %2 %1: %2 - + Insert function Inserir função - + Insert function (dialog) Inserir função (diálogo) - + Insert variable Inserir variável - + Approximate result Resultado aproximado - + Negate Negar - + Invert Inverter - + Insert unit Inserir unidade - + Insert text Inserir texto - + Insert operator Inserir operador - + Insert date Inserir data - + Insert matrix Inserir matriz - + Insert smart parentheses Inserir parênteses inteligentes - + Convert to unit Converter em unidade - + Convert Converter - + Convert to optimal unit Converter em unidade ideal - + Convert to base units Converter em unidades base - + Convert to optimal prefix Converter em prefixo ideal - + Convert to number base Converter em número base - + Factorize result Fatorar resultado - + Expand result Expandir resultado - + Expand partial fractions Expandir frações parciais - + RPN: down RPN: para baixo - + RPN: up RPN: para cima - + RPN: swap RPN: trocar - + RPN: copy RPN: copiar - + RPN: lastx RPN: lastx - + RPN: delete register RPN: eliminar registo - + RPN: clear stack RPN: limpar pilha - + Set expression base Definir base de expressão - + Set result base Definir base de resultados - + Set angle unit to degrees Definir unidade de ângulo em graus - + Set angle unit to radians Definir unidade de ângulo em radianos - + Set angle unit to gradians Definir unidade de ângulo em gradianos - + Active normal display mode Modo de exibição normal ativo - + Activate scientific display mode Ativar o modo de exibição científica - + Activate engineering display mode Ativar o modo de exibição de engenharia - + Activate simple display mode Ativar o modo de exibição simples - + Toggle precision Alternar precisão - + Toggle max decimals Alternar decimais máximos - + Toggle min decimals Alternar decimais mínimos - + Toggle max/min decimals Alternar decimais máx/mín - + Toggle RPN mode Alternar modo RPN - + Show general keypad Mostrar teclado geral - + Toggle programming keypad Alternar teclado de programação - + Toggle algebra keypad Alternar teclado de álgebra - + Toggle custom keypad Alternar teclado personalizado - + Show/hide keypad Mostrar/ocultar teclado - + Search history Pesquisar no histórico - + Clear history Limpar histórico - + Show variables Mostrar variáveis - + Show functions Mostrar funções - + Show units Mostrar unidades - + Show data sets Mostrar conjuntos de dados - + Store result Armazenar resultado - + MC (memory clear) MC (limpar memória) - + MR (memory recall) MR (recordar memória) - + MS (memory store) MS (memória de armazenamento) - + M+ (memory plus) M+ (memória mais) - + M− (memory minus) M- (memória menos) - + New variable Nova variável - + New function Nova função - + Open plot functions/data Abrir funções/dados de plotagem - + Open convert number bases Abrir números base convertidos - + Open floating point conversion Abrir conversão de ponto flutuante - + Open calender conversion Abrir conversão de calendário - + Open percentage calculation tool Abrir ferramenta de cálculo de percentagem - + Open periodic table Abrir tabela periódica - + Update exchange rates Atualizar taxas de câmbio - + Copy result Copiar resultado - + Insert result Inserir resultado - + Open mode menu Abrir menu de modo - + Open menu Abrir menu - + Help Ajuda - + Quit Sair - + Toggle chain mode Alternar modo de cadeia - + Toggle keep above Alternar manter acima - + Show completion (activate first item) Mostrar preenchimento (ativar o primeiro item) - + Clear expression Limpar expressão - + Delete Eliminar - + Backspace Backspace - + Home Home - + End End - + Right Direita - + Left Esquerda - + Up Acima - + Down Abaixo - + Undo Desfazer - + Redo Refazer - + Calculate expression Calcular expressão - + Expression history next Histórico de expressões seguinte - + Expression history previous Histórico de expressões anterior - + Open functions menu Abrir menu de funções - + Open units menu Abrir menu de unidades - + Open variables menu - + Default Padrão - + Formatted result Resultado formatado - + Unformatted ASCII result Resultado ASCII não formatado - + Unformatted ASCII result without units Resultado ASCII não formatado sem unidades - + Formatted expression Expressão formatada - + Unformatted ASCII expression Expressão ASCII não formatada - + Formatted expression + result Expressão formatada + resultado - + Unformatted ASCII expression + result Expressão ASCII não formatada + resultado @@ -9775,7 +9803,7 @@ Você pode obter a versão %3 em %2. - + Keyboard Shortcuts Teclas de atalho @@ -10296,60 +10324,60 @@ Você pode obter a versão %3 em %2. - - - - - - + + + + + + Error Erro - + Couldn't write definitions Não foi possível gravar definições - + hexadecimal hexadecimal - + octal octal - + decimal decimal - + duodecimal duodecimal - + binary binário - + roman romanos - + bijective bijetivo @@ -10357,117 +10385,117 @@ Você pode obter a versão %3 em %2. - - - + + + sexagesimal sexagesimal - - + + latitude latitude - - + + longitude longitude - + time hora - + Time zone parsing failed. Falha na análise do fuso horário. - + bases bases - + calendars calendários - + rectangular retangular - + cartesian cartesiano - + exponential exponencial - + polar polar - + phasor fasor - + angle ângulo - + optimal ideal - - + + base base - + mixed mesclado - + fraction fração - + factors fatores @@ -10502,31 +10530,31 @@ Você pode obter a versão %3 em %2. - + prefix prefixo - + partial fraction fração parcial - + decimals decimais - + factorize fatorar - + expand expandir @@ -10534,69 +10562,69 @@ Você pode obter a versão %3 em %2. - + Calculating… Calculando… - - + + Cancel Cancelar - + RPN Operation Operação RPN - + Factorizing… Fatorando… - + Expanding partial fractions… Expandindo frações parciais… - + Expanding… Expandindo… - + Converting… Convertendo… - + RPN Register Moved Registro RPN Movido - - - + + + Processing… Processando… - - + + Matrix Matriz - - + + Temperature Calculation Mode Modo de cálculo da temperatura - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -10605,69 +10633,69 @@ Selecione o modo de cálculo da temperatura (o modo pode ser alterado mais tarde nas preferências). - + Absolute Absoluto - + Relative Relativo - + Hybrid Híbrido - + Please select desired variant of the sinc function. Seleccione a variante desejada da função sinc. - + Unnormalized Não normalizado - + Normalized Normalizado - + Interpretation of dots Interpretação dos pontos - + Please select interpretation of dots (".") (this can later be changed in preferences). Selecione a interpretação dos pontos (".") (isto pode ser alterado mais tarde nas preferências). - + Both dot and comma as decimal separators Ponto e vírgula como separadores decimais - + Dot as thousands separator Ponto como separador de milhares - + Only dot as decimal separator Apenas o ponto como separador decimal - + Parsing Mode Modo de análise - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -10676,53 +10704,53 @@ Selecione a interpretação de expressões com multiplicação implícita (isto pode ser alterado mais tarde nas preferências). - + Implicit multiplication first Primeiro multiplicação implícita - + Conventional Convencional - + Adaptive Adaptativa - + Percentage Interpretation Interpretação das percentagens - + Please select interpretation of percentage addition Selecionar a interpretação da percentagem de adição - + Add percentage of original value Adicionar percentagem do valor original - + Add percentage multiplied by 1/100 Adicionar percentagem multiplicada por 1/100 - - + + Add Action (%1) Adicionar ação (%1) - + Edit Keyboard Shortcut Editar tecla de atalho - + New Keyboard Shortcut Nova tecla de atalho @@ -10731,128 +10759,128 @@ Selecione a interpretação de expressões com multiplicação implícita Ação: - + Value: Valor: - + Set key combination Definir combinação de teclas - + Press the key combination you wish to use for the action. Pressione a combinação de teclas que deseja usar para a ação. - + Reserved key combination Combinação de teclas reservada - + The key combination is already in use. Do you wish to replace the current action (%1)? A combinação de teclas já está em uso. Deseja substituir a ação atual (%1)? - + Question Questão - + Add… Adicionar… - + Edit… Editar… - + Remove Remover - + Gnuplot was not found - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) precisa ser instalado separadamente e localizado no caminho de pesquisa do executável para que a plotagem funcione. - + Example: Example of function usage Exemplo: - + Enter RPN Enter Enter - + Calculate Calcular - + Apply to Stack Aplicar à pilha - + Insert Inserir - + Failed to open workspace Falha ao abrir área de trabalho - - - + + + Couldn't save workspace Não foi possível guardar a área de trabalho - + Save file? Guardar ficheiro? - + Do you want to save the current workspace? Pretende guardar a área de trabalho atual? - + Do not ask again Não perguntar novamente - + Keep open Manter aberto - + Value Valor - + Argument Argumento @@ -10860,7 +10888,7 @@ Deseja substituir a ação atual (%1)? - + %1: %1: @@ -11016,40 +11044,40 @@ Deseja substituir a ação atual (%1)? Limpar a pilha RPN - - + + Action Ação - + Key combination Combinação de teclas - + True Verdadeiro - + False Falso - + Info Informação - - + + optional optional argument opcional - + Failed to open %1. %2 Falha ao abrir %1. diff --git a/translations/qalculate-qt_ru.ts b/translations/qalculate-qt_ru.ts index b4f2e79..f3ea566 100644 --- a/translations/qalculate-qt_ru.ts +++ b/translations/qalculate-qt_ru.ts @@ -1112,6 +1112,10 @@ Do you want to overwrite the function? In expression field В поле выражения + + comment + комментарий + FPConversionDialog @@ -1483,6 +1487,18 @@ Do you want to overwrite the function? Search by Date… + + Comment + Комментарий + + + Add Comment… + Добавить комментарий… + + + Edit Comment… + Изменить комментарий… + KeypadButton @@ -2925,6 +2941,10 @@ Do you want to overwrite the function? Calculate as you type delay: Задержка расчёта по мере ввода: + + Automatically group digits in input (experimental) + + QApplication diff --git a/translations/qalculate-qt_sl.ts b/translations/qalculate-qt_sl.ts index 4e2d06d..e309953 100644 --- a/translations/qalculate-qt_sl.ts +++ b/translations/qalculate-qt_sl.ts @@ -5930,7 +5930,7 @@ Jo želite prepisati? - + Unicode Unicode @@ -6085,338 +6085,344 @@ Jo želite prepisati? %1: - - + + + comment + komentar + + + + MC (memory clear) - - + + MS (memory store) - - + + M+ (memory plus) - - + + M− (memory minus) - - + + factorize faktoriziraj - - + + expand razširi - + hexadecimal šestnajstiško - - + + hexadecimal number šestnajstiško število - + octal osmiško - + octal number osmiško število - + decimal desetiško - + decimal number desetiško število - + duodecimal dvanajstiško - - + + duodecimal number dvanajstiško število - + binary binarno - - + + binary number binarno število - + roman rimsko - + roman numerals rimske številke - + bijective bijektivno - + bijective base-26 bijektivna osnova 26 - + binary-coded decimal BCD - + sexagesimal šestdesetiško - + sexagesimal number šestdesetiško število + - latitude + - longitude - + 32-bit floating point 32-bitna plavajoča vejica - + 64-bit floating point 64-bitna plavajoča vejica - + 16-bit floating point 16-bitna plavajoča vejica - + 80-bit (x86) floating point 80-bitna (x86) plavajoča vejica - + 128-bit floating point 128-bitna plavajoča vejica - + time čas - + time format časovna oblika - + bases osnove - + number bases številske osnove + - calendars koledarji - + optimal najustreznejše - + optimal unit najustreznejša enota - + prefix predpona - + optimal prefix - - + + base osnova - + base units osnovne enote - + mixed mešano - + mixed units mešane enote - + decimals - + decimal fraction - - - + + + fraction ulomek + - factors deleži - + partial fraction parcialni ulomek - + expanded partial fractions razširjeni parcialni ulomki - + rectangular pravokotno - + cartesian kartezično - + complex rectangular form kompleksna pravokotna oblika - + exponential eksponentno - + complex exponential form kompleksna eksponentna oblika - + polar polarno - + complex polar form kompleksna polarna oblika - + complex cis form kompleksna oblika cis - + angle kot - + complex angle notation kompleksna kazalčna notacija - + phasor fazor - + complex phasor notation kompleksna fazorska notacija - + UTC time zone Časovni pas UTC - + number base %1 številska osnova %1 - + Data object Podatkovni objekt @@ -6815,33 +6821,33 @@ Jo želite prepisati? HistoryView - + Insert Value Vnesi vrednost - + Insert Text Vnesi besedilo - - + + Copy Kopiraj - + Copy unformatted ASCII Kopiraj neoblikovano ASCII - + Select All - + Search… Išči... @@ -6852,21 +6858,21 @@ and press the enter key. in pritisnite Enter. - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Zgoraj vpišite matematičen izraz, npr. "5 + 2 / 3", in pritisnite Enter. - + Exchange rate source(s): @@ -6876,7 +6882,7 @@ in pritisnite Enter. - + updated %1 @@ -6886,33 +6892,50 @@ in pritisnite Enter. - + + Comment + Komentar + + + Protect Zaščiti - + + + + Add Comment… + Dodaj komentar… + + + Move to Top Premakni na vrh - + Remove Odstrani - + Clear Počisti - + + Edit Comment… + Uredi komentar… + + + Text: Besedilo: - - + + Search Iskanje @@ -7999,22 +8022,22 @@ in pritisnite Enter. PreferencesDialog - + Look && Feel Videz in občutek - + Numbers && Operators Številke & operatorji - + Units && Currencies Enote & valute - + Parsing && Calculation @@ -8172,7 +8195,7 @@ in pritisnite Enter. - + Adaptive Prilagodljivo @@ -8286,12 +8309,12 @@ in pritisnite Enter. Prezri pike v številih - + Round halfway numbers away from zero - + Round halfway numbers to even Zaokroži polovična števila na soda @@ -8489,142 +8512,147 @@ in pritisnite Enter. + Automatically group digits in input (experimental) + + + + Interval display: Intervalni prikaz: - + Significant digits Pomembne števke - + Interval Interval - + Plus/minus Plus/minus - + Concise - + Midpoint Sredina - + Lower - + Upper - + Rounding: - + Complex number form: - + Rectangular - + Exponential - + Polar - + Angle/phasor - + Enable units - + Abbreviate names Skrajšaj imena - + Use binary prefixes for information units Uporabi binarne predpone za informacijske enote - + Automatic unit conversion: - + No conversion - + Base units Osnovne enote - + Optimal units Najustreznejše enote - + Optimal SI units - + Convert to mixed units - + Automatic unit prefixes: - + Copy unformatted ASCII without units - + Restart required - + Please restart the program for the language change to take effect. - + Default Privzeto @@ -8634,114 +8662,114 @@ in pritisnite Enter. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes - + Prefixes for some units - + Prefixes also for currencies - + Prefixes for all units - + Enable all SI-prefixes - + Enable denominator prefixes - + Enable units in physical constants - + Temperature calculation: - + Absolute - - + + Relative - + Hybrid - + Exchange rates updates: Posodobitve menjalnih razmerij: - - + + %n day(s) %n dan @@ -8839,97 +8867,97 @@ Do you, despite this, want to change the default behavior and allow multiple sim - - + + answer odgovor - + History Answer Value Zgodovinska vrednost odgovora - + History Index(es) Zgodovinski indeks(i) - + History index %s does not exist. Zgodovinski indeks %s ne obstaja. - + Last Answer Zadnji odgovor - + Answer 2 Odgovor 2 - + Answer 3 Odgovor 3 - + Answer 4 Odgovor 4 - + Answer 5 Odgovor 5 - + Memory - - - - - - - + + + + + + + Error - + Couldn't write preferences to %1 Pisanje nastavitev v %1 neuspešno - + Function not found. Funkcija ni bila najdena. - + Variable not found. Spremenljivka ni bila najdena. - + Unit not found. Enota ni bila najdena. - + Unsupported base. Nepodprta osnova. - - + + Unsupported value. @@ -8937,12 +8965,12 @@ Do you, despite this, want to change the default behavior and allow multiple sim QalculateQtSettings - + Update exchange rates? Posodobi menjalna razmerja? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -8966,63 +8994,63 @@ Do you wish to update the exchange rates now? Pridobivam menjalna razmerja. - - + + Fetching exchange rates… Pridobivam menjalna razmerja… - - - - + + + + Error - + Warning - - - - - + + + + + Information - + Path of executable not found. Pot do zagonske datoteke ni bila najdena. - + curl not found. Orodje curl ni bilo najdeno. - + Failed to run update script. %1 Napaka pri zagonu posodobitvenega skripta. %1 - + Failed to check for updates. Napaka pri preverjanju posodobitev. - + No updates found. Ni novih posodobitev. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9031,8 +9059,8 @@ Do you wish to update to version %3? Želite nadgraditi na različico %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9041,522 +9069,522 @@ You can get version %3 at %2. Različico %3 lahko pridobite na %2. - + Download - + %1: %2 - + Insert function Vnesi funkcijo - + Insert function (dialog) Vnesi funkcijo (obrazec) - + Insert variable Vnesi spremenljivko - + Approximate result - + Negate Negiraj - + Invert Inverz - + Insert unit Vnesi enoto - + Insert text Vnesi besedilo - + Insert operator - + Insert date Vnesi datum - + Insert matrix Vnesi matriko - + Insert smart parentheses Vnesi pametne oklepaje - + Convert to unit Pretvori v enoto - + Convert Pretvori - + Convert to optimal unit Pretvori v najustreznejšo enoto - + Convert to base units Pretvori v osnovne enote - + Convert to optimal prefix Pretvori v najustreznejšo predpono - + Convert to number base Pretvori v številsko osnovo - + Factorize result Faktoriziraj rezultat - + Expand result Razširi rezultat - + Expand partial fractions Razširi parcialne ulomke - + RPN: down RPN: dol - + RPN: up RPN: gor - + RPN: swap RPN: izmenjaj - + RPN: copy RPN: kopiraj - + RPN: lastx RPN: lastx - + RPN: delete register RPN: izbriši register - + RPN: clear stack RPN: počisti sklad - + Set expression base Nastavi osnovo izraza - + Set result base Nastavi osnovo rezultata - + Set angle unit to degrees Nastavi kotne enote v stopinje - + Set angle unit to radians Nastavi kotne enote v radiane - + Set angle unit to gradians Nastavi kotne enote v gradiane - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision - + Toggle max decimals - + Toggle min decimals - + Toggle max/min decimals - + Toggle RPN mode Prikaži/skrij način RPN - + Show general keypad - + Toggle programming keypad Prikaži/skrij tipkovnico - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history Zgodovina iskanj - + Clear history Počisti zgodovino - + Show variables - + Show functions - + Show units - + Show data sets - + Store result Shrani rezultat - + MC (memory clear) - + MR (memory recall) - + MS (memory store) - + M+ (memory plus) - + M− (memory minus) - + New variable Nova spremenljivka - + New function Nova funkcija - + Open plot functions/data Odpri orodje za izris funkcij/podatkov - + Open convert number bases Odpri orodje za pretvorbo številskih osnov - + Open floating point conversion Odpri orodje za pretvorbo plavajoče vejice - + Open calender conversion Odpri orodje za pretvorbo koledarjev - + Open percentage calculation tool Odpri orodje za izračun odstotkov - + Open periodic table Odpri periodni sistem - + Update exchange rates Posodobi menjalna razmerja - + Copy result Kopiraj rezultat - + Insert result - + Open mode menu - + Open menu - + Help Pomoč - + Quit Izhod - + Toggle chain mode - + Toggle keep above - + Show completion (activate first item) - + Clear expression Počisti izraz - + Delete Izbriši - + Backspace Backspace - + Home - + End - + Right - + Left - + Up Gor - + Down Dol - + Undo Razveljavi - + Redo Uveljavi - + Calculate expression Izračunaj izraz - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default Privzeto - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -9768,7 +9796,7 @@ Različico %3 lahko pridobite na %2. - + Keyboard Shortcuts Tipkovne bližnjice @@ -10289,60 +10317,60 @@ Različico %3 lahko pridobite na %2. - - - - - - + + + + + + Error - + Couldn't write definitions Pisanje definicij neuspešno - + hexadecimal šestnajstiško - + octal osmiško - + decimal desetiško - + duodecimal dvanajstiško - + binary binarno - + roman rimsko - + bijective bijektivno @@ -10350,117 +10378,117 @@ Različico %3 lahko pridobite na %2. - - - + + + sexagesimal šestdesetiško - - + + latitude - - + + longitude - + time čas - + Time zone parsing failed. Obdelava časovnega pasu spodletela. - + bases osnove - + calendars koledarji - + rectangular pravokotno - + cartesian kartezično - + exponential eksponentno - + polar polarno - + phasor fazor - + angle kot - + optimal najustreznejše - - + + base osnova - + mixed mešano - + fraction ulomek - + factors deleži @@ -10497,31 +10525,31 @@ Različico %3 lahko pridobite na %2. - + prefix predpona - + partial fraction parcialni ulomek - + decimals - + factorize faktoriziraj - + expand razširi @@ -10529,190 +10557,190 @@ Različico %3 lahko pridobite na %2. - + Calculating… Računam... - - + + Cancel Prekliči - + RPN Operation Operacija RPN - + Factorizing… Faktoriziram... - + Expanding partial fractions… Razširjam parcialne ulomke... - + Expanding… Razširjam... - + Converting… Pretvarjam... - + RPN Register Moved Register RPN premaknjen - - - + + + Processing… Obdelujem... - - + + Matrix Matrika - - + + Temperature Calculation Mode - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). - + Absolute - + Relative - + Hybrid - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots - + Please select interpretation of dots (".") (this can later be changed in preferences). - + Both dot and comma as decimal separators - + Dot as thousands separator - + Only dot as decimal separator - + Parsing Mode Način obdelave - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). - + Implicit multiplication first Sprva implicitno množenje - + Conventional Običajna - + Adaptive Prilagodljivo - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) Dodaj dejanje (%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut Nova tipkovna bližnjica @@ -10721,128 +10749,128 @@ Please select interpretation of expressions with implicit multiplication Dejanje: - + Value: Vrednost: - + Set key combination Nastavi zaporedje tipk - + Press the key combination you wish to use for the action. Pritisnite zaporedje tipk, ki ga želite uporabiti za to dejanje. - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? To zaporedje tipk je že v uporabi. Ali ga želite prepisati s tem dejanjem (%1)? - + Question - + Add… Dodaj… - + Edit… Uredi… - + Remove Odstrani - + Gnuplot was not found - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. - + Example: Example of function usage Primer: - + Enter RPN Enter - + Calculate Izračunaj - + Apply to Stack Premakni na sklad - + Insert Vnesi - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again Ne vprašaj znova - + Keep open Obdrži odprto - + Value Vrednost - + Argument Argument @@ -10850,7 +10878,7 @@ Ali ga želite prepisati s tem dejanjem (%1)? - + %1: %1: @@ -11002,40 +11030,40 @@ Ali ga želite prepisati s tem dejanjem (%1)? Počisti sklad RPN - - + + Action Dejanje - + Key combination Tipkovno zaporedje - + True Pravilno - + False Napačno - + Info Info - - + + optional optional argument neobvezno - + Failed to open %1. %2 Napaka pri odpiranju datoteke %1. diff --git a/translations/qalculate-qt_sv.ts b/translations/qalculate-qt_sv.ts index 884f4c6..40e8006 100644 --- a/translations/qalculate-qt_sv.ts +++ b/translations/qalculate-qt_sv.ts @@ -6959,7 +6959,7 @@ Vill du ersätta den? - + Unicode Unicode @@ -6989,7 +6989,7 @@ Vill du ersätta den? Använd inmatningsmetod - + UTC time zone UTC-tidszon @@ -7250,253 +7250,259 @@ Vill du ersätta den? %1: - - + + + comment + kommentar + + + + MC (memory clear) MC (töm minne) - - + + MS (memory store) MS (spara i minne) - - + + M+ (memory plus) M+ (minnesoperation) - - + + M− (memory minus) M− (minnesoperation) - - + + factorize faktorisera - - + + expand expandera - + hexadecimal hexadecimal - - + + hexadecimal number hexadecimalt tal - + octal oktal - + octal number oktalt tal - + decimal decimal - + decimal number decimalt tal - + duodecimal duodecimal - - + + duodecimal number duodecimalt tal - + binary binär - - + + binary number binärt tal - + roman romersk - + roman numerals romerska siffror - + bijective bijektiv - + bijective base-26 bijektiv talbas 26 - + binary-coded decimal BCD - + sexagesimal sexagesimal - + sexagesimal number sexagesimalt tal + - latitude latitud + - longitude longitud - + 32-bit floating point 32-bit flyttal - + 64-bit floating point 64-bit flyttal - + 16-bit floating point 16-bit flyttal - + 80-bit (x86) floating point 80-bit (x86) flyttal - + 128-bit floating point 128-bit flyttal - + time tid - + time format tidsformat - + bases baser - + number bases talbaser + - calendars kalendrar - + optimal optimal - + optimal unit optimal enhet - + prefix prefix - + optimal prefix optimalt prefix - - + + base bas - + base units basenheter - + mixed blandade - + mixed units blandade enheter - + decimals decimaler - + decimal fraction decimalform - - - + + + fraction bråktal + - factors faktorer @@ -7516,82 +7522,82 @@ Vill du ersätta den? I uttrycksfältet - + partial fraction partialbråk - + expanded partial fractions expanderade partialbråk - + rectangular rektangulär - + cartesian kartesisk - + complex rectangular form komplex rektangulär form - + exponential exponentiell - + complex exponential form komplex exponentiell form - + polar polär - + complex polar form komplex polär form - + complex cis form komplex cis-form - + angle vinkel - + complex angle notation komplex vinkelnotation - + phasor fasvektor - + complex phasor notation komplex fasvektornotation - + number base %1 talbas %1 - + Data object Dataobjekt @@ -8007,8 +8013,8 @@ Vill du ersätta den? HistoryView - - + + Copy Kopiera @@ -8017,12 +8023,12 @@ Vill du ersätta den? Kopiera med format - + Insert Value Infoga värde - + Insert Text Infoga text @@ -8031,17 +8037,17 @@ Vill du ersätta den? Kopiera formaterad text - + Copy unformatted ASCII Kopiera oformaterad ASCII - + Select All Markera allt - + Search… Sök… @@ -8052,21 +8058,21 @@ and press the enter key. och tryck på entertangenten. - - - - - + + + + + Search by Date… Sök efter datum… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. Skriv in ett matematiskt uttryck ovan, t.ex. "5 + 2 / 3", och tryck på entertangenten. - + Exchange rate source(s): Växelkurskälla: @@ -8074,7 +8080,7 @@ och tryck på entertangenten. - + updated %1 uppdaterad %1 @@ -8082,33 +8088,50 @@ och tryck på entertangenten. - + + Comment + Kommentar + + + Protect Skydda - + + + + Add Comment… + Lägg till kommenar… + + + Move to Top Lägg överst - + Remove Ta bort - + Clear Rensa - + + Edit Comment… + Redigera kommentar… + + + Text: Text: - - + + Search Sök @@ -9227,22 +9250,22 @@ och tryck på entertangenten. PreferencesDialog - + Look && Feel Utseende och känsla - + Numbers && Operators Nummer och operatorer - + Units && Currencies Enheter och valutor - + Parsing && Calculation Tolkning och beräkning @@ -9439,72 +9462,77 @@ och tryck på entertangenten. Automatiskt - + + Automatically group digits in input (experimental) + Gruppera siffor automatiskt i indata (experimentellt) + + + Concise Koncis - + Round halfway numbers to odd Avrunda mittemellan-tal till udda siffra - + Round halfway numbers toward zero Avrunda mittemellan-mot noll - + Round halfway numbers to random Avrunda mittemellan-tal slumpmässigt - + Round halfway numbers up Avrunda mittemellan-tal uppåt - + Round halfway numbers down Avrunda mittemellan-tal nedåt - + Round toward zero Avrunda mot noll - + Round away from zero Avrunda bort från noll - + Round up Avrunda uppåt - + Round down Avrunda nedåt - + Enable units Aktivera enheter - + Copy unformatted ASCII without units Kopiera oformaterad ASCII utan enheter - + Restart required Omstart krävs - + Please restart the program for the language change to take effect. Vängligen starta om programmet för att språkändringen skall ha effekt. @@ -9589,7 +9617,7 @@ och tryck på entertangenten. - + Adaptive Adaptiv @@ -9736,12 +9764,12 @@ och tryck på entertangenten. Kopiera oformaterad ASCII som förval - + Round halfway numbers away from zero Avrunda mittemellan-tal bort från noll - + Round halfway numbers to even Avrunda mittemellan-tal till jämn siffra @@ -9800,42 +9828,42 @@ och tryck på entertangenten. Lokal - + Interval display: Intervallvisning: - + Significant digits Signifikanta siffror - + Interval Intervall - + Plus/minus Plus/minus - + Midpoint Medelpunkt - + Lower Undre - + Upper Övre - + Rounding: Avrundning: @@ -9860,78 +9888,78 @@ och tryck på entertangenten. Avrunda all tal mot noll - + Complex number form: Form för komplexa tal: - + Rectangular Rektangulär - + Exponential Exponentiell - + Polar Polär - + Angle/phasor Vinkel - + Abbreviate names Förkorta namn - + Use binary prefixes for information units Använd binära prefix för informationsenheter - + Automatic unit conversion: Automatisk enhetsomvandling: - + No conversion Ingen omvandling - + Base units Grundenheter - + Optimal units Optimala enheter - + Optimal SI units Optimala SI-enheter - + Convert to mixed units Omvandla till blandade enheter - + Automatic unit prefixes: Automatiska enhetsprefix: - + Default Förval @@ -9951,69 +9979,69 @@ och tryck på entertangenten. Fördröjning för fortgående beräkningar: - + No prefixes Inga prefix - + Prefixes for some units Prefix för vissa enheter - + Prefixes also for currencies Prefix även för valutor - + Prefixes for all units Prefix för alla enheter - + Enable all SI-prefixes Använd alla SI-prefix - + Enable denominator prefixes Aktivera prefix i nämnaren - + Enable units in physical constants Aktivera enheter i fysiska konstanter - + Temperature calculation: Temperaturberäkning: - + Absolute Absolut - - + + Relative Relativ - + Hybrid Hybrid - + Exchange rates updates: Växelkursuppdateringer: - - + + %n day(s) %n dag @@ -10107,97 +10135,97 @@ Vill du trots det ändra förinställt beteende och tillåta flera samtidiga ins - - + + answer svar - + History Answer Value Svarsvärde från historiken - + History Index(es) Index i historiken - + History index %s does not exist. Index %s finns inte i historiken. - + Last Answer Senaste svaret - + Answer 2 Svar 2 - + Answer 3 Svar 3 - + Answer 4 Svar 4 - + Answer 5 Svar 5 - + Memory Minne - - - - - - - + + + + + + + Error Fel - + Couldn't write preferences to %1 Kunde inte spara inställningar till %1 - + Function not found. Funktionen hittades ej. - + Variable not found. Variabeln hittades ej. - + Unit not found. Enheten hittades ej. - + Unsupported base. Basen stöds ej. - - + + Unsupported value. Värdet stöds ej. @@ -10205,12 +10233,12 @@ Vill du trots det ändra förinställt beteende och tillåta flera samtidiga ins QalculateQtSettings - + Update exchange rates? Uppdatera växelkurser? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -10228,568 +10256,568 @@ Vill du uppdatera växelkurserna nu? Hämtar växelkurser. - - + + Fetching exchange rates… Hämtar växelkurser… - - - - + + + + Error Fel - + Warning Varning - - - - - + + + + + Information Information - + Path of executable not found. Sökvägen till programmet hittades ej. - + curl not found. curl hittades ej. - + Failed to run update script. %1 Misslyckades med att köra sriptet. %1 - + Download Ladda ner - + %1: %2 %1: %2 - + Insert function Infoga funktion - + Insert function (dialog) Infoga funktion (dialog) - + Insert variable Infoga variabel - + Approximate result Approximera resultat - + Negate Negera - + Invert Invertera - + Insert unit Infoga enhet - + Insert text Infoga text - + Insert operator Infoga operator - + Insert date Infoga datum - + Insert matrix Infoga matris - + Insert smart parentheses Infoga smarta parenteser - + Convert to unit Omvandla till enhet - + Convert Omvandla - + Convert to optimal unit Omvandla till optimal enhet - + Convert to base units Omvandla till basenheter - + Convert to optimal prefix Omvandla till optimalt prefix - + Convert to number base Omvandla till talbas - + Factorize result Faktorisera resultatet - + Expand result Expandera resultatet - + Expand partial fractions Expandera partialbråk - + RPN: down RPN: ner - + RPN: up RPN: upp - + RPN: swap RPN: byt plats - + RPN: copy RPN: kopiera - + RPN: lastx RPN: lastx - + RPN: delete register RPN: ta bort register - + RPN: clear stack RPN: töm stacken - + Set expression base Ange talbas i uttryck - + Set result base Ange talbas i resultat - + Set angle unit to degrees Ange vinkelenhet till grader - + Set angle unit to radians Ange vinkelenhet till radianer - + Set angle unit to gradians Ange vinkelenhet till gradienter - + Active normal display mode Aktivera normalt visningsläge - + Activate scientific display mode Aktivera vetenskapligt visningsläge - + Activate engineering display mode Aktivera tekniskt visningsläge - + Activate simple display mode Aktivera enkelt visningsläge - + Toggle precision Växla precision - + Toggle max decimals (Av)aktivera max decmaler - + Toggle min decimals (Av)aktivera min decmaler - + Toggle max/min decimals (Av)aktivera min/max decmaler - + Toggle RPN mode (Av)aktivera RPN-läge - + Show general keypad Visa/dölj generell knappsats - + Toggle programming keypad Visa/dölj programmeringsknappsatsen - + Toggle algebra keypad Visa/dölj alegbraknappsatsen - + Toggle custom keypad Visa/dölj anpassad knappsats - + Show/hide keypad Visa/göm knappsatsen - + Search history Sök i historiken - + Clear history Töm historiken - + Show variables Visa variabler - + Show functions Visa funktioner - + Show units Visa enheter - + Show data sets Visa dataset - + Store result Spara resultatet - + MC (memory clear) MC (töm minne) - + MR (memory recall) MR (återkalla minne) - + MS (memory store) MS (spara i minne) - + M+ (memory plus) M+ (minnesoperation) - + M− (memory minus) M− (minnesoperation) - + New variable Ny variabel - + New function Ny funktion - + Open plot functions/data Öppna rita funktions-/datadiagram - + Open convert number bases Öppna omvandla mellan talbaser - + Open floating point conversion Öppna flyttalsomvandling - + Open calender conversion Öppna kalenderomvandling - + Open percentage calculation tool Öppna procentberäkningsverktyg - + Open periodic table Öppna periodiska systemet - + Update exchange rates Uppdatera växelkurser - + Copy result Kopiera resultatet - + Insert result Infoga resultat - + Open mode menu Öppna lägesmenyn - + Open menu Öppna menyn - + Help Hjälp - + Quit Avsluta - + Toggle chain mode (Av)aktivera kedjeläge - + Toggle keep above (Av)aktivera placera överst - + Show completion (activate first item) Visa komplettering (aktivera första posten) - + Clear expression Töm uttrycket - + Delete Ta bort - + Backspace Backsteg - + Home Till början - + End Till slutet - + Right Höger - + Left Vänster - + Up Upp - + Down Ner - + Undo Ångra - + Redo Gör om - + Calculate expression Beräkna uttrycket - + Expression history next Nästa uttryck i historiken - + Expression history previous Föregående uttryck i historiken - + Open functions menu Öppna functionsmenyn - + Open units menu Öppna enhetsmenyn - + Open variables menu Öppna variabelmenyn - + Default Förval - + Formatted result Formaterat resultat - + Unformatted ASCII result Oformaterat ASCII-resultat - + Unformatted ASCII result without units Oformaterat ASCII-resultat utan enheter - + Formatted expression Formaterat uttryck - + Unformatted ASCII expression Oformaterat ASCII-uttryck - + Formatted expression + result Formaterat uttryck + resultat - + Unformatted ASCII expression + result Oformaterat ASCII-uttryck + resultat @@ -10804,17 +10832,17 @@ Vill du uppdatera växelkurserna nu? %s - + Failed to check for updates. Misslyckades med att söka efter uppdateringar. - + No updates found. Inga uppdatering hittades. - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -10823,8 +10851,8 @@ Do you wish to update to version %3? Vill du uppdatera till version %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -11542,60 +11570,60 @@ Du kan hämta version %3 på %2. - - - - - - + + + + + + Error Fel - + Couldn't write definitions Kunde inte spara definitioner - + hexadecimal hexadecimal - + octal oktal - + decimal decimal - + duodecimal duodecimal - + binary binär - + roman romersk - + bijective bijektiv @@ -11603,117 +11631,117 @@ Du kan hämta version %3 på %2. - - - + + + sexagesimal sexagesimal - - + + latitude latitud - - + + longitude longitud - + time tid - + Time zone parsing failed. Läsning av tidszon misslyckades. - + bases baser - + calendars kalendrar - + rectangular rektangulär - + cartesian kartesisk - + exponential exponentiell - + polar polär - + phasor fasvektor - + angle vinkel - + optimal optimal - - + + base bas - + mixed blandade - + fraction bråktal - + factors faktorer @@ -11738,19 +11766,19 @@ Du kan hämta version %3 på %2. - + partial fraction partialbråk - + factorize faktorisera - + expand expandera @@ -11758,71 +11786,71 @@ Du kan hämta version %3 på %2. - + Calculating… Beräknar… - - + + Cancel Avbryt - + RPN Operation RPN operation - + Factorizing… Faktoriserar… - + Expanding partial fractions… Expanderar partialbråk… - + Expanding… Expanderar… - + Converting… Omvandlar… - - + + Temperature Calculation Mode Läge för temperaturberäkningar - + Please select desired variant of the sinc function. Vänligen välj önskad variant av sinc-funktionen. - + Unnormalized Onormaliserad - + Normalized Normaliserad - + Parsing Mode Tolkningsläge - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). @@ -11831,33 +11859,33 @@ Vänligen välj tolkning av uttryck med implicit multiplikation (detta kan senare ändras i inställningarna). - + Implicit multiplication first Implicit multiplikation först - + Conventional Konventionell - + Adaptive Adaptiv - - + + Add Action (%1) Lägg till åtgärd (%1) - + Edit Keyboard Shortcut Redigera kortkommando - + New Keyboard Shortcut Nytt kortkommando @@ -11866,81 +11894,81 @@ Vänligen välj tolkning av uttryck med implicit multiplikation Åtgärd: - + Value: Värde: - + Set key combination Ange tangentkombination - + Press the key combination you wish to use for the action. Tryck tangentkombinationen som du önskar använda för åtgärden. - + Reserved key combination Reserverad tangentkombination - + The key combination is already in use. Do you wish to replace the current action (%1)? Tangentkombinationen används redan. Vill du ersätta den nuvarande åtgärden (%1)? - + Question Fråga - + Add… Lägg till… - + Edit… Redigera… - + Remove Ta bort - + Example: Example of function usage Exempel: - + Failed to open workspace Misslyckades med att öppna arbetsyta - - - + + + Couldn't save workspace Misslyckades med att spara arbetsyta - + Save file? Spara fil? - + Do you want to save the current workspace? Vill du spara den öppna arbetsytan? - + Do not ask again Fråga inte igen @@ -11948,26 +11976,26 @@ Do you wish to replace the current action (%1)? - + %1: %1: - - + + optional optional argument frivillig - + Failed to open %1. %2 Misslyckades med att öppna %1. %2 - + RPN Register Moved RPN-register flyttades @@ -12003,7 +12031,7 @@ Do you wish to replace the current action (%1)? - + Keyboard Shortcuts Kortkommandon @@ -12165,31 +12193,31 @@ Do you wish to replace the current action (%1)? - + prefix prefix - + decimals decimaler - - - + + + Processing… Behandlar… - - + + Matrix Matris - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -12198,85 +12226,85 @@ Vänligen välj ett läge för temperaturberäkningar (läget kan senare ändras i inställningarna). - + Absolute Absolut - + Relative Relativ - + Hybrid Hybrid - + Interpretation of dots Tolkning av punkter - + Please select interpretation of dots (".") (this can later be changed in preferences). Vänligen välj hur punkter ska tolkas (detta kan senare ändras i inställningarna). - + Both dot and comma as decimal separators Använd både punkt komma som decimaltecken - + Dot as thousands separator Punkt som tusentalsavgränsare - + Only dot as decimal separator Enbart punkt som decimaltecken - + Percentage Interpretation Procenttolkning - + Please select interpretation of percentage addition Vänligen välj tolkning av procentaddition - + Add percentage of original value Addera procent av ursprungligt värde - + Add percentage multiplied by 1/100 Addera procentenheter multiplicerade med 1/100 - - + + Action Åtgärd - + Key combination Tangentkombination - + Gnuplot was not found Gnuplot hittades ej - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) måste installeras separat, och hittas i sökvägen för binärer, för att för att diagram ska kunna visas. @@ -12285,53 +12313,53 @@ Vänligen välj ett läge för temperaturberäkningar Exempel: - + Enter RPN Enter Enter - + Calculate Beräkna - + Insert Infoga - + Apply to Stack Applicera på stacken - + Keep open Håll öppen - + Value Värde - + Argument Parameter - + True Sant - + False Falskt - + Info Info diff --git a/translations/qalculate-qt_zh_CN.ts b/translations/qalculate-qt_zh_CN.ts index 790ea12..6599342 100644 --- a/translations/qalculate-qt_zh_CN.ts +++ b/translations/qalculate-qt_zh_CN.ts @@ -6001,7 +6001,7 @@ Do you want to overwrite the function? - + Unicode Unicode @@ -6156,338 +6156,344 @@ Do you want to overwrite the function? %1: - - + + + comment + + + + + MC (memory clear) MC(存值清除) - - + + MS (memory store) MS(存值存入) - - + + M+ (memory plus) M+(存值加上) - - + + M− (memory minus) M−(存值减去) - - + + factorize 分解 - - + + expand 展开 - + hexadecimal 十六进制 - - + + hexadecimal number 十六进制数 - + octal 八进制 - + octal number 八进制数 - + decimal 十进制 - + decimal number 十进制数 - + duodecimal 十二进制 - - + + duodecimal number 十二进制数 - + binary 二进制 - - + + binary number 二进制数 - + roman 罗马 - + roman numerals 罗马数字 - + bijective 双射 - + bijective base-26 双射基-26 - + binary-coded decimal 二進碼十進數 - + sexagesimal 六十进制 - + sexagesimal number 六进制数 + - latitude 纬度 + - longitude 经度 - + 32-bit floating point 32位浮点 - + 64-bit floating point 64位浮点 - + 16-bit floating point 16位浮点 - + 80-bit (x86) floating point 80位(x86)浮点 - + 128-bit floating point 128位浮点 - + time 时间 - + time format 时间格式 - + bases 进制 - + number bases 数字进制 + - calendars 日历 - + optimal 最优 - + optimal unit 最优单位 - + prefix 前缀 - + optimal prefix - - + + base 基本 - + base units 基本单位 - + mixed 混合 - + mixed units 混合单位 - + decimals - + decimal fraction - - - + + + fraction 分数 + - factors 因子 - + partial fraction 部分分式 - + expanded partial fractions 已展开部分分式 - + rectangular 矩形 - + cartesian 笛卡尔 - + complex rectangular form 复矩形形式 - + exponential 指数型 - + complex exponential form 复指数形式 - + polar 极坐标 - + complex polar form 复极坐标形式 - + complex cis form 复纯虚数指数(cis)形式 - + angle 角度 - + complex angle notation 复角记号 - + phasor 相量 - + complex phasor notation 复相量记号 - + UTC time zone UTC时区 - + number base %1 数字进制 %1 - + Data object 数据对象 @@ -6886,18 +6892,18 @@ Do you want to overwrite the function? HistoryView - + Insert Value 插入值 - + Insert Text 插入文本 - - + + Copy 复制 @@ -6906,17 +6912,17 @@ Do you want to overwrite the function? 复制格式化文本 - + Copy unformatted ASCII 复制未格式化的 ASCII - + Select All 全选 - + Search… 搜索… @@ -6927,61 +6933,78 @@ and press the enter key. 然后按Enter键。</span> - - - - - + + + + + Search by Date… - + Type a mathematical expression above, e.g. "5 + 2 / 3", and press the enter key. 在上面键入一个数学表达式,例如“5+2/3”,然后按Enter键。 - + Exchange rate source(s): - + updated %1 - + + Comment + + + + Protect 保护 - + + + + Add Comment… + + + + Move to Top 移动到顶部 - + Remove 移除 - + Clear 清除 - + + Edit Comment… + + + + Text: 文本: - - + + Search 搜索 @@ -8068,22 +8091,22 @@ and press the enter key. PreferencesDialog - + Look && Feel 外观 - + Numbers && Operators 数字和运算符 - + Units && Currencies 单位和货币 - + Parsing && Calculation 解析计算 @@ -8257,7 +8280,7 @@ and press the enter key. - + Adaptive 自适应 @@ -8355,7 +8378,7 @@ and press the enter key. 忽略数字中的点 - + Round halfway numbers to even 中数约至偶数 @@ -8553,147 +8576,152 @@ and press the enter key. + Automatically group digits in input (experimental) + + + + Interval display: 区间显示: - + Significant digits 有效数字 - + Interval 区间 - + Plus/minus 加/减 - + Concise - + Midpoint 中点 - + Lower - + Upper - + Rounding: - + Round halfway numbers away from zero - + Complex number form: 复数形式: - + Rectangular 矩形 - + Exponential 指数型 - + Polar 极坐标 - + Angle/phasor 角/相量 - + Enable units - + Abbreviate names 缩写名称 - + Use binary prefixes for information units 信息单位使用二进制前缀 - + Automatic unit conversion: - + No conversion - + Base units 基本单位 - + Optimal units 最优单位 - + Optimal SI units - + Convert to mixed units - + Automatic unit prefixes: - + Copy unformatted ASCII without units - + Restart required - + Please restart the program for the language change to take effect. - + Default 默认值 @@ -8703,114 +8731,114 @@ and press the enter key. - + Round halfway numbers to odd - + Round halfway numbers toward zero - + Round halfway numbers to random - + Round halfway numbers up - + Round halfway numbers down - + Round toward zero - + Round away from zero - + Round up - + Round down - + No prefixes 无前缀 - + Prefixes for some units - + Prefixes also for currencies - + Prefixes for all units - + Enable all SI-prefixes 启用所有SI前缀 - + Enable denominator prefixes 启用分母前缀 - + Enable units in physical constants 物理常数单位 - + Temperature calculation: 温度计算模式: - + Absolute 绝对 - - + + Relative 相对 - + Hybrid 混合 - + Exchange rates updates: 汇率更新: - - + + %n day(s) %n天 @@ -8901,97 +8929,97 @@ Do you, despite this, want to change the default behavior and allow multiple sim 加载全局定义失败! - - + + answer 答案 - + History Answer Value 历史答案 - + History Index(es) 历史索引 - + History index %s does not exist. 历史索引 %s 不存在。 - + Last Answer 上一答案 - + Answer 2 答案二 - + Answer 3 答案三 - + Answer 4 答案四 - + Answer 5 答案五 - + Memory 存值 - - - - - - - + + + + + + + Error - + Couldn't write preferences to %1 无法将首选项写入 %1 - + Function not found. 未找到函数。 - + Variable not found. 未找到变量。 - + Unit not found. 未找到单位。 - + Unsupported base. 不支持该进制。 - - + + Unsupported value. @@ -8999,12 +9027,12 @@ Do you, despite this, want to change the default behavior and allow multiple sim QalculateQtSettings - + Update exchange rates? 更新汇率? - + It has been %n day(s) since the exchange rates last were updated. Do you wish to update the exchange rates now? @@ -9019,63 +9047,63 @@ Do you wish to update the exchange rates now? 获取汇率。 - - + + Fetching exchange rates… 获取汇率… - - - - + + + + Error - + Warning - - - - - + + + + + Information - + Path of executable not found. 未找到可执行文件的路径。 - + curl not found. 未找到 curl。 - + Failed to run update script. %1 运行更新脚本失败。 %1 - + Failed to check for updates. 无法检查更新。 - + No updates found. 无更新。 - + A new version of %1 is available at %2. Do you wish to update to version %3? @@ -9084,8 +9112,8 @@ Do you wish to update to version %3? 是否要更新到版本 %3? - - + + A new version of %1 is available. You can get version %3 at %2. @@ -9094,522 +9122,522 @@ You can get version %3 at %2. 您可以在 %2 获取。 - + Download - + %1: %2 - + Insert function 插入函数 - + Insert function (dialog) 插入函数(对话框) - + Insert variable 插入变量 - + Approximate result - + Negate 取反 - + Invert 取倒 - + Insert unit 插入单位 - + Insert text 插入文本 - + Insert operator - + Insert date 插入日期 - + Insert matrix 插入矩阵 - + Insert smart parentheses 插入智能括号 - + Convert to unit 换算为单位 - + Convert 换算 - + Convert to optimal unit 换算为最优单位 - + Convert to base units 换算为基本单位 - + Convert to optimal prefix 换算为最优前缀 - + Convert to number base 换算为数字进制 - + Factorize result 分解结果 - + Expand result 展开结果 - + Expand partial fractions 展开部分分式 - + RPN: down RPN: 向下 - + RPN: up RPN: 向上 - + RPN: swap RPN: 交换 - + RPN: copy RPN: 复制 - + RPN: lastx RPN: lastx - + RPN: delete register RPN: 删除寄存器 - + RPN: clear stack RPN: 清空栈 - + Set expression base 设置表达式进制 - + Set result base 设置结果进制 - + Set angle unit to degrees 将角度单位设为度 - + Set angle unit to radians 将角度单位设为弧度 - + Set angle unit to gradians 将角度单位设为梯度 - + Active normal display mode - + Activate scientific display mode - + Activate engineering display mode - + Activate simple display mode - + Toggle precision - + Toggle max decimals - + Toggle min decimals - + Toggle max/min decimals - + Toggle RPN mode 切换RPN模式 - + Show general keypad - + Toggle programming keypad 切换编程键盘 - + Toggle algebra keypad - + Toggle custom keypad - + Show/hide keypad - + Search history 搜索历史记录 - + Clear history 清除历史记录 - + Show variables - + Show functions - + Show units - + Show data sets - + Store result 存储结果 - + MC (memory clear) MC(存值清除) - + MR (memory recall) MR(存值读取) - + MS (memory store) MS(存值存入) - + M+ (memory plus) M+(存值加上) - + M− (memory minus) M−(存值减去) - + New variable 新建变量 - + New function 新建函数 - + Open plot functions/data 打开函数/数据作图 - + Open convert number bases 打开进制换算 - + Open floating point conversion 打开浮点换算 - + Open calender conversion 打开日历换算 - + Open percentage calculation tool 打开百分比计算 - + Open periodic table 打开元素周期表 - + Update exchange rates 更新汇率 - + Copy result 复制结果 - + Insert result - + Open mode menu - + Open menu - + Help 帮助 - + Quit 退出 - + Toggle chain mode 切换链式模式 - + Toggle keep above - + Show completion (activate first item) - + Clear expression 清除表达式 - + Delete 删除 - + Backspace 退格键 - + Home - + End - + Right - + Left - + Up 向上 - + Down 向下 - + Undo 撤消 - + Redo 重做 - + Calculate expression 计算表达式 - + Expression history next - + Expression history previous - + Open functions menu - + Open units menu - + Open variables menu - + Default 默认值 - + Formatted result - + Unformatted ASCII result - + Unformatted ASCII result without units - + Formatted expression - + Unformatted ASCII expression - + Formatted expression + result - + Unformatted ASCII expression + result @@ -9817,7 +9845,7 @@ You can get version %3 at %2. - + Keyboard Shortcuts 键盘快捷键 @@ -10338,60 +10366,60 @@ You can get version %3 at %2. - - - - - - + + + + + + Error - + Couldn't write definitions 无法写入定义 - + hexadecimal 十六进制 - + octal 八进制 - + decimal 十进制 - + duodecimal 十二进制 - + binary 二进制 - + roman 罗马 - + bijective 双射 @@ -10399,117 +10427,117 @@ You can get version %3 at %2. - - - + + + sexagesimal 六十进制 - - + + latitude 纬度 - - + + longitude 经度 - + time 时间 - + Time zone parsing failed. 时区分析失败。 - + bases 进制 - + calendars 日历 - + rectangular 矩形 - + cartesian 笛卡尔 - + exponential 指数型 - + polar 极坐标 - + phasor 相量 - + angle 角度 - + optimal 最优 - - + + base 基本 - + mixed 混合 - + fraction 分数 - + factors 因子 @@ -10543,31 +10571,31 @@ You can get version %3 at %2. - + prefix 前缀 - + partial fraction 部分分式 - + decimals - + factorize 分解 - + expand 展开 @@ -10575,69 +10603,69 @@ You can get version %3 at %2. - + Calculating… 计算中… - - + + Cancel 取消 - + RPN Operation RPN操作 - + Factorizing… 分解中… - + Expanding partial fractions… 展开部分分式… - + Expanding… 展开中… - + Converting… 换算中… - + RPN Register Moved RPN寄存器已移动 - - - + + + Processing… 处理中… - - + + Matrix 矩阵 - - + + Temperature Calculation Mode 温度计算模式 - + The expression is ambiguous. Please select temperature calculation mode (the mode can later be changed in preferences). @@ -10646,121 +10674,121 @@ Please select temperature calculation mode (以后可以在偏好设置中更改)。 - + Absolute 绝对 - + Relative 相对 - + Hybrid 混合 - + Please select desired variant of the sinc function. - + Unnormalized - + Normalized - + Interpretation of dots - + Please select interpretation of dots (".") (this can later be changed in preferences). - + Both dot and comma as decimal separators - + Dot as thousands separator - + Only dot as decimal separator - + Parsing Mode 解析模式 - + The expression is ambiguous. Please select interpretation of expressions with implicit multiplication (this can later be changed in preferences). - + Implicit multiplication first 隐式优先 - + Conventional 常规 - + Adaptive 自适应 - + Percentage Interpretation - + Please select interpretation of percentage addition - + Add percentage of original value - + Add percentage multiplied by 1/100 - - + + Add Action (%1) 添加动作(%1) - + Edit Keyboard Shortcut - + New Keyboard Shortcut 新建键盘快捷键 @@ -10769,128 +10797,128 @@ Please select interpretation of expressions with implicit multiplication 动作: - + Value: 值: - + Set key combination 设置组合键 - + Press the key combination you wish to use for the action. 按要用于操作的组合键。 - + Reserved key combination - + The key combination is already in use. Do you wish to replace the current action (%1)? 组合键已被占用。 是否要替换当前操作(%1)? - + Question - + Add… 加… - + Edit… 编辑… - + Remove 移除 - + Gnuplot was not found 未找到gnuplot - + %1 (%2) needs to be installed separately, and found in the executable search path, for plotting to work. %1 (%2) 需要单独安装,并在可执行的搜索路径中找到,才能进行绘图。 - + Example: Example of function usage 示例: - + Enter RPN Enter 开始 - + Calculate 计算 - + Apply to Stack 应用于栈 - + Insert 插入 - + Failed to open workspace - - - + + + Couldn't save workspace - + Save file? - + Do you want to save the current workspace? - + Do not ask again 不再询问 - + Keep open 保持打开状态 - + Value - + Argument 参数 @@ -10898,7 +10926,7 @@ Do you wish to replace the current action (%1)? - + %1: %1: @@ -11050,40 +11078,40 @@ Do you wish to replace the current action (%1)? 清空RPN栈 - - + + Action 动作 - + Key combination 组合键 - + True - + False - + Info 信息 - - + + optional optional argument 可选 - + Failed to open %1. %2 无法打开 %1 。