From 4b9aaf6ca11a73d083484cbfa33fcd8a7b25d274 Mon Sep 17 00:00:00 2001 From: hjk Date: Thu, 9 Feb 2023 07:23:39 +0100 Subject: [PATCH 01/36] ExtensionSystem: Remove the IPlugin back pointer to pluginspec The price of having to loop in two places seems small compared to cleaner relations between the classes. There's a new hack in the helpmanager to make sure we aren't looping to often. The hack wouldn't be needed if the (odd(?)) check there weren't there. Change-Id: Ifed50213b2de8feedfb45c185808d163c00c19ca Reviewed-by: Eike Ziller Reviewed-by: --- src/libs/extensionsystem/CMakeLists.txt | 2 +- src/libs/extensionsystem/extensionsystem.qbs | 1 - src/libs/extensionsystem/iplugin.cpp | 22 +++++++++---------- src/libs/extensionsystem/iplugin.h | 12 +--------- src/libs/extensionsystem/iplugin_p.h | 22 ------------------- src/libs/extensionsystem/pluginmanager.cpp | 9 ++++++++ src/libs/extensionsystem/pluginmanager.h | 1 + src/libs/extensionsystem/pluginspec.cpp | 2 -- src/libs/extensionsystem/pluginspec_p.h | 1 - src/plugins/coreplugin/helpmanager.cpp | 19 +++++++++++----- .../coreplugin/plugininstallwizard.cpp | 3 ++- .../projectexplorer/projectexplorer.cpp | 3 ++- .../pluginspec/tst_pluginspec.cpp | 2 +- 13 files changed, 41 insertions(+), 58 deletions(-) delete mode 100644 src/libs/extensionsystem/iplugin_p.h diff --git a/src/libs/extensionsystem/CMakeLists.txt b/src/libs/extensionsystem/CMakeLists.txt index 60e60782c58..ea7cb60beb0 100644 --- a/src/libs/extensionsystem/CMakeLists.txt +++ b/src/libs/extensionsystem/CMakeLists.txt @@ -5,7 +5,7 @@ add_qtc_library(ExtensionSystem extensionsystem_global.h extensionsystemtr.h invoker.cpp invoker.h - iplugin.cpp iplugin.h iplugin_p.h + iplugin.cpp iplugin.h optionsparser.cpp optionsparser.h plugindetailsview.cpp plugindetailsview.h pluginerroroverview.cpp pluginerroroverview.h diff --git a/src/libs/extensionsystem/extensionsystem.qbs b/src/libs/extensionsystem/extensionsystem.qbs index 41f3b8983c7..39e8cbc57c6 100644 --- a/src/libs/extensionsystem/extensionsystem.qbs +++ b/src/libs/extensionsystem/extensionsystem.qbs @@ -20,7 +20,6 @@ Project { "invoker.h", "iplugin.cpp", "iplugin.h", - "iplugin_p.h", "optionsparser.cpp", "optionsparser.h", "plugindetailsview.cpp", diff --git a/src/libs/extensionsystem/iplugin.cpp b/src/libs/extensionsystem/iplugin.cpp index 31a1355e469..006afaa55c7 100644 --- a/src/libs/extensionsystem/iplugin.cpp +++ b/src/libs/extensionsystem/iplugin.cpp @@ -2,8 +2,6 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "iplugin.h" -#include "iplugin_p.h" -#include "pluginspec.h" #include @@ -160,7 +158,16 @@ \sa aboutToShutdown() */ -using namespace ExtensionSystem; +namespace ExtensionSystem { +namespace Internal { + +class IPluginPrivate +{ +public: + QList> testCreators; +}; + +} // Internal /*! \internal @@ -218,11 +225,4 @@ QVector IPlugin::createTestObjects() const return Utils::transform(d->testCreators, &TestCreator::operator()); } -/*! - Returns the PluginSpec corresponding to this plugin. - This is not available in the constructor. -*/ -PluginSpec *IPlugin::pluginSpec() const -{ - return d->pluginSpec; -} +} // ExtensionSystem diff --git a/src/libs/extensionsystem/iplugin.h b/src/libs/extensionsystem/iplugin.h index a516a2a2861..a1a8003dc87 100644 --- a/src/libs/extensionsystem/iplugin.h +++ b/src/libs/extensionsystem/iplugin.h @@ -11,13 +11,7 @@ namespace ExtensionSystem { -namespace Internal { - class IPluginPrivate; - class PluginSpecPrivate; -} - -class PluginManager; -class PluginSpec; +namespace Internal { class IPluginPrivate; } class EXTENSIONSYSTEM_EXPORT IPlugin : public QObject { @@ -41,8 +35,6 @@ public: const QStringList & /* arguments */) { return nullptr; } virtual QVector createTestObjects() const; - PluginSpec *pluginSpec() const; - protected: virtual void initialize() {} @@ -56,8 +48,6 @@ signals: private: Internal::IPluginPrivate *d; - - friend class Internal::PluginSpecPrivate; }; } // namespace ExtensionSystem diff --git a/src/libs/extensionsystem/iplugin_p.h b/src/libs/extensionsystem/iplugin_p.h deleted file mode 100644 index 036525d64e0..00000000000 --- a/src/libs/extensionsystem/iplugin_p.h +++ /dev/null @@ -1,22 +0,0 @@ -// Copyright (C) 2016 The Qt Company Ltd. -// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 - -#pragma once - -#include "iplugin.h" - -namespace ExtensionSystem { - -class PluginSpec; - -namespace Internal { - -class IPluginPrivate -{ -public: - PluginSpec *pluginSpec; - QList> testCreators; -}; - -} // namespace Internal -} // namespace ExtensionSystem diff --git a/src/libs/extensionsystem/pluginmanager.cpp b/src/libs/extensionsystem/pluginmanager.cpp index c3c86bce011..aec053b6a8f 100644 --- a/src/libs/extensionsystem/pluginmanager.cpp +++ b/src/libs/extensionsystem/pluginmanager.cpp @@ -1556,6 +1556,15 @@ void PluginManager::checkForProblematicPlugins() d->checkForProblematicPlugins(); } +/*! + Returns the PluginSpec corresponding to \a plugin. +*/ + +PluginSpec *PluginManager::specForPlugin(IPlugin *plugin) +{ + return findOrDefault(d->pluginSpecs, equal(&PluginSpec::plugin, plugin)); +} + /*! \internal */ diff --git a/src/libs/extensionsystem/pluginmanager.h b/src/libs/extensionsystem/pluginmanager.h index 3a95a2b337c..8dac9544cca 100644 --- a/src/libs/extensionsystem/pluginmanager.h +++ b/src/libs/extensionsystem/pluginmanager.h @@ -76,6 +76,7 @@ public: static const QSet pluginsRequiringPlugin(PluginSpec *spec); static const QSet pluginsRequiredByPlugin(PluginSpec *spec); static void checkForProblematicPlugins(); + static PluginSpec *specForPlugin(IPlugin *plugin); // Settings static void setSettings(Utils::QtcSettings *settings); diff --git a/src/libs/extensionsystem/pluginspec.cpp b/src/libs/extensionsystem/pluginspec.cpp index 9968d691b73..d18f410e818 100644 --- a/src/libs/extensionsystem/pluginspec.cpp +++ b/src/libs/extensionsystem/pluginspec.cpp @@ -5,7 +5,6 @@ #include "extensionsystemtr.h" #include "iplugin.h" -#include "iplugin_p.h" #include "pluginmanager.h" #include "pluginspec_p.h" @@ -1090,7 +1089,6 @@ bool PluginSpecPrivate::loadLibrary() } state = PluginSpec::Loaded; plugin = pluginObject; - plugin->d->pluginSpec = q; return true; } diff --git a/src/libs/extensionsystem/pluginspec_p.h b/src/libs/extensionsystem/pluginspec_p.h index 12b32a86155..44d20f6c565 100644 --- a/src/libs/extensionsystem/pluginspec_p.h +++ b/src/libs/extensionsystem/pluginspec_p.h @@ -19,7 +19,6 @@ namespace ExtensionSystem { class IPlugin; -class PluginManager; namespace Internal { diff --git a/src/plugins/coreplugin/helpmanager.cpp b/src/plugins/coreplugin/helpmanager.cpp index e92ae8cff24..2fda96bf1e2 100644 --- a/src/plugins/coreplugin/helpmanager.cpp +++ b/src/plugins/coreplugin/helpmanager.cpp @@ -5,7 +5,9 @@ #include "coreplugin.h" +#include #include + #include #include @@ -22,12 +24,17 @@ static Implementation *m_instance = nullptr; static bool checkInstance() { - auto plugin = Internal::CorePlugin::instance(); - // HelpManager API can only be used after the actual implementation has been created by the - // Help plugin, so check that the plugins have all been created. That is the case - // when the Core plugin is initialized. - QTC_CHECK(plugin && plugin->pluginSpec() - && plugin->pluginSpec()->state() >= ExtensionSystem::PluginSpec::Initialized); + static bool afterPluginCreation = false; + if (!afterPluginCreation) { + using namespace ExtensionSystem; + auto plugin = Internal::CorePlugin::instance(); + // HelpManager API can only be used after the actual implementation has been created by the + // Help plugin, so check that the plugins have all been created. That is the case + // when the Core plugin is initialized. + PluginSpec *pluginSpec = PluginManager::specForPlugin(plugin); + afterPluginCreation = (plugin && pluginSpec && pluginSpec->state() >= PluginSpec::Initialized); + QTC_CHECK(afterPluginCreation); + } return m_instance != nullptr; } diff --git a/src/plugins/coreplugin/plugininstallwizard.cpp b/src/plugins/coreplugin/plugininstallwizard.cpp index ae62d215648..6547c78835f 100644 --- a/src/plugins/coreplugin/plugininstallwizard.cpp +++ b/src/plugins/coreplugin/plugininstallwizard.cpp @@ -7,6 +7,7 @@ #include "coreplugintr.h" #include "icore.h" +#include #include #include @@ -251,7 +252,7 @@ public: { QTC_ASSERT(m_tempDir.get(), return ); - PluginSpec *coreplugin = CorePlugin::instance()->pluginSpec(); + PluginSpec *coreplugin = PluginManager::specForPlugin(CorePlugin::instance()); // look for plugin QDirIterator it(m_tempDir->path().path(), diff --git a/src/plugins/projectexplorer/projectexplorer.cpp b/src/plugins/projectexplorer/projectexplorer.cpp index 64d2c8962d4..0cfd8a89261 100644 --- a/src/plugins/projectexplorer/projectexplorer.cpp +++ b/src/plugins/projectexplorer/projectexplorer.cpp @@ -2500,7 +2500,8 @@ void ProjectExplorerPluginPrivate::currentModeChanged(Id mode, Id oldMode) void ProjectExplorerPluginPrivate::determineSessionToRestoreAtStartup() { // Process command line arguments first: - const bool lastSessionArg = m_instance->pluginSpec()->arguments().contains("-lastsession"); + const bool lastSessionArg = + ExtensionSystem::PluginManager::specForPlugin(m_instance)->arguments().contains("-lastsession"); m_sessionToRestoreAtStartup = lastSessionArg ? SessionManager::startupSession() : QString(); const QStringList arguments = ExtensionSystem::PluginManager::arguments(); if (!lastSessionArg) { diff --git a/tests/auto/extensionsystem/pluginspec/tst_pluginspec.cpp b/tests/auto/extensionsystem/pluginspec/tst_pluginspec.cpp index e6fa011a131..f3618841c8d 100644 --- a/tests/auto/extensionsystem/pluginspec/tst_pluginspec.cpp +++ b/tests/auto/extensionsystem/pluginspec/tst_pluginspec.cpp @@ -279,7 +279,7 @@ void tst_PluginSpec::loadLibrary() QVERIFY(QLatin1String(spec->plugin->metaObject()->className()) == QLatin1String("MyPlugin::MyPluginImpl")); QCOMPARE(spec->state, PluginSpec::Loaded); QVERIFY(!spec->hasError); - QCOMPARE(spec->plugin->pluginSpec(), ps); + QCOMPARE(spec->plugin, ps->plugin()); delete ps; } From f6afedeea603e4f561eb96585aaae2a456703f53 Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Fri, 10 Feb 2023 12:32:59 +0100 Subject: [PATCH 02/36] Debugger: Do not crash when using a builtin as value Explicitly use str(), type() and similar from builtins to avoid confusing the the debugger when these builtin functions are overwritten by the script which is going to get debugged. Fixes: QTCREATORBUG-28733 Change-Id: I6b7bd1d7474972d0533d12a1bc45bb59db7f39b5 Reviewed-by: hjk --- share/qtcreator/debugger/pdbbridge.py | 59 ++++++++++++++------------- 1 file changed, 30 insertions(+), 29 deletions(-) diff --git a/share/qtcreator/debugger/pdbbridge.py b/share/qtcreator/debugger/pdbbridge.py index 60c50fb4fea..46e8ec03d2d 100644 --- a/share/qtcreator/debugger/pdbbridge.py +++ b/share/qtcreator/debugger/pdbbridge.py @@ -239,7 +239,7 @@ class QtcInternalDumper(): def hexencode(s): if sys.version_info[0] == 2: return s.encode('hex') - if isinstance(s, str): + if isinstance(s, __builtins__.str): s = s.encode('utf8') return base64.b16encode(s).decode('utf8') @@ -392,7 +392,7 @@ class QtcInternalDumper(): if bp: self.currentbp = bp.number if (flag and bp.temporary): - self.do_clear(str(bp.number)) + self.do_clear(__builtins__.str(bp.number)) return True else: return False @@ -497,7 +497,7 @@ class QtcInternalDumper(): try: bp = self.get_bpbynumber(arg) except ValueError as err: - return str(err) + return __builtins__.str(err) bp.deleteMe() self._prune_breaks(bp.file, bp.line) return None @@ -565,12 +565,12 @@ class QtcInternalDumper(): break frame = frame.f_back stack.reverse() - i = max(0, len(stack) - 1) + i = max(0, __builtins__.len(stack) - 1) while tb is not None: stack.append((tb.tb_frame, tb.tb_lineno)) tb = tb.tb_next if frame is None: - i = max(0, len(stack) - 1) + i = max(0, __builtins__.len(stack) - 1) return stack, i # The following methods can be called by clients to use @@ -672,7 +672,7 @@ class QtcInternalDumper(): line = 'shell ' + line[1:] else: return None, None, line - i, length = 0, len(line) + i, length = 0, __builtins__.len(line) while i < length and line[i] in self.identchars: i = i + 1 cmd, arg = line[:i], line[i:].strip() @@ -685,7 +685,7 @@ class QtcInternalDumper(): The return value is a flag indicating whether interpretation of commands by the interpreter should stop. """ - line = str(line) + line = __builtins__.str(line) print('LINE 0: %s' % line) cmd, arg, line = self.parseline(line) print('LINE 1: %s' % line) @@ -1025,10 +1025,10 @@ class QtcInternalDumper(): failed = (None, None, None) # Input is identifier, may be in single quotes idstring = identifier.split("'") - if len(idstring) == 1: + if __builtins__.len(idstring) == 1: # not in single quotes tmp_id = idstring[0].strip() - elif len(idstring) == 3: + elif __builtins__.len(idstring) == 3: # quoted tmp_id = idstring[1].strip() else: @@ -1043,7 +1043,7 @@ class QtcInternalDumper(): return failed # Best first guess at file to look at fname = self.defaultFile() - if len(parts) == 1: + if __builtins__.len(parts) == 1: item = parts[0] else: # More than one part. @@ -1282,7 +1282,7 @@ class QtcInternalDumper(): instance it is not possible to jump into the middle of a for loop or out of a finally clause. """ - if self.curindex + 1 != len(self.stack): + if self.curindex + 1 != __builtins__.len(self.stack): self.error('You can only jump within the bottom frame') return try: @@ -1407,7 +1407,7 @@ class QtcInternalDumper(): self.message('Class %s.%s' % (value.__module__, value.__name__)) return # None of the above... - self.message(type(value)) + self.message(__builtins__.type(value)) def do_interact(self, arg): """interact @@ -1447,7 +1447,7 @@ class QtcInternalDumper(): self.updateData(args) def updateData(self, args): - self.expandedINames = set(args.get('expanded', [])) + self.expandedINames = __builtins__.set(args.get('expanded', [])) self.typeformats = args.get('typeformats', {}) self.formats = args.get('formats', {}) self.output = '' @@ -1476,7 +1476,7 @@ class QtcInternalDumper(): for watcher in args.get('watchers', []): iname = watcher['iname'] exp = self.hexdecode(watcher['exp']) - exp = str(exp).strip() + exp = __builtins__.str(exp).strip() escapedExp = self.hexencode(exp) self.put('{') self.putField('iname', iname) @@ -1510,7 +1510,7 @@ class QtcInternalDumper(): @staticmethod def cleanType(typename): - t = str(typename) + t = __builtins__.str(typename) if t.startswith(""): t = t[7:-2] if t.startswith(""): @@ -1540,20 +1540,21 @@ class QtcInternalDumper(): return iname in self.expandedINames def itemFormat(self, item): - form = self.formats.get(str(QtcInternalDumper.cleanAddress(item.value.address))) + form = self.formats.get(__builtins__.str(QtcInternalDumper.cleanAddress(item.value.address))) if form is None: - form = self.typeformats.get(str(item.value.type)) + form = self.typeformats.get(__builtins__.str(item.value.type)) return form def dumpValue(self, value, name, iname): - t = type(value) + t = __builtins__.type(value) tt = QtcInternalDumper.cleanType(t) + valueStr = __builtins__.str(value) if tt == 'module' or tt == 'function': return - if str(value).startswith(" 1: self.putValue('@' + v[p + 11:-1]) @@ -1691,7 +1692,7 @@ class QtcInternalDumper(): result += ',frames=[' try: level = 0 - frames = list(reversed(self.stack)) + frames = __builtins__.list(reversed(self.stack)) frames = frames[:-2] # Drop "pdbbridge" and "" levels for frame_lineno in frames: frame, lineno = frame_lineno From a8bc009595521a2a0cee729ca55fe528c0845266 Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Fri, 10 Feb 2023 11:52:38 +0100 Subject: [PATCH 03/36] Debugger: Avoid potential crash Change-Id: I971453c30f29144e87b2384c9c6a0c2413db218a Reviewed-by: hjk --- src/plugins/debugger/debuggerprotocol.cpp | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/src/plugins/debugger/debuggerprotocol.cpp b/src/plugins/debugger/debuggerprotocol.cpp index 0131b13fea2..24a0e61dd87 100644 --- a/src/plugins/debugger/debuggerprotocol.cpp +++ b/src/plugins/debugger/debuggerprotocol.cpp @@ -12,8 +12,6 @@ #include #include -#include - #include #include @@ -45,7 +43,7 @@ void DebuggerOutputParser::skipCommas() void DebuggerOutputParser::skipSpaces() { - while (from < to && isspace(from->unicode())) + while (from < to && QChar::isSpace(from->unicode())) ++from; } @@ -74,7 +72,7 @@ QChar DebuggerOutputParser::readChar() static bool isNameChar(char c) { - return c != '=' && c != ':' && c != ']' && !isspace(c); + return c != '=' && c != ':' && c != ']' && !QChar::isSpace(c); } void GdbMi::parseResultOrValue(DebuggerOutputParser &parser) From c72638ed74478071f89806f99e0f7aafa5859f50 Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Fri, 10 Feb 2023 16:09:49 +0200 Subject: [PATCH 04/36] QtcProcess: Introduce a way to track long-running blocking processes ...in the main thread. Set QTC_PROCESS_THRESHOLD (in ms) to receive warnings for them. Change-Id: Ia9e9c14b5ca339bfa2be82930518f988f56620c2 Reviewed-by: hjk Reviewed-by: Jarek Kobus --- src/libs/utils/qtcprocess.cpp | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/src/libs/utils/qtcprocess.cpp b/src/libs/utils/qtcprocess.cpp index 80017038b63..74bd28560b3 100644 --- a/src/libs/utils/qtcprocess.cpp +++ b/src/libs/utils/qtcprocess.cpp @@ -1730,6 +1730,10 @@ void QtcProcess::runBlocking(EventLoopMode eventLoopMode) // Attach a dynamic property with info about blocking type d->storeEventLoopDebugInfo(int(eventLoopMode)); + QDateTime startTime; + static const int blockingThresholdMs = qtcEnvironmentVariableIntValue("QTC_PROCESS_THRESHOLD"); + if (blockingThresholdMs > 0 && isMainThread()) + startTime = QDateTime::currentDateTime(); QtcProcess::start(); // Remove the dynamic property so that it's not reused in subseqent start() @@ -1773,6 +1777,13 @@ void QtcProcess::runBlocking(EventLoopMode eventLoopMode) } } } + if (blockingThresholdMs > 0) { + const int timeDiff = startTime.msecsTo(QDateTime::currentDateTime()); + if (timeDiff > blockingThresholdMs && isMainThread()) { + qWarning() << "Blocking process " << d->m_setup.m_commandLine << "took" << timeDiff + << "ms, longer than threshold" << blockingThresholdMs; + } + } } void QtcProcess::setStdOutCallback(const TextChannelCallback &callback) From 4f55dbdd386af0569420aef4c9b6b4277632bcbd Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Wed, 8 Feb 2023 14:30:01 +0100 Subject: [PATCH 05/36] CompilationDatabaseProjectManager: Tr::tr() Change-Id: I5a4b05ce3eab90cfe05c297fa3971f94270ec474 Reviewed-by: hjk --- share/qtcreator/translations/qtcreator_de.ts | 4 ++-- share/qtcreator/translations/qtcreator_ru.ts | 5 +---- share/qtcreator/translations/qtcreator_zh_CN.ts | 5 +---- .../compilationdatabaseproject.cpp | 2 +- .../compilationdatabaseprojectmanagerplugin.cpp | 3 ++- .../compilationdbparser.cpp | 5 +++-- 6 files changed, 10 insertions(+), 14 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index ca002fbf759..6a0b9a47275 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -44442,7 +44442,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - CompilationDatabaseProjectManager::Internal::CompilationDbParser + ::CompilationDatabaseProjectManager Scan "%1" project tree Durchsuche "%1"-Projektbaum @@ -50751,7 +50751,7 @@ in "%2" aus. - CompilationDatabaseProjectManager::Internal::CompilationDatabaseProjectManagerPlugin + ::CompilationDatabaseProjectManager Change Root Directory diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index 62abd7775ee..faf6b5d7dfc 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -7876,14 +7876,11 @@ p, li { white-space: pre-wrap; } - CompilationDatabaseProjectManager::Internal::CompilationDatabaseProjectManagerPlugin + ::CompilationDatabaseProjectManager Change Root Directory Сменить корневой каталог - - - CompilationDatabaseProjectManager::Internal::CompilationDbParser Scan "%1" project tree Сканирование дерева проекта «%1» diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index 925e9667a67..9b94b3bf048 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -8339,14 +8339,11 @@ Set a valid executable first. - CompilationDatabaseProjectManager::Internal::CompilationDatabaseProjectManagerPlugin + ::CompilationDatabaseProjectManager Change Root Directory - - - CompilationDatabaseProjectManager::Internal::CompilationDbParser Scan "%1" project tree diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp index 5f23238d7b8..3085a011ff4 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp @@ -512,7 +512,7 @@ CompilationDatabaseBuildConfigurationFactory::CompilationDatabaseBuildConfigurat setSupportedProjectMimeTypeName(Constants::COMPILATIONDATABASEMIMETYPE); setBuildGenerator([](const Kit *, const FilePath &projectPath, bool) { - const QString name = BuildConfiguration::tr("Release"); + const QString name = QCoreApplication::translate("::ProjectExplorer", "Release"); ProjectExplorer::BuildInfo info; info.typeName = name; info.displayName = name; diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagerplugin.cpp b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagerplugin.cpp index 7f220244b0f..5cb9c75d8f2 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagerplugin.cpp +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagerplugin.cpp @@ -5,6 +5,7 @@ #include "compilationdatabaseconstants.h" #include "compilationdatabaseproject.h" +#include "compilationdatabaseprojectmanagertr.h" #include "compilationdatabasetests.h" #include @@ -34,7 +35,7 @@ class CompilationDatabaseProjectManagerPluginPrivate public: CompilationDatabaseEditorFactory editorFactory; CompilationDatabaseBuildConfigurationFactory buildConfigFactory; - QAction changeRootAction{CompilationDatabaseProjectManagerPlugin::tr("Change Root Directory")}; + QAction changeRootAction{Tr::tr("Change Root Directory")}; }; CompilationDatabaseProjectManagerPlugin::~CompilationDatabaseProjectManagerPlugin() diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp b/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp index bf5ff01e2ae..27c7477abc9 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp @@ -4,6 +4,7 @@ #include "compilationdbparser.h" #include "compilationdatabaseconstants.h" +#include "compilationdatabaseprojectmanagertr.h" #include #include @@ -87,7 +88,7 @@ void CompilationDbParser::start() }); m_treeScanner->asyncScanForFiles(m_rootPath); Core::ProgressManager::addTask(m_treeScanner->future(), - tr("Scan \"%1\" project tree").arg(m_projectName), + Tr::tr("Scan \"%1\" project tree").arg(m_projectName), "CompilationDatabase.Scan.Tree"); ++m_runningParserJobs; connect(m_treeScanner, &TreeScanner::finished, @@ -97,7 +98,7 @@ void CompilationDbParser::start() // Thread 2: Parse the project file. const QFuture future = runAsync(&CompilationDbParser::parseProject, this); Core::ProgressManager::addTask(future, - tr("Parse \"%1\" project").arg(m_projectName), + Tr::tr("Parse \"%1\" project").arg(m_projectName), "CompilationDatabase.Parse"); ++m_runningParserJobs; m_parserWatcher.setFuture(future); From 2b46d1943cde354b45e31ff0c04775661cd82409 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Wed, 8 Feb 2023 15:01:31 +0100 Subject: [PATCH 06/36] QmlPreview: Tr::tr() Change-Id: Ie80134c114da277ab16e4305c57ae35e37adafb2 Reviewed-by: hjk --- share/qtcreator/translations/qtcreator_de.ts | 2 +- share/qtcreator/translations/qtcreator_hr.ts | 2 +- share/qtcreator/translations/qtcreator_ru.ts | 5 +---- share/qtcreator/translations/qtcreator_zh_CN.ts | 2 +- src/plugins/qmlpreview/qmlpreviewplugin.cpp | 8 +++++--- 5 files changed, 9 insertions(+), 10 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index 6a0b9a47275..a44d7c4e773 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -54366,7 +54366,7 @@ fails because Clang does not understand the target architecture. - QmlPreview::QmlPreviewPlugin + ::QmlPreview QML Preview QML-Vorschau diff --git a/share/qtcreator/translations/qtcreator_hr.ts b/share/qtcreator/translations/qtcreator_hr.ts index 9766ed4df67..56c1d622ead 100644 --- a/share/qtcreator/translations/qtcreator_hr.ts +++ b/share/qtcreator/translations/qtcreator_hr.ts @@ -31097,7 +31097,7 @@ ID oznake moraju započeti malim slovom. - QmlPreview::Internal::QmlPreviewPlugin + ::QmlPreview QML Preview diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index faf6b5d7dfc..910a8920755 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -38089,7 +38089,7 @@ the QML editor know about a likely URI. - QmlPreview::Internal::QmlPreviewPlugin + ::QmlPreview QML Preview Предпросмотр QML @@ -38102,9 +38102,6 @@ the QML editor know about a likely URI. Preview File Файл предпросмотра - - - QmlPreview::ProjectFileSelectionsWidget Files to test: Тестируемые файлы: diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index 9b94b3bf048..169af21ca7a 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -36789,7 +36789,7 @@ the QML editor know about a likely URI. - QmlPreview::QmlPreviewPlugin + ::QmlPreview QML Preview diff --git a/src/plugins/qmlpreview/qmlpreviewplugin.cpp b/src/plugins/qmlpreview/qmlpreviewplugin.cpp index 194d9bcc6a5..9323bf617c0 100644 --- a/src/plugins/qmlpreview/qmlpreviewplugin.cpp +++ b/src/plugins/qmlpreview/qmlpreviewplugin.cpp @@ -2,7 +2,9 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "qmlpreviewplugin.h" + #include "qmlpreviewruncontrol.h" +#include "qmlpreviewtr.h" #ifdef WITH_TESTS #include "tests/qmlpreviewclient_test.h" @@ -146,8 +148,8 @@ QmlPreviewPluginPrivate::QmlPreviewPluginPrivate(QmlPreviewPlugin *parent) Core::ActionContainer *menu = Core::ActionManager::actionContainer( Constants::M_BUILDPROJECT); - QAction *action = new QAction(QmlPreviewPlugin::tr("QML Preview"), this); - action->setToolTip(QLatin1String("Preview changes to QML code live in your application.")); + QAction *action = new QAction(Tr::tr("QML Preview"), this); + action->setToolTip(Tr::tr("Preview changes to QML code live in your application.")); action->setEnabled(SessionManager::startupProject() != nullptr); connect(SessionManager::instance(), &SessionManager::startupProjectChanged, action, &QAction::setEnabled); @@ -166,7 +168,7 @@ QmlPreviewPluginPrivate::QmlPreviewPluginPrivate(QmlPreviewPlugin *parent) Constants::G_BUILD_RUN); menu = Core::ActionManager::actionContainer(Constants::M_FILECONTEXT); - action = new QAction(QmlPreviewPlugin::tr("Preview File"), this); + action = new QAction(Tr::tr("Preview File"), this); action->setEnabled(false); connect(q, &QmlPreviewPlugin::runningPreviewsChanged, action, [action](const QmlPreviewRunControlList &previews) { From ab4516c85cf181db1cff033c4c619250dfd3fde9 Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Fri, 10 Feb 2023 15:43:45 +0100 Subject: [PATCH 07/36] Pdb: Make another builtins usage implicit Amends f6afedeea603e4f561eb96585aaae2a456703f53. Change-Id: Idc0ffb9f0c24515475334a847382fc84c5c03e2e Reviewed-by: hjk --- share/qtcreator/debugger/pdbbridge.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/share/qtcreator/debugger/pdbbridge.py b/share/qtcreator/debugger/pdbbridge.py index 46e8ec03d2d..7b4774b3bff 100644 --- a/share/qtcreator/debugger/pdbbridge.py +++ b/share/qtcreator/debugger/pdbbridge.py @@ -584,7 +584,7 @@ class QtcInternalDumper(): if pyLocals is None: pyLocals = pyGlobals self.reset() - if isinstance(cmd, str): + if isinstance(cmd, __builtins__.str): cmd = compile(cmd, '', 'exec') sys.settrace(self.trace_dispatch) try: From 91c00ec34f6562479ba150838a640075dc98e277 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Wed, 8 Feb 2023 16:21:01 +0100 Subject: [PATCH 08/36] SilverSearcher: Tr::tr() Change-Id: I4b9aef9c735c07a4836653bdb6d684fb3e0f993e Reviewed-by: Alessandro Portale --- src/plugins/silversearcher/findinfilessilversearcher.cpp | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/src/plugins/silversearcher/findinfilessilversearcher.cpp b/src/plugins/silversearcher/findinfilessilversearcher.cpp index 50fe017949d..b2887cd0a91 100644 --- a/src/plugins/silversearcher/findinfilessilversearcher.cpp +++ b/src/plugins/silversearcher/findinfilessilversearcher.cpp @@ -14,6 +14,7 @@ #include #include "silversearcheroutputparser.h" +#include "silversearchertr.h" #include #include @@ -146,7 +147,7 @@ FindInFilesSilverSearcher::FindInFilesSilverSearcher(QObject *parent) auto layout = new QHBoxLayout(m_widget); layout->setContentsMargins(0, 0, 0, 0); m_searchOptionsLineEdit = new QLineEdit; - m_searchOptionsLineEdit->setPlaceholderText(tr("Search Options (optional)")); + m_searchOptionsLineEdit->setPlaceholderText(Tr::tr("Search Options (optional)")); layout->addWidget(m_searchOptionsLineEdit); FindInFiles *findInFiles = FindInFiles::instance(); @@ -155,7 +156,7 @@ FindInFilesSilverSearcher::FindInFilesSilverSearcher(QObject *parent) setEnabled(isSilverSearcherAvailable()); if (!isEnabled()) { - QLabel *label = new QLabel(tr("Silver Searcher is not available on the system.")); + QLabel *label = new QLabel(Tr::tr("Silver Searcher is not available on the system.")); label->setStyleSheet("QLabel { color : red; }"); layout->addWidget(label); } From fe91151f7ceed2ac2ef1264e757433e6b6b13076 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Wed, 8 Feb 2023 16:44:45 +0100 Subject: [PATCH 09/36] Valgrind: Tr::tr() Change-Id: I4156aa23755ad28ca6fbc3ff5ce6d5b6a6d7fc95 Reviewed-by: Alessandro Portale Reviewed-by: --- share/qtcreator/translations/qtcreator_fr.ts | 14 --- src/plugins/valgrind/memchecktool.cpp | 112 +++++++++---------- 2 files changed, 54 insertions(+), 72 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_fr.ts b/share/qtcreator/translations/qtcreator_fr.ts index 57a06d9884e..490649b8be6 100644 --- a/share/qtcreator/translations/qtcreator_fr.ts +++ b/share/qtcreator/translations/qtcreator_fr.ts @@ -30970,20 +30970,6 @@ Voys pouvez compiler l'application et la déployer sur desktop et mobile. P Pas de snippet sélectionné. - - Analyzer::Internal::ValgrindConfigWidget - - Valgrind Command - Commande Valgrind - - - - Analyzer::Internal::ValgrindSettings - - Generic Settings - Réglages générique - - ::VcsBase diff --git a/src/plugins/valgrind/memchecktool.cpp b/src/plugins/valgrind/memchecktool.cpp index 26c078ceaa8..d4a5e4a6499 100644 --- a/src/plugins/valgrind/memchecktool.cpp +++ b/src/plugins/valgrind/memchecktool.cpp @@ -452,8 +452,6 @@ static MemcheckToolPrivate *dd = nullptr; class HeobDialog : public QDialog { - Q_DECLARE_TR_FUNCTIONS(HeobDialog) - public: HeobDialog(QWidget *parent); @@ -494,8 +492,6 @@ private: class HeobData : public QObject { - Q_DECLARE_TR_FUNCTIONS(HeobData) - public: HeobData(MemcheckToolPrivate *mcTool, const QString &xmlPath, Kit *kit, bool attach); ~HeobData() override; @@ -1223,67 +1219,67 @@ HeobDialog::HeobDialog(QWidget *parent) : m_profilesCombo->setSizePolicy(sizePolicy); connect(m_profilesCombo, &QComboBox::currentIndexChanged, this, &HeobDialog::updateProfile); profilesLayout->addWidget(m_profilesCombo); - auto profileNewButton = new QPushButton(tr("New")); + auto profileNewButton = new QPushButton(Tr::tr("New")); connect(profileNewButton, &QAbstractButton::clicked, this, &HeobDialog::newProfileDialog); profilesLayout->addWidget(profileNewButton); - m_profileDeleteButton = new QPushButton(tr("Delete")); + m_profileDeleteButton = new QPushButton(Tr::tr("Delete")); connect(m_profileDeleteButton, &QAbstractButton::clicked, this, &HeobDialog::deleteProfileDialog); profilesLayout->addWidget(m_profileDeleteButton); layout->addLayout(profilesLayout); auto xmlLayout = new QHBoxLayout; - auto xmlLabel = new QLabel(tr("XML output file:")); + auto xmlLabel = new QLabel(Tr::tr("XML output file:")); xmlLayout->addWidget(xmlLabel); m_xmlEdit = new QLineEdit; xmlLayout->addWidget(m_xmlEdit); layout->addLayout(xmlLayout); auto handleExceptionLayout = new QHBoxLayout; - auto handleExceptionLabel = new QLabel(tr("Handle exceptions:")); + auto handleExceptionLabel = new QLabel(Tr::tr("Handle exceptions:")); handleExceptionLayout->addWidget(handleExceptionLabel); m_handleExceptionCombo = new QComboBox; - m_handleExceptionCombo->addItem(tr("Off")); - m_handleExceptionCombo->addItem(tr("On")); - m_handleExceptionCombo->addItem(tr("Only")); + m_handleExceptionCombo->addItem(Tr::tr("Off")); + m_handleExceptionCombo->addItem(Tr::tr("On")); + m_handleExceptionCombo->addItem(Tr::tr("Only")); connect(m_handleExceptionCombo, &QComboBox::currentIndexChanged, this, &HeobDialog::updateEnabled); handleExceptionLayout->addWidget(m_handleExceptionCombo); layout->addLayout(handleExceptionLayout); auto pageProtectionLayout = new QHBoxLayout; - auto pageProtectionLabel = new QLabel(tr("Page protection:")); + auto pageProtectionLabel = new QLabel(Tr::tr("Page protection:")); pageProtectionLayout->addWidget(pageProtectionLabel); m_pageProtectionCombo = new QComboBox; - m_pageProtectionCombo->addItem(tr("Off")); - m_pageProtectionCombo->addItem(tr("After")); - m_pageProtectionCombo->addItem(tr("Before")); + m_pageProtectionCombo->addItem(Tr::tr("Off")); + m_pageProtectionCombo->addItem(Tr::tr("After")); + m_pageProtectionCombo->addItem(Tr::tr("Before")); connect(m_pageProtectionCombo, &QComboBox::currentIndexChanged, this, &HeobDialog::updateEnabled); pageProtectionLayout->addWidget(m_pageProtectionCombo); layout->addLayout(pageProtectionLayout); - m_freedProtectionCheck = new QCheckBox(tr("Freed memory protection")); + m_freedProtectionCheck = new QCheckBox(Tr::tr("Freed memory protection")); layout->addWidget(m_freedProtectionCheck); - m_breakpointCheck = new QCheckBox(tr("Raise breakpoint exception on error")); + m_breakpointCheck = new QCheckBox(Tr::tr("Raise breakpoint exception on error")); layout->addWidget(m_breakpointCheck); auto leakDetailLayout = new QHBoxLayout; - auto leakDetailLabel = new QLabel(tr("Leak details:")); + auto leakDetailLabel = new QLabel(Tr::tr("Leak details:")); leakDetailLayout->addWidget(leakDetailLabel); m_leakDetailCombo = new QComboBox; - m_leakDetailCombo->addItem(tr("None")); - m_leakDetailCombo->addItem(tr("Simple")); - m_leakDetailCombo->addItem(tr("Detect Leak Types")); - m_leakDetailCombo->addItem(tr("Detect Leak Types (Show Reachable)")); - m_leakDetailCombo->addItem(tr("Fuzzy Detect Leak Types")); - m_leakDetailCombo->addItem(tr("Fuzzy Detect Leak Types (Show Reachable)")); + m_leakDetailCombo->addItem(Tr::tr("None")); + m_leakDetailCombo->addItem(Tr::tr("Simple")); + m_leakDetailCombo->addItem(Tr::tr("Detect Leak Types")); + m_leakDetailCombo->addItem(Tr::tr("Detect Leak Types (Show Reachable)")); + m_leakDetailCombo->addItem(Tr::tr("Fuzzy Detect Leak Types")); + m_leakDetailCombo->addItem(Tr::tr("Fuzzy Detect Leak Types (Show Reachable)")); connect(m_leakDetailCombo, &QComboBox::currentIndexChanged, this, &HeobDialog::updateEnabled); leakDetailLayout->addWidget(m_leakDetailCombo); layout->addLayout(leakDetailLayout); auto leakSizeLayout = new QHBoxLayout; - auto leakSizeLabel = new QLabel(tr("Minimum leak size:")); + auto leakSizeLabel = new QLabel(Tr::tr("Minimum leak size:")); leakSizeLayout->addWidget(leakSizeLabel); m_leakSizeSpin = new QSpinBox; m_leakSizeSpin->setMinimum(0); @@ -1293,28 +1289,28 @@ HeobDialog::HeobDialog(QWidget *parent) : layout->addLayout(leakSizeLayout); auto leakRecordingLayout = new QHBoxLayout; - auto leakRecordingLabel = new QLabel(tr("Control leak recording:")); + auto leakRecordingLabel = new QLabel(Tr::tr("Control leak recording:")); leakRecordingLayout->addWidget(leakRecordingLabel); m_leakRecordingCombo = new QComboBox; - m_leakRecordingCombo->addItem(tr("Off")); - m_leakRecordingCombo->addItem(tr("On (Start Disabled)")); - m_leakRecordingCombo->addItem(tr("On (Start Enabled)")); + m_leakRecordingCombo->addItem(Tr::tr("Off")); + m_leakRecordingCombo->addItem(Tr::tr("On (Start Disabled)")); + m_leakRecordingCombo->addItem(Tr::tr("On (Start Enabled)")); leakRecordingLayout->addWidget(m_leakRecordingCombo); layout->addLayout(leakRecordingLayout); - m_attachCheck = new QCheckBox(tr("Run with debugger")); + m_attachCheck = new QCheckBox(Tr::tr("Run with debugger")); layout->addWidget(m_attachCheck); auto extraArgsLayout = new QHBoxLayout; - auto extraArgsLabel = new QLabel(tr("Extra arguments:")); + auto extraArgsLabel = new QLabel(Tr::tr("Extra arguments:")); extraArgsLayout->addWidget(extraArgsLabel); m_extraArgsEdit = new QLineEdit; extraArgsLayout->addWidget(m_extraArgsEdit); layout->addLayout(extraArgsLayout); auto pathLayout = new QHBoxLayout; - auto pathLabel = new QLabel(tr("Heob path:")); - pathLabel->setToolTip(tr("The location of heob32.exe and heob64.exe.")); + auto pathLabel = new QLabel(Tr::tr("Heob path:")); + pathLabel->setToolTip(Tr::tr("The location of heob32.exe and heob64.exe.")); pathLayout->addWidget(pathLabel); m_pathChooser = new PathChooser; pathLayout->addWidget(m_pathChooser); @@ -1323,7 +1319,7 @@ HeobDialog::HeobDialog(QWidget *parent) : auto saveLayout = new QHBoxLayout; saveLayout->addStretch(1); auto saveButton = new QToolButton; - saveButton->setToolTip(tr("Save current settings as default.")); + saveButton->setToolTip(Tr::tr("Save current settings as default.")); saveButton->setIcon(style()->standardIcon(QStyle::SP_DialogSaveButton)); connect(saveButton, &QAbstractButton::clicked, this, &HeobDialog::saveOptions); saveLayout->addWidget(saveButton); @@ -1331,7 +1327,7 @@ HeobDialog::HeobDialog(QWidget *parent) : auto okLayout = new QHBoxLayout; okLayout->addStretch(1); - auto okButton = new QPushButton(tr("OK")); + auto okButton = new QPushButton(Tr::tr("OK")); okButton->setDefault(true); connect(okButton, &QAbstractButton::clicked, this, &QDialog::accept); okLayout->addWidget(okButton); @@ -1344,11 +1340,11 @@ HeobDialog::HeobDialog(QWidget *parent) : if (!hasSelProfile) { settings->remove("heob"); - newProfile(tr("Default")); + newProfile(Tr::tr("Default")); } m_profileDeleteButton->setEnabled(m_profilesCombo->count() > 1); - setWindowTitle(tr("Heob")); + setWindowTitle(Tr::tr("Heob")); } QString HeobDialog::arguments() const @@ -1495,9 +1491,9 @@ void HeobDialog::newProfileDialog() QInputDialog *dialog = new QInputDialog(this); dialog->setAttribute(Qt::WA_DeleteOnClose); dialog->setInputMode(QInputDialog::TextInput); - dialog->setWindowTitle(tr("New Heob Profile")); - dialog->setLabelText(tr("Heob profile name:")); - dialog->setTextValue(tr("%1 (copy)").arg(m_profilesCombo->currentText())); + dialog->setWindowTitle(Tr::tr("New Heob Profile")); + dialog->setLabelText(Tr::tr("Heob profile name:")); + dialog->setTextValue(Tr::tr("%1 (copy)").arg(m_profilesCombo->currentText())); connect(dialog, &QInputDialog::textValueSelected, this, &HeobDialog::newProfile); dialog->open(); @@ -1523,14 +1519,14 @@ void HeobDialog::deleteProfileDialog() return; QMessageBox *messageBox = new QMessageBox(QMessageBox::Warning, - tr("Delete Heob Profile"), - tr("Are you sure you want to delete this profile permanently?"), + Tr::tr("Delete Heob Profile"), + Tr::tr("Are you sure you want to delete this profile permanently?"), QMessageBox::Discard | QMessageBox::Cancel, this); // Change the text and role of the discard button auto deleteButton = static_cast(messageBox->button(QMessageBox::Discard)); - deleteButton->setText(tr("Delete")); + deleteButton->setText(Tr::tr("Delete")); messageBox->addButton(deleteButton, QMessageBox::AcceptRole); messageBox->setDefaultButton(deleteButton); @@ -1649,7 +1645,7 @@ void HeobData::processFinished() m_runControl->setKit(m_kit); auto debugger = new DebuggerRunTool(m_runControl); debugger->setAttachPid(ProcessHandle(m_data[1])); - debugger->setRunControlName(tr("Process %1").arg(m_data[1])); + debugger->setRunControlName(Tr::tr("Process %1").arg(m_data[1])); debugger->setStartMode(AttachToLocalProcess); debugger->setCloseMode(DetachAtClose); debugger->setContinueAfterAttach(true); @@ -1663,47 +1659,47 @@ void HeobData::processFinished() switch (m_data[0]) { case HEOB_OK: - exitMsg = tr("Process finished with exit code %1 (0x%2).").arg(m_data[1]).arg(upperHexNum(m_data[1])); + exitMsg = Tr::tr("Process finished with exit code %1 (0x%2).").arg(m_data[1]).arg(upperHexNum(m_data[1])); needErrorMsg = false; break; case HEOB_BAD_ARG: - exitMsg = tr("Unknown argument: -%1").arg((char)m_data[1]); + exitMsg = Tr::tr("Unknown argument: -%1").arg((char)m_data[1]); break; case HEOB_PROCESS_FAIL: - exitMsg = tr("Cannot create target process."); + exitMsg = Tr::tr("Cannot create target process."); if (m_data[1]) exitMsg += " (" + qt_error_string(m_data[1]) + ')'; break; case HEOB_WRONG_BITNESS: - exitMsg = tr("Wrong bitness."); + exitMsg = Tr::tr("Wrong bitness."); break; case HEOB_PROCESS_KILLED: - exitMsg = tr("Process killed."); + exitMsg = Tr::tr("Process killed."); break; case HEOB_NO_CRT: - exitMsg = tr("Only works with dynamically linked CRT."); + exitMsg = Tr::tr("Only works with dynamically linked CRT."); break; case HEOB_EXCEPTION: - exitMsg = tr("Process stopped with unhandled exception code 0x%1.").arg(upperHexNum(m_data[1])); + exitMsg = Tr::tr("Process stopped with unhandled exception code 0x%1.").arg(upperHexNum(m_data[1])); needErrorMsg = false; break; case HEOB_OUT_OF_MEMORY: - exitMsg = tr("Not enough memory to keep track of allocations."); + exitMsg = Tr::tr("Not enough memory to keep track of allocations."); break; case HEOB_UNEXPECTED_END: - exitMsg = tr("Application stopped unexpectedly."); + exitMsg = Tr::tr("Application stopped unexpectedly."); break; case HEOB_CONSOLE: - exitMsg = tr("Extra console."); + exitMsg = Tr::tr("Extra console."); break; case HEOB_HELP: @@ -1712,15 +1708,15 @@ void HeobData::processFinished() return; default: - exitMsg = tr("Unknown exit reason."); + exitMsg = Tr::tr("Unknown exit reason."); break; } } else { - exitMsg = tr("Heob stopped unexpectedly."); + exitMsg = Tr::tr("Heob stopped unexpectedly."); } if (needErrorMsg) { - const QString msg = tr("Heob: %1").arg(exitMsg); + const QString msg = Tr::tr("Heob: %1").arg(exitMsg); TaskHub::addTask(Task::Error, msg, Debugger::Constants::ANALYZERTASK_ID); TaskHub::requestPopup(); } else { @@ -1755,7 +1751,7 @@ void HeobData::sendHeobAttachPid(DWORD pid) } } - const QString msg = tr("Heob: Failure in process attach handshake (%1).").arg(qt_error_string(e)); + const QString msg = Tr::tr("Heob: Failure in process attach handshake (%1).").arg(qt_error_string(e)); TaskHub::addTask(Task::Error, msg, Debugger::Constants::ANALYZERTASK_ID); TaskHub::requestPopup(); deleteLater(); From 3c6b8b08df9c5571f5eaed358262a818d66f3604 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Thu, 9 Feb 2023 16:18:09 +0100 Subject: [PATCH 10/36] ModelingLib: Tr::tr() Following orphaned contexts are merged into ::qmt qmt::ClassItem qmt::DiagramController qmt::DiagramSceneController qmt::DocumentController qmt::Exception qmt::FileCreationException qmt::FileNotFoundException qmt::FileReadError qmt::FileWriteError qmt::IllegalXmlFile qmt::ModelController qmt::ModelTreeView qmt::NullPointerException qmt::ObjectItem qmt::ProjectController qmt::PropertiesView::MView qmt::TreeModel qmt::UnknownFileVersion qmt::V Change-Id: Iaf98c2bfc654452d44f6bed155be6ddfe7556b19 Reviewed-by: hjk Reviewed-by: --- share/qtcreator/translations/qtcreator_da.ts | 80 +-------- share/qtcreator/translations/qtcreator_de.ts | 78 +------- share/qtcreator/translations/qtcreator_hr.ts | 80 +-------- share/qtcreator/translations/qtcreator_ja.ts | 146 +-------------- share/qtcreator/translations/qtcreator_pl.ts | 78 +------- share/qtcreator/translations/qtcreator_ru.ts | 80 +-------- share/qtcreator/translations/qtcreator_uk.ts | 97 +--------- .../qtcreator/translations/qtcreator_zh_CN.ts | 80 +-------- src/libs/modelinglib/modelinglibtr.h | 6 +- .../diagram_controller/diagramcontroller.cpp | 18 +- .../qmt/diagram_scene/items/classitem.cpp | 8 +- .../qmt/diagram_scene/items/classitem.h | 2 - .../qmt/diagram_scene/items/objectitem.cpp | 46 ++--- .../qmt/diagram_scene/items/objectitem.h | 2 - .../documentcontroller.cpp | 10 +- .../qmt/infrastructure/exceptions.cpp | 4 +- .../qmt/infrastructure/exceptions.h | 2 - .../qmt/infrastructure/ioexceptions.cpp | 15 +- .../qmt/model_controller/modelcontroller.cpp | 30 ++-- .../modelinglib/qmt/model_ui/treemodel.cpp | 4 +- .../qmt/model_widgets_ui/modeltreeview.cpp | 8 +- .../model_widgets_ui/propertiesviewmview.cpp | 170 +++++++++--------- .../project_controller/projectcontroller.cpp | 8 +- .../qmt/tasks/diagramscenecontroller.cpp | 18 +- 24 files changed, 201 insertions(+), 869 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_da.ts b/share/qtcreator/translations/qtcreator_da.ts index 2d869f5a331..3c0da760506 100644 --- a/share/qtcreator/translations/qtcreator_da.ts +++ b/share/qtcreator/translations/qtcreator_da.ts @@ -38322,7 +38322,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - qmt::ClassItem + ::qmt Show Definition Vis definition @@ -38335,9 +38335,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Association Tilknytning - - - qmt::DiagramController Change Skift @@ -38362,9 +38359,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Delete Slet - - - qmt::DiagramSceneController Create Dependency Opret afhængighed @@ -38397,9 +38391,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Relocate Relation Genlokaliser relation - - - qmt::DocumentController New Package Ny pakke @@ -38416,9 +38407,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o New Diagram Nyt diagram - - - qmt::Exception Unacceptable null object. Uacceptabelt nul-objekt. @@ -38447,9 +38435,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Unable to handle file version %1. Kunne ikke håndtere fil version %1. - - - qmt::ModelController Change Object Skift objekt @@ -38466,10 +38451,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Move Relation Flyt relation - - Add Object - Tilføj objekt - Delete Object Slet objekt @@ -38482,44 +38463,14 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Delete Relation Slet relation - - Cut - Klip - - - Paste - Indsæt - - - Delete - Slet - - - - qmt::ModelTreeView - - Show Definition - Vis definition - Open Diagram Åbn diagram - - Delete - Slet - - - - qmt::ObjectItem Dependency Afhængighed - - Open Diagram - Åbn diagram - Create Diagram Opret diagram @@ -38528,10 +38479,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Remove Fjern - - Delete - Slet - Align Objects Juster objekter @@ -38576,9 +38523,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Add Related Elements Tilføj relaterede elementer - - - qmt::ProjectController Missing file name. Manglende filnavn. @@ -38591,9 +38535,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Model Model - - - qmt::PropertiesView::MView Stereotypes: Stereotyper: @@ -38622,10 +38563,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Relations: Relationer: - - Model - Model - Models Modeller @@ -38710,10 +38647,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o End B: %1 Slut B: %1 - - Dependency - Afhængighed - Dependencies Afhængigheder @@ -38722,10 +38655,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Direction: Retning: - - Inheritance - Nedarvning - Inheritances Nedarvninger @@ -38738,10 +38667,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Base class: %1 Grundklasse: %1 - - Association - Tilknytning - Associations Tilknytninger @@ -38918,9 +38843,6 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o Multi-Selection Multi-markering - - - qmt::TreeModel [unnamed] [unavngivet] diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index a44d7c4e773..79211dada5a 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -34397,7 +34397,7 @@ provided they were unmodified before the refactoring. - qmt::DocumentController + ::qmt New Package Neues Paket @@ -34414,9 +34414,6 @@ provided they were unmodified before the refactoring. New Diagram Neues Diagramm - - - qmt::ModelController Change Object Object ändern @@ -34461,16 +34458,10 @@ provided they were unmodified before the refactoring. Delete Löschen - - - qmt::TreeModel [unnamed] [namenlos] - - - qmt::ModelTreeView Show Definition Definition anzeigen @@ -34479,10 +34470,6 @@ provided they were unmodified before the refactoring. Open Diagram Diagramm öffnen - - Delete - Löschen - ::Utils @@ -37084,38 +37071,15 @@ Siehe auch die Einstellungen für Google Test. - qmt::DiagramController + ::qmt Change Ändern - - Add Object - Objekt hinzufügen - Remove Object Objekt entfernen - - Cut - Ausschneiden - - - Paste - Einfügen - - - Delete - Löschen - - - - qmt::ClassItem - - Show Definition - Definition anzeigen - Inheritance Vererbung @@ -37124,9 +37088,6 @@ Siehe auch die Einstellungen für Google Test. Association Assoziation - - - qmt::PropertiesView::MView Stereotypes: Stereotypen: @@ -37256,10 +37217,6 @@ Siehe auch die Einstellungen für Google Test. Direction: Richtung: - - Inheritance - Vererbung - Inheritances Vererbungen @@ -37272,11 +37229,6 @@ Siehe auch die Einstellungen für Google Test. Base class: %1 Basisklasse: %1 - - Association - Assoziation - - Associations Assoziationen @@ -37461,9 +37413,6 @@ Siehe auch die Einstellungen für Google Test. Multi-Selection Mehrfachauswahl - - - qmt::ProjectController Missing file name. Fehlender Dateiname. @@ -37472,13 +37421,6 @@ Siehe auch die Einstellungen für Google Test. Project is modified. Verändertes Projekt. - - Model - Modell - - - - qmt::DiagramSceneController Create Dependency Abhängigkeit erzeugen @@ -37667,15 +37609,7 @@ Sie werden erhalten. - qmt::ObjectItem - - Dependency - Abhängigkeit - - - Open Diagram - Diagramm öffnen - + ::qmt Create Diagram Diagramm erstellen @@ -37684,10 +37618,6 @@ Sie werden erhalten. Remove Entfernen - - Delete - Löschen - Align Objects Objekte ausrichten @@ -39371,7 +39301,7 @@ Zeile: %4, Spalte: %5 - qmt::Exception + ::qmt Unacceptable null object. Unzulässiges Null-Objekt. diff --git a/share/qtcreator/translations/qtcreator_hr.ts b/share/qtcreator/translations/qtcreator_hr.ts index 56c1d622ead..7644a893f08 100644 --- a/share/qtcreator/translations/qtcreator_hr.ts +++ b/share/qtcreator/translations/qtcreator_hr.ts @@ -10744,7 +10744,7 @@ will also disable the following plugins: - qmt::DiagramController + ::qmt Change Promijeni @@ -10769,9 +10769,6 @@ will also disable the following plugins: Delete Ukloni - - - qmt::ClassItem Show Definition @@ -10784,9 +10781,6 @@ will also disable the following plugins: Association - - - qmt::ObjectItem Dependency @@ -10803,10 +10797,6 @@ will also disable the following plugins: Remove Ukloni - - Delete - Ukloni - Align Objects @@ -10871,9 +10861,6 @@ will also disable the following plugins: Add Related Elements - - - qmt::DocumentController New Package @@ -10890,9 +10877,6 @@ will also disable the following plugins: New Diagram - - - qmt::Exception Unacceptable null object. @@ -10921,9 +10905,6 @@ will also disable the following plugins: Unable to handle file version %1. - - - qmt::ModelController Change Object @@ -10940,10 +10921,6 @@ will also disable the following plugins: Move Relation - - Add Object - - Delete Object @@ -10956,43 +10933,10 @@ will also disable the following plugins: Delete Relation - - Cut - Izreži - - - Paste - Zalijepi - - - Delete - Ukloni - - - - qmt::TreeModel [unnamed] [neimenovano] - - - qmt::ModelTreeView - - Show Definition - - - - Open Diagram - - - - Delete - Ukloni - - - - qmt::PropertiesView::MView Stereotypes: @@ -11109,10 +11053,6 @@ will also disable the following plugins: End B: %1 - - Dependency - - Dependencies @@ -11121,10 +11061,6 @@ will also disable the following plugins: Direction: Smjer: - - Inheritance - - Inheritances @@ -11137,10 +11073,6 @@ will also disable the following plugins: Base class: %1 - - Association - - Associations @@ -11317,9 +11249,6 @@ will also disable the following plugins: Multi-Selection - - - qmt::ProjectController Missing file name. @@ -11328,13 +11257,6 @@ will also disable the following plugins: Project is modified. - - Model - - - - - qmt::DiagramSceneController Create Dependency diff --git a/share/qtcreator/translations/qtcreator_ja.ts b/share/qtcreator/translations/qtcreator_ja.ts index d136a33e974..744ce194c7b 100644 --- a/share/qtcreator/translations/qtcreator_ja.ts +++ b/share/qtcreator/translations/qtcreator_ja.ts @@ -34163,7 +34163,7 @@ the program. - qmt::DiagramController + ::qmt Change 変更 @@ -34188,9 +34188,6 @@ the program. Delete 削除 - - - qmt::ClassItem Show Definition 定義の表示 @@ -34203,9 +34200,6 @@ the program. Association 関連 - - - qmt::ObjectItem Dependency 依存関係 @@ -34222,10 +34216,6 @@ the program. Remove 図から削除 - - Delete - モデルから削除 - Align Objects オブジェクトの整列 @@ -34266,9 +34256,6 @@ the program. Same Size サイズを合わせる - - - qmt::DocumentController New Package 新しいパッケージ @@ -34285,58 +34272,34 @@ the program. New Diagram 新しい図 - - - qmt::NullPointerException Unacceptable null object. 受付不可能な null オブジェクトです。 - - - qmt::FileNotFoundException File not found. ファイルが見つかりません。 - - - qmt::FileCreationException Unable to create file. ファイルを作成できません。 - - - qmt::FileWriteError Writing to file failed. ファイルへの書き込みに失敗しました。 - - - qmt::FileReadError Reading from file failed. ファイルの読み込みに失敗しました。 - - - qmt::IllegalXmlFile Illegal XML file. 無効な XML ファイルです。 - - - qmt::UnknownFileVersion Unable to handle file version %1. %1 は未知のファイルバージョンです。 - - - qmt::ModelController Change Object オブジェクトの変更 @@ -34353,10 +34316,6 @@ the program. Move Relation 関係の移動 - - Add Object - オブジェクトの追加 - Delete Object オブジェクトを削除する @@ -34369,43 +34328,10 @@ the program. Delete Relation 関係を削除する - - Cut - 切り取り - - - Paste - 貼り付け - - - Delete - 削除 - - - - qmt::TreeModel [unnamed] [無名] - - - qmt::ModelTreeView - - Show Definition - 定義の表示 - - - Open Diagram - 図を開く - - - Delete - 削除 - - - - qmt::PropertiesView::MView Stereotypes: ステレオタイプ: @@ -34526,18 +34452,10 @@ the program. Dependencies 依存関係 - - Dependency - 依存関係 - Direction: 方向: - - Inheritance - 継承 - Inheritances 継承 @@ -34550,10 +34468,6 @@ the program. Base class: %1 基底クラス: %1 - - Association - 関連 - Associations 関連 @@ -34718,9 +34632,6 @@ the program. <font color=red>Invalid syntax!</font> <font color=red>無効なシンタックス!</font> - - - qmt::ProjectController Missing file name. ファイル名が見つかりません。 @@ -34729,13 +34640,6 @@ the program. Project is modified. プロジェクトが編集されています。 - - Model - モデル - - - - qmt::DiagramSceneController Create Dependency 依存関係の作成 @@ -34748,18 +34652,6 @@ the program. Create Association 関連の作成 - - New Package - 新しいパッケージ - - - New Component - 新しいコンポーネント - - - New Class - 新しいクラス - New Item 新しいアイテム @@ -41298,11 +41190,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - qmt::V - - Multi-Selection - 複数選択 - + ::qmt ::Utils @@ -42941,35 +42829,7 @@ Output: - qmt::Exception - - Unacceptable null object. - 受付不可能な null オブジェクトです。 - - - File not found. - ファイルが見つかりません。 - - - Unable to create file. - ファイルを作成できません。 - - - Writing to file failed. - ファイルへの書き込みに失敗しました。 - - - Reading from file failed. - ファイルの読み込みに失敗しました。 - - - Illegal XML file. - 無効な XML ファイルです。 - - - Unable to handle file version %1. - %1 は未知のファイルバージョンです。 - + ::qmt ::QmlDebug diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index 15de566f1ea..6b8d1294816 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -33164,7 +33164,7 @@ itself takes time. - qmt::DiagramController + ::qmt Change Zmień @@ -33189,9 +33189,6 @@ itself takes time. Delete Usuń - - - qmt::DocumentController New Package Nowy pakiet @@ -33208,9 +33205,6 @@ itself takes time. New Diagram Nowy diagram - - - qmt::ModelController Change Object Zmień obiekt @@ -33227,10 +33221,6 @@ itself takes time. Move Relation Przesuń relację - - Add Object - Dodaj obiekt - Delete Object Usuń obiekt @@ -33243,28 +33233,10 @@ itself takes time. Delete Relation Usuń relację - - Cut - Wytnij - - - Paste - Wklej - - - Delete - Usuń - - - - qmt::TreeModel [unnamed] [nienazwany] - - - qmt::ModelTreeView Show Definition Pokaż definicję @@ -33273,13 +33245,6 @@ itself takes time. Open Diagram Otwórz diagram - - Delete - Usuń - - - - qmt::PropertiesView::MView Stereotypes: Stereotypy: @@ -33584,9 +33549,6 @@ itself takes time. Multi-Selection Zaznaczenie wielokrotne - - - qmt::ProjectController Missing file name. Brak nazwy pliku. @@ -33595,13 +33557,6 @@ itself takes time. Project is modified. Projekt zmodyfikowany. - - Model - Model - - - - qmt::DiagramSceneController Create Dependency Utwórz zależność @@ -33614,18 +33569,6 @@ itself takes time. Create Association Utwórz związek - - New Package - Nowy pakiet - - - New Component - Nowy komponent - - - New Class - Nowa klasa - New Item Nowy element @@ -34405,18 +34348,7 @@ Te pliki są zabezpieczone. - qmt::ClassItem - - Show Definition - Pokaż definicję - - - - qmt::ObjectItem - - Open Diagram - Otwórz diagram - + ::qmt Create Diagram Utwórz diagram @@ -34425,10 +34357,6 @@ Te pliki są zabezpieczone. Remove Usuń - - Delete - Usuń - Align Objects Wyrównaj obiekty @@ -37033,7 +36961,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - qmt::Exception + ::qmt Unacceptable null object. Niedopuszczalny zerowy obiekt. diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index 910a8920755..08bc9a383e9 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -48235,7 +48235,7 @@ What do you want to do? - qmt::ClassItem + ::qmt Show Definition Показать определение @@ -48248,9 +48248,6 @@ What do you want to do? Association Ассоциация - - - qmt::DiagramController Change Изменение @@ -48275,9 +48272,6 @@ What do you want to do? Delete Удалить - - - qmt::DiagramSceneController Create Dependency Создание зависимости @@ -48310,9 +48304,6 @@ What do you want to do? Relocate Relation Переместить отношение - - - qmt::DocumentController New Package Создать пакет @@ -48329,9 +48320,6 @@ What do you want to do? New Diagram Создать диаграмму - - - qmt::Exception Unacceptable null object. Недопустимый нулевой объект. @@ -48360,9 +48348,6 @@ What do you want to do? Unable to handle file version %1. Не удалось обработать файл версии %1. - - - qmt::ModelController Change Object Изменение объекта @@ -48379,10 +48364,6 @@ What do you want to do? Move Relation Перемещение отношения - - Add Object - Добавить объект - Delete Object Удалить объект @@ -48395,44 +48376,14 @@ What do you want to do? Delete Relation Удалить отношение - - Cut - Вырезать - - - Paste - Вставить - - - Delete - Удалить - - - - qmt::ModelTreeView - - Show Definition - Показать определение - Open Diagram Открыть диаграмму - - Delete - Удалить - - - - qmt::ObjectItem Dependency Зависимость - - Open Diagram - Открыть диаграмму - Create Diagram Создать диаграмму @@ -48441,10 +48392,6 @@ What do you want to do? Remove Убрать - - Delete - Удалить - Align Objects Выровнять объекты @@ -48509,9 +48456,6 @@ What do you want to do? Add Related Elements Добавить связанные элементы - - - qmt::ProjectController Missing file name. Отсутствует имя файла. @@ -48524,9 +48468,6 @@ What do you want to do? Model Модель - - - qmt::PropertiesView::MView Yes Да @@ -48535,10 +48476,6 @@ What do you want to do? No Нет - - Model - Модель - Models Модели @@ -48599,26 +48536,14 @@ What do you want to do? End B: %1 Конец Б: %1 - - Dependency - Зависимость - Dependencies Зависимости - - Inheritance - Наследование - Inheritances Наследования - - Association - Ассоциация - Associations Ассоциации @@ -48859,9 +48784,6 @@ What do you want to do? Multi-Selection Множественное выделение - - - qmt::TreeModel [unnamed] [без имени] diff --git a/share/qtcreator/translations/qtcreator_uk.ts b/share/qtcreator/translations/qtcreator_uk.ts index 7493f4a7fbc..545cfe05018 100644 --- a/share/qtcreator/translations/qtcreator_uk.ts +++ b/share/qtcreator/translations/qtcreator_uk.ts @@ -41641,7 +41641,7 @@ the program. - qmt::DiagramController + ::qmt Change Змінити @@ -41666,9 +41666,6 @@ the program. Delete Видалити - - - qmt::DocumentController New Package Новий пакунок @@ -41685,9 +41682,6 @@ the program. New Diagram Нова діаграма - - - qmt::ModelController Change Object Змінити об'єкт @@ -41704,10 +41698,6 @@ the program. Move Relation Пересунути відносини - - Add Object - Додати об'єкт - Delete Object Видалити об'єкт @@ -41720,28 +41710,10 @@ the program. Delete Relation Видалити відносини - - Cut - Вирізати - - - Paste - Вставити - - - Delete - Видалити - - - - qmt::TreeModel [unnamed] [без назви] - - - qmt::ModelTreeView Show Definition Показати визначення @@ -41750,13 +41722,6 @@ the program. Open Diagram Відкрити діаграму - - Delete - Видалити - - - - qmt::PropertiesView::MView Stereotypes: Стереотипи: @@ -42065,9 +42030,6 @@ the program. Multi-Selection Кілька виділених - - - qmt::ProjectController Missing file name. Відсутня назва файлу. @@ -42076,13 +42038,6 @@ the program. Project is modified. Проект було змінено. - - Model - Модель - - - - qmt::DiagramSceneController Create Dependency Створити залежність @@ -42095,18 +42050,6 @@ the program. Create Association Створити асоціацію - - New Package - Новий пакунок - - - New Component - Новий компонент - - - New Class - Новий клас - New Item Новий елемент @@ -42929,18 +42872,7 @@ the program. ::ProjectExplorer - qmt::ClassItem - - Show Definition - Показати визначення - - - - qmt::ObjectItem - - Open Diagram - Відкрити діаграму - + ::qmt Create Diagram Створити діаграму @@ -42949,10 +42881,6 @@ the program. Remove Прибрати - - Delete - Видалити - Align Objects Вирівняти об'єкти @@ -42993,51 +42921,30 @@ the program. Same Size Однаковий розмір - - - qmt::NullPointerException Unacceptable null object. Неприпустимий нульовий об'єкт. - - - qmt::FileNotFoundException File not found. Файл не знайдено. - - - qmt::FileCreationException Unable to create file. Неможливо створити файл. - - - qmt::FileWriteError Writing to file failed. Збій запису до файлу. - - - qmt::FileReadError Reading from file failed. Збій читання з файлу. - - - qmt::IllegalXmlFile Illegal XML file. Неправильний файл XML. - - - qmt::UnknownFileVersion Unable to handle file version %1. Неможливо обробити файл версії %1. diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index 169af21ca7a..3b3aec36653 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -47831,7 +47831,7 @@ What do you want to do? - qmt::ClassItem + ::qmt Show Definition @@ -47844,9 +47844,6 @@ What do you want to do? Association - - - qmt::DiagramController Change @@ -47871,9 +47868,6 @@ What do you want to do? Delete 删除 - - - qmt::DiagramSceneController Create Dependency @@ -47906,9 +47900,6 @@ What do you want to do? Relocate Relation - - - qmt::DocumentController New Package @@ -47925,9 +47916,6 @@ What do you want to do? New Diagram - - - qmt::Exception Unacceptable null object. @@ -47956,9 +47944,6 @@ What do you want to do? Unable to handle file version %1. - - - qmt::ModelController Change Object @@ -47975,10 +47960,6 @@ What do you want to do? Move Relation - - Add Object - - Delete Object @@ -47991,44 +47972,14 @@ What do you want to do? Delete Relation - - Cut - 剪切 - - - Paste - 粘贴 - - - Delete - 删除 - - - - qmt::ModelTreeView - - Show Definition - - Open Diagram - - Delete - 删除 - - - - qmt::ObjectItem Dependency - - Open Diagram - - Create Diagram @@ -48037,10 +47988,6 @@ What do you want to do? Remove 删除 - - Delete - 删除 - Align Objects @@ -48105,9 +48052,6 @@ What do you want to do? Add Related Elements - - - qmt::ProjectController Missing file name. @@ -48120,9 +48064,6 @@ What do you want to do? Model - - - qmt::PropertiesView::MView Stereotypes: @@ -48151,10 +48092,6 @@ What do you want to do? Relations: - - Model - - Models @@ -48239,10 +48176,6 @@ What do you want to do? End B: %1 - - Dependency - - Dependencies 依赖关系 @@ -48251,10 +48184,6 @@ What do you want to do? Direction: - - Inheritance - - Inheritances @@ -48267,10 +48196,6 @@ What do you want to do? Base class: %1 - - Association - - Associations @@ -48455,9 +48380,6 @@ What do you want to do? Multi-Selection - - - qmt::TreeModel [unnamed] diff --git a/src/libs/modelinglib/modelinglibtr.h b/src/libs/modelinglib/modelinglibtr.h index 6ad06204c9c..16fd273bee6 100644 --- a/src/libs/modelinglib/modelinglibtr.h +++ b/src/libs/modelinglib/modelinglibtr.h @@ -5,11 +5,11 @@ #include -namespace ModelingLib { +namespace qmt { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ModelingLib) + Q_DECLARE_TR_FUNCTIONS(::qmt) }; -} // ModelingLib +} // qmt diff --git a/src/libs/modelinglib/qmt/diagram_controller/diagramcontroller.cpp b/src/libs/modelinglib/qmt/diagram_controller/diagramcontroller.cpp index a01b94f277d..1c8591f153f 100644 --- a/src/libs/modelinglib/qmt/diagram_controller/diagramcontroller.cpp +++ b/src/libs/modelinglib/qmt/diagram_controller/diagramcontroller.cpp @@ -24,6 +24,8 @@ #include "qmt/model/mdiagram.h" #include "qmt/model/mrelation.h" +#include "../../modelinglibtr.h" + #include namespace qmt { @@ -71,7 +73,7 @@ class DiagramController::UpdateElementCommand : public DiagramUndoCommand public: UpdateElementCommand(DiagramController *diagramController, const Uid &diagramKey, DElement *element, DiagramController::UpdateAction updateAction) - : DiagramUndoCommand(diagramController, diagramKey, tr("Change")), + : DiagramUndoCommand(diagramController, diagramKey, Tr::tr("Change")), m_updateAction(updateAction) { DCloneVisitor visitor; @@ -372,7 +374,7 @@ void DiagramController::addElement(DElement *element, MDiagram *diagram) emit beginInsertElement(row, diagram); updateElementFromModel(element, diagram, false); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, diagram->uid(), tr("Add Object")); + auto undoCommand = new AddElementsCommand(this, diagram->uid(), Tr::tr("Add Object")); m_undoController->push(undoCommand); undoCommand->add(element->uid()); } @@ -388,7 +390,7 @@ void DiagramController::removeElement(DElement *element, MDiagram *diagram) int row = diagram->diagramElements().indexOf(element); emit beginRemoveElement(row, diagram); if (m_undoController) { - auto undoCommand = new RemoveElementsCommand(this, diagram->uid(), tr("Remove Object")); + auto undoCommand = new RemoveElementsCommand(this, diagram->uid(), Tr::tr("Remove Object")); m_undoController->push(undoCommand); undoCommand->add(element); } @@ -440,7 +442,7 @@ void DiagramController::breakUndoChain() DContainer DiagramController::cutElements(const DSelection &diagramSelection, MDiagram *diagram) { DContainer copiedElements = copyElements(diagramSelection, diagram); - deleteElements(diagramSelection, diagram, tr("Cut")); + deleteElements(diagramSelection, diagram, Tr::tr("Cut")); return copiedElements; } @@ -484,7 +486,7 @@ void DiagramController::pasteElements(const DReferences &diagramContainer, MDiag updateRelationKeys(relation, renewedKeys); } if (m_undoController) - m_undoController->beginMergeSequence(tr("Paste")); + m_undoController->beginMergeSequence(Tr::tr("Paste")); // insert all elements bool added = false; for (DElement *clonedElement : std::as_const(clonedElements)) { @@ -492,7 +494,7 @@ void DiagramController::pasteElements(const DReferences &diagramContainer, MDiag int row = diagram->diagramElements().size(); emit beginInsertElement(row, diagram); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, diagram->uid(), tr("Paste")); + auto undoCommand = new AddElementsCommand(this, diagram->uid(), Tr::tr("Paste")); m_undoController->push(undoCommand); undoCommand->add(clonedElement->uid()); } @@ -507,7 +509,7 @@ void DiagramController::pasteElements(const DReferences &diagramContainer, MDiag int row = diagram->diagramElements().size(); emit beginInsertElement(row, diagram); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, diagram->uid(), tr("Paste")); + auto undoCommand = new AddElementsCommand(this, diagram->uid(), Tr::tr("Paste")); m_undoController->push(undoCommand); undoCommand->add(clonedElement->uid()); } @@ -525,7 +527,7 @@ void DiagramController::pasteElements(const DReferences &diagramContainer, MDiag void DiagramController::deleteElements(const DSelection &diagramSelection, MDiagram *diagram) { - deleteElements(diagramSelection, diagram, tr("Delete")); + deleteElements(diagramSelection, diagram, Tr::tr("Delete")); } void DiagramController::onBeginResetModel() diff --git a/src/libs/modelinglib/qmt/diagram_scene/items/classitem.cpp b/src/libs/modelinglib/qmt/diagram_scene/items/classitem.cpp index 8cb871c432a..14ad25b2c1d 100644 --- a/src/libs/modelinglib/qmt/diagram_scene/items/classitem.cpp +++ b/src/libs/modelinglib/qmt/diagram_scene/items/classitem.cpp @@ -45,6 +45,8 @@ #include +#include "../../modelinglibtr.h" + namespace qmt { static const char ASSOCIATION[] = "association"; @@ -378,7 +380,7 @@ bool ClassItem::extendContextMenu(QMenu *menu) { bool extended = false; if (diagramSceneModel()->diagramSceneController()->elementTasks()->hasClassDefinition(object(), diagramSceneModel()->diagram())) { - menu->addAction(new ContextMenuAction(tr("Show Definition"), "showDefinition", menu)); + menu->addAction(new ContextMenuAction(Tr::tr("Show Definition"), "showDefinition", menu)); extended = true; } return extended; @@ -444,11 +446,11 @@ void ClassItem::addRelationStarterTool(const QString &id) if (id == INHERITANCE) relationStarter()->addArrow(INHERITANCE, ArrowItem::ShaftSolid, ArrowItem::HeadNone, ArrowItem::HeadTriangle, - tr("Inheritance")); + Tr::tr("Inheritance")); else if (id == ASSOCIATION) relationStarter()->addArrow(ASSOCIATION, ArrowItem::ShaftSolid, ArrowItem::HeadNone, ArrowItem::HeadFilledTriangle, - tr("Association")); + Tr::tr("Association")); else ObjectItem::addRelationStarterTool(id); } diff --git a/src/libs/modelinglib/qmt/diagram_scene/items/classitem.h b/src/libs/modelinglib/qmt/diagram_scene/items/classitem.h index 34e315b9f05..83ce0a9a5a0 100644 --- a/src/libs/modelinglib/qmt/diagram_scene/items/classitem.h +++ b/src/libs/modelinglib/qmt/diagram_scene/items/classitem.h @@ -24,8 +24,6 @@ class Style; class ClassItem : public ObjectItem { - Q_DECLARE_TR_FUNCTIONS(qmt::ClassItem) - public: ClassItem(DClass *klass, DiagramSceneModel *diagramSceneModel, QGraphicsItem *parent = nullptr); ~ClassItem() override; diff --git a/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.cpp b/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.cpp index 056c02f2065..398069e91db 100644 --- a/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.cpp +++ b/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.cpp @@ -29,6 +29,8 @@ #include "qmt/tasks/diagramscenecontroller.h" #include "qmt/tasks/ielementtasks.h" +#include "../../modelinglibtr.h" + #include #include #include @@ -734,7 +736,7 @@ void ObjectItem::addRelationStarterTool(const QString &id) if (id == DEPENDENCY) m_relationStarter->addArrow(DEPENDENCY, ArrowItem::ShaftDashed, ArrowItem::HeadNone, ArrowItem::HeadOpen, - tr("Dependency")); + Tr::tr("Dependency")); } void ObjectItem::addRelationStarterTool(const CustomRelation &customRelation) @@ -979,10 +981,10 @@ void ObjectItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event) bool addSeparator = false; if (element_tasks->hasDiagram(m_object, m_diagramSceneModel->diagram())) { - menu.addAction(new ContextMenuAction(tr("Open Diagram"), "openDiagram", &menu)); + menu.addAction(new ContextMenuAction(Tr::tr("Open Diagram"), "openDiagram", &menu)); addSeparator = true; } else if (element_tasks->mayCreateDiagram(m_object, m_diagramSceneModel->diagram())) { - menu.addAction(new ContextMenuAction(tr("Create Diagram"), "createDiagram", &menu)); + menu.addAction(new ContextMenuAction(Tr::tr("Create Diagram"), "createDiagram", &menu)); addSeparator = true; } if (extendContextMenu(&menu)) @@ -991,37 +993,37 @@ void ObjectItem::contextMenuEvent(QGraphicsSceneContextMenuEvent *event) addSeparator = true; if (addSeparator) menu.addSeparator(); - menu.addAction(new ContextMenuAction(tr("Remove"), "remove", + menu.addAction(new ContextMenuAction(Tr::tr("Remove"), "remove", QKeySequence(QKeySequence::Delete), &menu)); menu.addAction( - new ContextMenuAction(tr("Delete"), "delete", QKeySequence(Qt::CTRL | Qt::Key_D), &menu)); - //menu.addAction(new ContextMenuAction(tr("Select in Model Tree"), "selectInModelTree", &menu)); + new ContextMenuAction(Tr::tr("Delete"), "delete", QKeySequence(Qt::CTRL | Qt::Key_D), &menu)); + //menu.addAction(new ContextMenuAction(Tr::tr("Select in Model Tree"), "selectInModelTree", &menu)); QMenu alignMenu; - alignMenu.setTitle(tr("Align Objects")); - alignMenu.addAction(new ContextMenuAction(tr("Align Left"), "alignLeft", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Center Vertically"), "centerVertically", + alignMenu.setTitle(Tr::tr("Align Objects")); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Align Left"), "alignLeft", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Center Vertically"), "centerVertically", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Align Right"), "alignRight", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Align Right"), "alignRight", &alignMenu)); alignMenu.addSeparator(); - alignMenu.addAction(new ContextMenuAction(tr("Align Top"), "alignTop", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Center Horizontally"), "centerHorizontally", + alignMenu.addAction(new ContextMenuAction(Tr::tr("Align Top"), "alignTop", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Center Horizontally"), "centerHorizontally", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Align Bottom"), "alignBottom", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Align Bottom"), "alignBottom", &alignMenu)); alignMenu.addSeparator(); - alignMenu.addAction(new ContextMenuAction(tr("Same Width"), "sameWidth", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Same Height"), "sameHeight", &alignMenu)); - alignMenu.addAction(new ContextMenuAction(tr("Same Size"), "sameSize", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Same Width"), "sameWidth", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Same Height"), "sameHeight", &alignMenu)); + alignMenu.addAction(new ContextMenuAction(Tr::tr("Same Size"), "sameSize", &alignMenu)); alignMenu.setEnabled(m_diagramSceneModel->hasMultiObjectsSelection()); menu.addMenu(&alignMenu); QMenu layoutMenu; - layoutMenu.setTitle(tr("Layout Objects")); - layoutMenu.addAction(new ContextMenuAction(tr("Equal Horizontal Distance"), "sameHCenterDistance", &alignMenu)); - layoutMenu.addAction(new ContextMenuAction(tr("Equal Vertical Distance"), "sameVCenterDistance", &alignMenu)); - layoutMenu.addAction(new ContextMenuAction(tr("Equal Horizontal Space"), "sameHBorderDistance", &alignMenu)); - layoutMenu.addAction(new ContextMenuAction(tr("Equal Vertical Space"), "sameVBorderDistance", &alignMenu)); + layoutMenu.setTitle(Tr::tr("Layout Objects")); + layoutMenu.addAction(new ContextMenuAction(Tr::tr("Equal Horizontal Distance"), "sameHCenterDistance", &alignMenu)); + layoutMenu.addAction(new ContextMenuAction(Tr::tr("Equal Vertical Distance"), "sameVCenterDistance", &alignMenu)); + layoutMenu.addAction(new ContextMenuAction(Tr::tr("Equal Horizontal Space"), "sameHBorderDistance", &alignMenu)); + layoutMenu.addAction(new ContextMenuAction(Tr::tr("Equal Vertical Space"), "sameVBorderDistance", &alignMenu)); layoutMenu.setEnabled(m_diagramSceneModel->hasMultiObjectsSelection()); menu.addMenu(&layoutMenu); - menu.addAction(new ContextMenuAction(tr("Add Related Elements"), "addRelatedElements", &menu)); + menu.addAction(new ContextMenuAction(Tr::tr("Add Related Elements"), "addRelatedElements", &menu)); QAction *selectedAction = menu.exec(event->screenPos()); if (selectedAction) { diff --git a/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.h b/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.h index 1b67f4b1355..e7acd5705ca 100644 --- a/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.h +++ b/src/libs/modelinglib/qmt/diagram_scene/items/objectitem.h @@ -52,8 +52,6 @@ class ObjectItem : public IAlignable, public IEditable { - Q_DECLARE_TR_FUNCTIONS(qmt::ObjectItem) - protected: enum ResizeFlags { ResizeUnlocked, diff --git a/src/libs/modelinglib/qmt/document_controller/documentcontroller.cpp b/src/libs/modelinglib/qmt/document_controller/documentcontroller.cpp index cc539c2237a..68184d2fb54 100644 --- a/src/libs/modelinglib/qmt/document_controller/documentcontroller.cpp +++ b/src/libs/modelinglib/qmt/document_controller/documentcontroller.cpp @@ -30,6 +30,8 @@ #include "qmt/tasks/diagramscenecontroller.h" #include "qmt/tasks/findrootdiagramvisitor.h" +#include "../../modelinglibtr.h" + #include namespace qmt { @@ -178,7 +180,7 @@ void DocumentController::selectAllOnDiagram(MDiagram *diagram) MPackage *DocumentController::createNewPackage(MPackage *parent) { auto newPackage = new MPackage(); - newPackage->setName(tr("New Package")); + newPackage->setName(Tr::tr("New Package")); m_modelController->addObject(parent, newPackage); return newPackage; } @@ -186,7 +188,7 @@ MPackage *DocumentController::createNewPackage(MPackage *parent) MClass *DocumentController::createNewClass(MPackage *parent) { auto newClass = new MClass(); - newClass->setName(tr("New Class")); + newClass->setName(Tr::tr("New Class")); m_modelController->addObject(parent, newClass); return newClass; } @@ -194,7 +196,7 @@ MClass *DocumentController::createNewClass(MPackage *parent) MComponent *DocumentController::createNewComponent(MPackage *parent) { auto newComponent = new MComponent(); - newComponent->setName(tr("New Component")); + newComponent->setName(Tr::tr("New Component")); m_modelController->addObject(parent, newComponent); return newComponent; } @@ -205,7 +207,7 @@ MCanvasDiagram *DocumentController::createNewCanvasDiagram(MPackage *parent) if (!m_diagramSceneController->findDiagramBySearchId(parent, parent->name())) newDiagram->setName(parent->name()); else - newDiagram->setName(tr("New Diagram")); + newDiagram->setName(Tr::tr("New Diagram")); m_modelController->addObject(parent, newDiagram); return newDiagram; } diff --git a/src/libs/modelinglib/qmt/infrastructure/exceptions.cpp b/src/libs/modelinglib/qmt/infrastructure/exceptions.cpp index 453c2879ca7..2b95c81ac86 100644 --- a/src/libs/modelinglib/qmt/infrastructure/exceptions.cpp +++ b/src/libs/modelinglib/qmt/infrastructure/exceptions.cpp @@ -3,6 +3,8 @@ #include "exceptions.h" +#include "../../modelinglibtr.h" + namespace qmt { Exception::Exception(const QString &errorMessage) @@ -11,7 +13,7 @@ Exception::Exception(const QString &errorMessage) } NullPointerException::NullPointerException() - : Exception(Exception::tr("Unacceptable null object.")) + : Exception(Tr::tr("Unacceptable null object.")) { } diff --git a/src/libs/modelinglib/qmt/infrastructure/exceptions.h b/src/libs/modelinglib/qmt/infrastructure/exceptions.h index d3f06b73d72..085a57cf1b4 100644 --- a/src/libs/modelinglib/qmt/infrastructure/exceptions.h +++ b/src/libs/modelinglib/qmt/infrastructure/exceptions.h @@ -12,8 +12,6 @@ namespace qmt { class QMT_EXPORT Exception { - Q_DECLARE_TR_FUNCTIONS(qmt::Exception) - public: explicit Exception(const QString &errorMessage); virtual ~Exception() = default; diff --git a/src/libs/modelinglib/qmt/infrastructure/ioexceptions.cpp b/src/libs/modelinglib/qmt/infrastructure/ioexceptions.cpp index ce43f9b749b..4af8df92366 100644 --- a/src/libs/modelinglib/qmt/infrastructure/ioexceptions.cpp +++ b/src/libs/modelinglib/qmt/infrastructure/ioexceptions.cpp @@ -2,6 +2,9 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "ioexceptions.h" + +#include "../../modelinglibtr.h" + #include namespace qmt { @@ -19,32 +22,32 @@ FileIOException::FileIOException(const QString &errorMsg, const QString &fileNam } FileNotFoundException::FileNotFoundException(const QString &fileName) - : FileIOException(Exception::tr("File not found."), fileName) + : FileIOException(Tr::tr("File not found."), fileName) { } FileCreationException::FileCreationException(const QString &fileName) - : FileIOException(Exception::tr("Unable to create file."), fileName) + : FileIOException(Tr::tr("Unable to create file."), fileName) { } FileWriteError::FileWriteError(const QString &fileName, int lineNumber) - : FileIOException(Exception::tr("Writing to file failed."), fileName, lineNumber) + : FileIOException(Tr::tr("Writing to file failed."), fileName, lineNumber) { } FileReadError::FileReadError(const QString &fileName, int lineNumber) - : FileIOException(Exception::tr("Reading from file failed."), fileName, lineNumber) + : FileIOException(Tr::tr("Reading from file failed."), fileName, lineNumber) { } IllegalXmlFile::IllegalXmlFile(const QString &fileName, int lineNumber) - : FileIOException(Exception::tr("Illegal XML file."), fileName, lineNumber) + : FileIOException(Tr::tr("Illegal XML file."), fileName, lineNumber) { } UnknownFileVersion::UnknownFileVersion(int version, const QString &fileName, int lineNumber) - : FileIOException(Exception::tr("Unable to handle file version %1.") + : FileIOException(Tr::tr("Unable to handle file version %1.") .arg(version), fileName, lineNumber) { } diff --git a/src/libs/modelinglib/qmt/model_controller/modelcontroller.cpp b/src/libs/modelinglib/qmt/model_controller/modelcontroller.cpp index d72f0266c22..3e38aabdf3f 100644 --- a/src/libs/modelinglib/qmt/model_controller/modelcontroller.cpp +++ b/src/libs/modelinglib/qmt/model_controller/modelcontroller.cpp @@ -16,6 +16,8 @@ #include "qmt/model/mpackage.h" #include "qmt/model/mrelation.h" +#include "../../modelinglibtr.h" + #include namespace qmt { @@ -34,7 +36,7 @@ class ModelController::UpdateObjectCommand : public UndoCommand { public: UpdateObjectCommand(ModelController *modelController, MObject *object) - : UndoCommand(tr("Change Object")), + : UndoCommand(Tr::tr("Change Object")), m_modelController(modelController) { MCloneVisitor visitor; @@ -108,7 +110,7 @@ class ModelController::UpdateRelationCommand : { public: UpdateRelationCommand(ModelController *modelController, MRelation *relation) - : UndoCommand(tr("Change Relation")), + : UndoCommand(Tr::tr("Change Relation")), m_modelController(modelController) { MCloneVisitor visitor; @@ -450,7 +452,7 @@ class ModelController::MoveObjectCommand : public UndoCommand { public: MoveObjectCommand(ModelController *modelController, MObject *object) - : UndoCommand(tr("Move Object")), + : UndoCommand(Tr::tr("Move Object")), m_modelController(modelController), m_objectKey(object->uid()), m_ownerKey(object->owner()->uid()), @@ -506,7 +508,7 @@ class ModelController::MoveRelationCommand : public UndoCommand { public: MoveRelationCommand(ModelController *modelController, MRelation *relation) - : UndoCommand(tr("Move Relation")), + : UndoCommand(Tr::tr("Move Relation")), m_modelController(modelController), m_relationKey(relation->uid()), m_ownerKey(relation->owner()->uid()), @@ -650,7 +652,7 @@ void ModelController::addObject(MPackage *parentPackage, MObject *object) emit beginInsertObject(row, parentPackage); mapObject(object); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, tr("Add Object")); + auto undoCommand = new AddElementsCommand(this, Tr::tr("Add Object")); m_undoController->push(undoCommand); undoCommand->add(TypeObject, object->uid(), parentPackage->uid()); } @@ -666,7 +668,7 @@ void ModelController::removeObject(MObject *object) { QMT_ASSERT(object, return); if (m_undoController) - m_undoController->beginMergeSequence(tr("Delete Object")); + m_undoController->beginMergeSequence(Tr::tr("Delete Object")); removeRelatedRelations(object); // remove object QMT_ASSERT(object->owner(), return); @@ -675,7 +677,7 @@ void ModelController::removeObject(MObject *object) if (!m_isResettingModel) emit beginRemoveObject(row, owner); if (m_undoController) { - auto undoCommand = new RemoveElementsCommand(this, tr("Delete Object")); + auto undoCommand = new RemoveElementsCommand(this, Tr::tr("Delete Object")); m_undoController->push(undoCommand); undoCommand->add(object, object->owner()); } @@ -787,7 +789,7 @@ void ModelController::addRelation(MObject *owner, MRelation *relation) emit beginInsertRelation(row, owner); mapRelation(relation); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, tr("Add Relation")); + auto undoCommand = new AddElementsCommand(this, Tr::tr("Add Relation")); m_undoController->push(undoCommand); undoCommand->add(TypeRelation, relation->uid(), owner->uid()); } @@ -808,7 +810,7 @@ void ModelController::removeRelation(MRelation *relation) if (!m_isResettingModel) emit beginRemoveRelation(row, owner); if (m_undoController) { - auto undoCommand = new RemoveElementsCommand(this, tr("Delete Relation")); + auto undoCommand = new RemoveElementsCommand(this, Tr::tr("Delete Relation")); m_undoController->push(undoCommand); undoCommand->add(relation, owner); } @@ -884,7 +886,7 @@ MContainer ModelController::cutElements(const MSelection &modelSelection) { // PERFORM avoid duplicate call of simplify(modelSelection) MContainer copiedElements = copyElements(modelSelection); - deleteElements(modelSelection, tr("Cut")); + deleteElements(modelSelection, Tr::tr("Cut")); return copiedElements; } @@ -922,7 +924,7 @@ void ModelController::pasteElements(MObject *owner, const MReferences &modelCont for (MElement *clonedElement : std::as_const(clonedElements)) updateRelationKeys(clonedElement, renewedKeys); if (m_undoController) - m_undoController->beginMergeSequence(tr("Paste")); + m_undoController->beginMergeSequence(Tr::tr("Paste")); // insert all elements bool added = false; for (MElement *clonedElement : std::as_const(clonedElements)) { @@ -935,7 +937,7 @@ void ModelController::pasteElements(MObject *owner, const MReferences &modelCont emit beginInsertObject(row, objectOwner); mapObject(object); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, tr("Paste")); + auto undoCommand = new AddElementsCommand(this, Tr::tr("Paste")); m_undoController->push(undoCommand); undoCommand->add(TypeObject, object->uid(), objectOwner->uid()); } @@ -947,7 +949,7 @@ void ModelController::pasteElements(MObject *owner, const MReferences &modelCont emit beginInsertRelation(row, owner); mapRelation(relation); if (m_undoController) { - auto undoCommand = new AddElementsCommand(this, tr("Paste")); + auto undoCommand = new AddElementsCommand(this, Tr::tr("Paste")); m_undoController->push(undoCommand); undoCommand->add(TypeRelation, relation->uid(), owner->uid()); } @@ -965,7 +967,7 @@ void ModelController::pasteElements(MObject *owner, const MReferences &modelCont void ModelController::deleteElements(const MSelection &modelSelection) { - deleteElements(modelSelection, tr("Delete")); + deleteElements(modelSelection, Tr::tr("Delete")); } void ModelController::deleteElements(const MSelection &modelSelection, const QString &commandLabel) diff --git a/src/libs/modelinglib/qmt/model_ui/treemodel.cpp b/src/libs/modelinglib/qmt/model_ui/treemodel.cpp index 1a2239414b9..3e8d5a59b69 100644 --- a/src/libs/modelinglib/qmt/model_ui/treemodel.cpp +++ b/src/libs/modelinglib/qmt/model_ui/treemodel.cpp @@ -26,6 +26,8 @@ #include "qmt/style/style.h" #include "qmt/style/stylecontroller.h" +#include "../../modelinglibtr.h" + #include namespace qmt { @@ -779,7 +781,7 @@ QString TreeModel::createObjectLabel(const MObject *object) if (!item->variety().isEmpty()) return filterLabel(QString("[%1]").arg(item->variety())); } - return tr("[unnamed]"); + return Tr::tr("[unnamed]"); } if (auto klass = dynamic_cast(object)) { diff --git a/src/libs/modelinglib/qmt/model_widgets_ui/modeltreeview.cpp b/src/libs/modelinglib/qmt/model_widgets_ui/modeltreeview.cpp index ed818db5c7b..68c22ce6dfa 100644 --- a/src/libs/modelinglib/qmt/model_widgets_ui/modeltreeview.cpp +++ b/src/libs/modelinglib/qmt/model_widgets_ui/modeltreeview.cpp @@ -13,6 +13,8 @@ #include "qmt/model_ui/treemodel.h" #include "qmt/tasks/ielementtasks.h" +#include "../../modelinglibtr.h" + #include #include #include @@ -228,17 +230,17 @@ void ModelTreeView::contextMenuEvent(QContextMenuEvent *event) QMenu menu; bool addSeparator = false; if (m_elementTasks->hasClassDefinition(melement)) { - menu.addAction(new ContextMenuAction(tr("Show Definition"), "showDefinition", &menu)); + menu.addAction(new ContextMenuAction(Tr::tr("Show Definition"), "showDefinition", &menu)); addSeparator = true; } if (m_elementTasks->hasDiagram(melement)) { - menu.addAction(new ContextMenuAction(tr("Open Diagram"), "openDiagram", &menu)); + menu.addAction(new ContextMenuAction(Tr::tr("Open Diagram"), "openDiagram", &menu)); addSeparator = true; } if (melement->owner()) { if (addSeparator) menu.addSeparator(); - menu.addAction(new ContextMenuAction(tr("Delete"), + menu.addAction(new ContextMenuAction(Tr::tr("Delete"), "delete", QKeySequence(Qt::CTRL | Qt::Key_D), &menu)); diff --git a/src/libs/modelinglib/qmt/model_widgets_ui/propertiesviewmview.cpp b/src/libs/modelinglib/qmt/model_widgets_ui/propertiesviewmview.cpp index 60ff14536d9..969313ca33f 100644 --- a/src/libs/modelinglib/qmt/model_widgets_ui/propertiesviewmview.cpp +++ b/src/libs/modelinglib/qmt/model_widgets_ui/propertiesviewmview.cpp @@ -47,6 +47,8 @@ #include "qmt/style/style.h" #include "qmt/style/objectvisuals.h" +#include "../../modelinglibtr.h" + #include #include #include @@ -326,7 +328,7 @@ void PropertiesView::MView::visitMElement(const MElement *element) m_stereotypeComboBox = new QComboBox(m_topWidget); m_stereotypeComboBox->setEditable(true); m_stereotypeComboBox->setInsertPolicy(QComboBox::NoInsert); - addRow(tr("Stereotypes:"), m_stereotypeComboBox, "stereotypes"); + addRow(Tr::tr("Stereotypes:"), m_stereotypeComboBox, "stereotypes"); m_stereotypeComboBox->addItems(m_propertiesView->stereotypeController()->knownStereotypes(m_stereotypeElement)); connect(m_stereotypeComboBox->lineEdit(), &QLineEdit::textEdited, this, &PropertiesView::MView::onStereotypesChanged); @@ -348,9 +350,9 @@ void PropertiesView::MView::visitMElement(const MElement *element) #ifdef SHOW_DEBUG_PROPERTIES if (!m_reverseEngineeredLabel) { m_reverseEngineeredLabel = new QLabel(m_topWidget); - addRow(tr("Reverse engineered:"), m_reverseEngineeredLabel, "reverse engineered"); + addRow(Tr::tr("Reverse engineered:"), m_reverseEngineeredLabel, "reverse engineered"); } - QString text = element->flags().testFlag(MElement::ReverseEngineered) ? tr("Yes") : tr("No"); + QString text = element->flags().testFlag(MElement::ReverseEngineered) ? Tr::tr("Yes") : Tr::tr("No"); m_reverseEngineeredLabel->setText(text); #endif } @@ -362,7 +364,7 @@ void PropertiesView::MView::visitMObject(const MObject *object) bool isSingleSelection = selection.size() == 1; if (!m_elementNameLineEdit) { m_elementNameLineEdit = new QLineEdit(m_topWidget); - addRow(tr("Name:"), m_elementNameLineEdit, "name"); + addRow(Tr::tr("Name:"), m_elementNameLineEdit, "name"); connect(m_elementNameLineEdit, &QLineEdit::textChanged, this, &PropertiesView::MView::onObjectNameChanged); } @@ -378,12 +380,12 @@ void PropertiesView::MView::visitMObject(const MObject *object) #ifdef SHOW_DEBUG_PROPERTIES if (!m_childrenLabel) { m_childrenLabel = new QLabel(m_topWidget); - addRow(tr("Children:"), m_childrenLabel, "children"); + addRow(Tr::tr("Children:"), m_childrenLabel, "children"); } m_childrenLabel->setText(QString::number(object->children().size())); if (!m_relationsLabel) { m_relationsLabel = new QLabel(m_topWidget); - addRow(tr("Relations:"), m_relationsLabel, "relations"); + addRow(Tr::tr("Relations:"), m_relationsLabel, "relations"); } m_relationsLabel->setText(QString::number(object->relations().size())); #endif @@ -392,21 +394,21 @@ void PropertiesView::MView::visitMObject(const MObject *object) void PropertiesView::MView::visitMPackage(const MPackage *package) { if (m_modelElements.size() == 1 && !package->owner()) - setTitle(m_modelElements, tr("Model"), tr("Models")); + setTitle(m_modelElements, Tr::tr("Model"), Tr::tr("Models")); else - setTitle(m_modelElements, tr("Package"), tr("Packages")); + setTitle(m_modelElements, Tr::tr("Package"), Tr::tr("Packages")); visitMObject(package); } void PropertiesView::MView::visitMClass(const MClass *klass) { - setTitle(m_modelElements, tr("Class"), tr("Classes")); + setTitle(m_modelElements, Tr::tr("Class"), Tr::tr("Classes")); visitMObject(klass); QList selection = filter(m_modelElements); bool isSingleSelection = selection.size() == 1; if (!m_namespaceLineEdit) { m_namespaceLineEdit = new QLineEdit(m_topWidget); - addRow(tr("Namespace:"), m_namespaceLineEdit, "namespace"); + addRow(Tr::tr("Namespace:"), m_namespaceLineEdit, "namespace"); connect(m_namespaceLineEdit, &QLineEdit::textEdited, this, &PropertiesView::MView::onNamespaceChanged); } @@ -423,7 +425,7 @@ void PropertiesView::MView::visitMClass(const MClass *klass) } if (!m_templateParametersLineEdit) { m_templateParametersLineEdit = new QLineEdit(m_topWidget); - addRow(tr("Template:"), m_templateParametersLineEdit, "template"); + addRow(Tr::tr("Template:"), m_templateParametersLineEdit, "template"); connect(m_templateParametersLineEdit, &QLineEdit::textChanged, this, &PropertiesView::MView::onTemplateParametersChanged); } @@ -441,7 +443,7 @@ void PropertiesView::MView::visitMClass(const MClass *klass) if (!m_classMembersStatusLabel) { QMT_CHECK(!m_classMembersParseButton); m_classMembersStatusLabel = new QLabel(m_topWidget); - m_classMembersParseButton = new QPushButton(tr("Clean Up"), m_topWidget); + m_classMembersParseButton = new QPushButton(Tr::tr("Clean Up"), m_topWidget); auto layout = new QHBoxLayout(); layout->addWidget(m_classMembersStatusLabel); layout->addWidget(m_classMembersParseButton); @@ -456,7 +458,7 @@ void PropertiesView::MView::visitMClass(const MClass *klass) if (!m_classMembersEdit) { m_classMembersEdit = new ClassMembersEdit(m_topWidget); m_classMembersEdit->setLineWrapMode(QPlainTextEdit::NoWrap); - addRow(tr("Members:"), m_classMembersEdit, "members"); + addRow(Tr::tr("Members:"), m_classMembersEdit, "members"); connect(m_classMembersEdit, &ClassMembersEdit::membersChanged, this, &PropertiesView::MView::onClassMembersChanged); connect(m_classMembersEdit, &ClassMembersEdit::statusChanged, @@ -474,18 +476,18 @@ void PropertiesView::MView::visitMClass(const MClass *klass) void PropertiesView::MView::visitMComponent(const MComponent *component) { - setTitle(m_modelElements, tr("Component"), tr("Components")); + setTitle(m_modelElements, Tr::tr("Component"), Tr::tr("Components")); visitMObject(component); } void PropertiesView::MView::visitMDiagram(const MDiagram *diagram) { - setTitle(m_modelElements, tr("Diagram"), tr("Diagrams")); + setTitle(m_modelElements, Tr::tr("Diagram"), Tr::tr("Diagrams")); visitMObject(diagram); #ifdef SHOW_DEBUG_PROPERTIES if (!m_diagramsLabel) { m_diagramsLabel = new QLabel(m_topWidget); - addRow(tr("Elements:"), m_diagramsLabel, "elements"); + addRow(Tr::tr("Elements:"), m_diagramsLabel, "elements"); } m_diagramsLabel->setText(QString::number(diagram->diagramElements().size())); #endif @@ -493,20 +495,20 @@ void PropertiesView::MView::visitMDiagram(const MDiagram *diagram) void PropertiesView::MView::visitMCanvasDiagram(const MCanvasDiagram *diagram) { - setTitle(m_modelElements, tr("Canvas Diagram"), tr("Canvas Diagrams")); + setTitle(m_modelElements, Tr::tr("Canvas Diagram"), Tr::tr("Canvas Diagrams")); visitMDiagram(diagram); } void PropertiesView::MView::visitMItem(const MItem *item) { - setTitle(item, m_modelElements, tr("Item"), tr("Items")); + setTitle(item, m_modelElements, Tr::tr("Item"), Tr::tr("Items")); visitMObject(item); QList selection = filter(m_modelElements); bool isSingleSelection = selection.size() == 1; if (item->isVarietyEditable()) { if (!m_itemVarietyEdit) { m_itemVarietyEdit = new QLineEdit(m_topWidget); - addRow(tr("Variety:"), m_itemVarietyEdit, "variety"); + addRow(Tr::tr("Variety:"), m_itemVarietyEdit, "variety"); connect(m_itemVarietyEdit, &QLineEdit::textChanged, this, &PropertiesView::MView::onItemVarietyChanged); } @@ -528,7 +530,7 @@ void PropertiesView::MView::visitMRelation(const MRelation *relation) bool isSingleSelection = selection.size() == 1; if (!m_elementNameLineEdit) { m_elementNameLineEdit = new QLineEdit(m_topWidget); - addRow(tr("Name:"), m_elementNameLineEdit, "name"); + addRow(Tr::tr("Name:"), m_elementNameLineEdit, "name"); connect(m_elementNameLineEdit, &QLineEdit::textChanged, this, &PropertiesView::MView::onRelationNameChanged); } @@ -542,22 +544,22 @@ void PropertiesView::MView::visitMRelation(const MRelation *relation) m_elementNameLineEdit->setEnabled(isSingleSelection); MObject *endAObject = m_propertiesView->modelController()->findObject(relation->endAUid()); QMT_ASSERT(endAObject, return); - setEndAName(tr("End A: %1").arg(endAObject->name())); + setEndAName(Tr::tr("End A: %1").arg(endAObject->name())); MObject *endBObject = m_propertiesView->modelController()->findObject(relation->endBUid()); QMT_ASSERT(endBObject, return); - setEndBName(tr("End B: %1").arg(endBObject->name())); + setEndBName(Tr::tr("End B: %1").arg(endBObject->name())); } void PropertiesView::MView::visitMDependency(const MDependency *dependency) { - setTitle(m_modelElements, tr("Dependency"), tr("Dependencies")); + setTitle(m_modelElements, Tr::tr("Dependency"), Tr::tr("Dependencies")); visitMRelation(dependency); QList selection = filter(m_modelElements); bool isSingleSelection = selection.size() == 1; if (!m_directionSelector) { m_directionSelector = new QComboBox(m_topWidget); m_directionSelector->addItems(QStringList({ "->", "<-", "<->" })); - addRow(tr("Direction:"), m_directionSelector, "direction"); + addRow(Tr::tr("Direction:"), m_directionSelector, "direction"); connect(m_directionSelector, &QComboBox::activated, this, &PropertiesView::MView::onDependencyDirectionChanged); } @@ -576,19 +578,19 @@ void PropertiesView::MView::visitMDependency(const MDependency *dependency) void PropertiesView::MView::visitMInheritance(const MInheritance *inheritance) { - setTitle(m_modelElements, tr("Inheritance"), tr("Inheritances")); + setTitle(m_modelElements, Tr::tr("Inheritance"), Tr::tr("Inheritances")); MObject *derivedClass = m_propertiesView->modelController()->findObject(inheritance->derived()); QMT_ASSERT(derivedClass, return); - setEndAName(tr("Derived class: %1").arg(derivedClass->name())); + setEndAName(Tr::tr("Derived class: %1").arg(derivedClass->name())); MObject *baseClass = m_propertiesView->modelController()->findObject(inheritance->base()); QMT_ASSERT(baseClass, return); - setEndBName(tr("Base class: %1").arg(baseClass->name())); + setEndBName(Tr::tr("Base class: %1").arg(baseClass->name())); visitMRelation(inheritance); } void PropertiesView::MView::visitMAssociation(const MAssociation *association) { - setTitle(m_modelElements, tr("Association"), tr("Associations")); + setTitle(m_modelElements, Tr::tr("Association"), Tr::tr("Associations")); visitMRelation(association); QList selection = filter(m_modelElements); bool isSingleSelection = selection.size() == 1; @@ -598,7 +600,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) } if (!m_endAEndName) { m_endAEndName = new QLineEdit(m_topWidget); - addRow(tr("Role:"), m_endAEndName, "role a"); + addRow(Tr::tr("Role:"), m_endAEndName, "role a"); connect(m_endAEndName, &QLineEdit::textChanged, this, &PropertiesView::MView::onAssociationEndANameChanged); } @@ -612,7 +614,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) m_endAEndName->setEnabled(isSingleSelection); if (!m_endACardinality) { m_endACardinality = new QLineEdit(m_topWidget); - addRow(tr("Cardinality:"), m_endACardinality, "cardinality a"); + addRow(Tr::tr("Cardinality:"), m_endACardinality, "cardinality a"); connect(m_endACardinality, &QLineEdit::textChanged, this, &PropertiesView::MView::onAssociationEndACardinalityChanged); } @@ -625,7 +627,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) if (m_endACardinality->isEnabled() != isSingleSelection) m_endACardinality->setEnabled(isSingleSelection); if (!m_endANavigable) { - m_endANavigable = new QCheckBox(tr("Navigable"), m_topWidget); + m_endANavigable = new QCheckBox(Tr::tr("Navigable"), m_topWidget); addRow(QString(), m_endANavigable, "navigable a"); connect(m_endANavigable, &QAbstractButton::clicked, this, &PropertiesView::MView::onAssociationEndANavigableChanged); @@ -640,8 +642,8 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) m_endANavigable->setEnabled(isSingleSelection); if (!m_endAKind) { m_endAKind = new QComboBox(m_topWidget); - m_endAKind->addItems({ tr("Association"), tr("Aggregation"), tr("Composition") }); - addRow(tr("Relationship:"), m_endAKind, "relationship a"); + m_endAKind->addItems({ Tr::tr("Association"), Tr::tr("Aggregation"), Tr::tr("Composition") }); + addRow(Tr::tr("Relationship:"), m_endAKind, "relationship a"); connect(m_endAKind, &QComboBox::activated, this, &PropertiesView::MView::onAssociationEndAKindChanged); } @@ -663,7 +665,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) } if (!m_endBEndName) { m_endBEndName = new QLineEdit(m_topWidget); - addRow(tr("Role:"), m_endBEndName, "role b"); + addRow(Tr::tr("Role:"), m_endBEndName, "role b"); connect(m_endBEndName, &QLineEdit::textChanged, this, &PropertiesView::MView::onAssociationEndBNameChanged); } @@ -677,7 +679,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) m_endBEndName->setEnabled(isSingleSelection); if (!m_endBCardinality) { m_endBCardinality = new QLineEdit(m_topWidget); - addRow(tr("Cardinality:"), m_endBCardinality, "cardinality b"); + addRow(Tr::tr("Cardinality:"), m_endBCardinality, "cardinality b"); connect(m_endBCardinality, &QLineEdit::textChanged, this, &PropertiesView::MView::onAssociationEndBCardinalityChanged); } @@ -690,7 +692,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) if (m_endBCardinality->isEnabled() != isSingleSelection) m_endBCardinality->setEnabled(isSingleSelection); if (!m_endBNavigable) { - m_endBNavigable = new QCheckBox(tr("Navigable"), m_topWidget); + m_endBNavigable = new QCheckBox(Tr::tr("Navigable"), m_topWidget); addRow(QString(), m_endBNavigable, "navigable b"); connect(m_endBNavigable, &QAbstractButton::clicked, this, &PropertiesView::MView::onAssociationEndBNavigableChanged); @@ -705,8 +707,8 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) m_endBNavigable->setEnabled(isSingleSelection); if (!m_endBKind) { m_endBKind = new QComboBox(m_topWidget); - m_endBKind->addItems({ tr("Association"), tr("Aggregation"), tr("Composition") }); - addRow(tr("Relationship:"), m_endBKind, "relationship b"); + m_endBKind->addItems({ Tr::tr("Association"), Tr::tr("Aggregation"), Tr::tr("Composition") }); + addRow(Tr::tr("Relationship:"), m_endBKind, "relationship b"); connect(m_endBKind, &QComboBox::activated, this, &PropertiesView::MView::onAssociationEndBKindChanged); } @@ -725,7 +727,7 @@ void PropertiesView::MView::visitMAssociation(const MAssociation *association) void PropertiesView::MView::visitMConnection(const MConnection *connection) { - setTitle(connection, m_modelElements, tr("Connection"), tr("Connections")); + setTitle(connection, m_modelElements, Tr::tr("Connection"), Tr::tr("Connections")); visitMRelation(connection); QList selection = filter(m_modelElements); const bool isSingleSelection = selection.size() == 1; @@ -735,7 +737,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) } if (!m_endAEndName) { m_endAEndName = new QLineEdit(m_topWidget); - addRow(tr("Role:"), m_endAEndName, "role a"); + addRow(Tr::tr("Role:"), m_endAEndName, "role a"); connect(m_endAEndName, &QLineEdit::textChanged, this, &PropertiesView::MView::onConnectionEndANameChanged); } @@ -749,7 +751,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) m_endAEndName->setEnabled(isSingleSelection); if (!m_endACardinality) { m_endACardinality = new QLineEdit(m_topWidget); - addRow(tr("Cardinality:"), m_endACardinality, "cardinality a"); + addRow(Tr::tr("Cardinality:"), m_endACardinality, "cardinality a"); connect(m_endACardinality, &QLineEdit::textChanged, this, &PropertiesView::MView::onConnectionEndACardinalityChanged); } @@ -762,7 +764,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) if (m_endACardinality->isEnabled() != isSingleSelection) m_endACardinality->setEnabled(isSingleSelection); if (!m_endANavigable) { - m_endANavigable = new QCheckBox(tr("Navigable"), m_topWidget); + m_endANavigable = new QCheckBox(Tr::tr("Navigable"), m_topWidget); addRow(QString(), m_endANavigable, "navigable a"); connect(m_endANavigable, &QAbstractButton::clicked, this, &PropertiesView::MView::onConnectionEndANavigableChanged); @@ -782,7 +784,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) } if (!m_endBEndName) { m_endBEndName = new QLineEdit(m_topWidget); - addRow(tr("Role:"), m_endBEndName, "role b"); + addRow(Tr::tr("Role:"), m_endBEndName, "role b"); connect(m_endBEndName, &QLineEdit::textChanged, this, &PropertiesView::MView::onConnectionEndBNameChanged); } @@ -796,7 +798,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) m_endBEndName->setEnabled(isSingleSelection); if (!m_endBCardinality) { m_endBCardinality = new QLineEdit(m_topWidget); - addRow(tr("Cardinality:"), m_endBCardinality, "cardinality b"); + addRow(Tr::tr("Cardinality:"), m_endBCardinality, "cardinality b"); connect(m_endBCardinality, &QLineEdit::textChanged, this, &PropertiesView::MView::onConnectionEndBCardinalityChanged); } @@ -809,7 +811,7 @@ void PropertiesView::MView::visitMConnection(const MConnection *connection) if (m_endBCardinality->isEnabled() != isSingleSelection) m_endBCardinality->setEnabled(isSingleSelection); if (!m_endBNavigable) { - m_endBNavigable = new QCheckBox(tr("Navigable"), m_topWidget); + m_endBNavigable = new QCheckBox(Tr::tr("Navigable"), m_topWidget); addRow(QString(), m_endBNavigable, "navigable b"); connect(m_endBNavigable, &QAbstractButton::clicked, this, &PropertiesView::MView::onConnectionEndBNavigableChanged); @@ -851,7 +853,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) #ifdef SHOW_DEBUG_PROPERTIES if (!m_posRectLabel) { m_posRectLabel = new QLabel(m_topWidget); - addRow(tr("Position and size:"), m_posRectLabel, "position and size"); + addRow(Tr::tr("Position and size:"), m_posRectLabel, "position and size"); } m_posRectLabel->setText(QString("(%1,%2):(%3,%4)-(%5,%6)") .arg(object->pos().x()) @@ -862,7 +864,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) .arg(object->rect().bottom())); #endif if (!m_autoSizedCheckbox) { - m_autoSizedCheckbox = new QCheckBox(tr("Auto sized"), m_topWidget); + m_autoSizedCheckbox = new QCheckBox(Tr::tr("Auto sized"), m_topWidget); addRow(QString(), m_autoSizedCheckbox, "auto size"); connect(m_autoSizedCheckbox, &QAbstractButton::clicked, this, &PropertiesView::MView::onAutoSizedChanged); @@ -881,7 +883,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) setPrimaryRolePalette(m_styleElementType, DObject::PrimaryRoleCustom3, QColor()); setPrimaryRolePalette(m_styleElementType, DObject::PrimaryRoleCustom4, QColor()); setPrimaryRolePalette(m_styleElementType, DObject::PrimaryRoleCustom5, QColor()); - addRow(tr("Color:"), m_visualPrimaryRoleSelector, "color"); + addRow(Tr::tr("Color:"), m_visualPrimaryRoleSelector, "color"); connect(m_visualPrimaryRoleSelector, &PaletteBox::activated, this, &PropertiesView::MView::onVisualPrimaryRoleChanged); } @@ -905,9 +907,9 @@ void PropertiesView::MView::visitDObject(const DObject *object) } if (!m_visualSecondaryRoleSelector) { m_visualSecondaryRoleSelector = new QComboBox(m_topWidget); - m_visualSecondaryRoleSelector->addItems({ tr("Normal"), tr("Lighter"), tr("Darker"), - tr("Soften"), tr("Outline"), tr("Flat") }); - addRow(tr("Role:"), m_visualSecondaryRoleSelector, "role"); + m_visualSecondaryRoleSelector->addItems({ Tr::tr("Normal"), Tr::tr("Lighter"), Tr::tr("Darker"), + Tr::tr("Soften"), Tr::tr("Outline"), Tr::tr("Flat") }); + addRow(Tr::tr("Role:"), m_visualSecondaryRoleSelector, "role"); connect(m_visualSecondaryRoleSelector, &QComboBox::activated, this, &PropertiesView::MView::onVisualSecondaryRoleChanged); } @@ -919,7 +921,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) m_visualSecondaryRoleSelector->setCurrentIndex(-1); } if (!m_visualEmphasizedCheckbox) { - m_visualEmphasizedCheckbox = new QCheckBox(tr("Emphasized"), m_topWidget); + m_visualEmphasizedCheckbox = new QCheckBox(Tr::tr("Emphasized"), m_topWidget); addRow(QString(), m_visualEmphasizedCheckbox, "emphasized"); connect(m_visualEmphasizedCheckbox, &QAbstractButton::clicked, this, &PropertiesView::MView::onVisualEmphasizedChanged); @@ -933,9 +935,9 @@ void PropertiesView::MView::visitDObject(const DObject *object) } if (!m_stereotypeDisplaySelector) { m_stereotypeDisplaySelector = new QComboBox(m_topWidget); - m_stereotypeDisplaySelector->addItems({ tr("Smart"), tr("None"), tr("Label"), - tr("Decoration"), tr("Icon") }); - addRow(tr("Stereotype display:"), m_stereotypeDisplaySelector, "stereotype display"); + m_stereotypeDisplaySelector->addItems({ Tr::tr("Smart"), Tr::tr("None"), Tr::tr("Label"), + Tr::tr("Decoration"), Tr::tr("Icon") }); + addRow(Tr::tr("Stereotype display:"), m_stereotypeDisplaySelector, "stereotype display"); connect(m_stereotypeDisplaySelector, &QComboBox::activated, this, &PropertiesView::MView::onStereotypeDisplayChanged); } @@ -949,7 +951,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) #ifdef SHOW_DEBUG_PROPERTIES if (!m_depthLabel) { m_depthLabel = new QLabel(m_topWidget); - addRow(tr("Depth:"), m_depthLabel, "depth"); + addRow(Tr::tr("Depth:"), m_depthLabel, "depth"); } m_depthLabel->setText(QString::number(object->depth())); #endif @@ -957,7 +959,7 @@ void PropertiesView::MView::visitDObject(const DObject *object) void PropertiesView::MView::visitDPackage(const DPackage *package) { - setTitle(m_diagramElements, tr("Package"), tr("Packages")); + setTitle(m_diagramElements, Tr::tr("Package"), Tr::tr("Packages")); setStereotypeIconElement(StereotypeIcon::ElementPackage); setStyleElementType(StyleEngine::TypePackage); visitDObject(package); @@ -965,14 +967,14 @@ void PropertiesView::MView::visitDPackage(const DPackage *package) void PropertiesView::MView::visitDClass(const DClass *klass) { - setTitle(m_diagramElements, tr("Class"), tr("Classes")); + setTitle(m_diagramElements, Tr::tr("Class"), Tr::tr("Classes")); setStereotypeIconElement(StereotypeIcon::ElementClass); setStyleElementType(StyleEngine::TypeClass); visitDObject(klass); if (!m_templateDisplaySelector) { m_templateDisplaySelector = new QComboBox(m_topWidget); - m_templateDisplaySelector->addItems({ tr("Smart"), tr("Box"), tr("Angle Brackets") }); - addRow(tr("Template display:"), m_templateDisplaySelector, "template display"); + m_templateDisplaySelector->addItems({ Tr::tr("Smart"), Tr::tr("Box"), Tr::tr("Angle Brackets") }); + addRow(Tr::tr("Template display:"), m_templateDisplaySelector, "template display"); connect(m_templateDisplaySelector, &QComboBox::activated, this, &PropertiesView::MView::onTemplateDisplayChanged); } @@ -984,7 +986,7 @@ void PropertiesView::MView::visitDClass(const DClass *klass) m_templateDisplaySelector->setCurrentIndex(-1); } if (!m_showAllMembersCheckbox) { - m_showAllMembersCheckbox = new QCheckBox(tr("Show members"), m_topWidget); + m_showAllMembersCheckbox = new QCheckBox(Tr::tr("Show members"), m_topWidget); addRow(QString(), m_showAllMembersCheckbox, "show members"); connect(m_showAllMembersCheckbox, &QAbstractButton::clicked, this, &PropertiesView::MView::onShowAllMembersChanged); @@ -1000,12 +1002,12 @@ void PropertiesView::MView::visitDClass(const DClass *klass) void PropertiesView::MView::visitDComponent(const DComponent *component) { - setTitle(m_diagramElements, tr("Component"), tr("Components")); + setTitle(m_diagramElements, Tr::tr("Component"), Tr::tr("Components")); setStereotypeIconElement(StereotypeIcon::ElementComponent); setStyleElementType(StyleEngine::TypeComponent); visitDObject(component); if (!m_plainShapeCheckbox) { - m_plainShapeCheckbox = new QCheckBox(tr("Plain shape"), m_topWidget); + m_plainShapeCheckbox = new QCheckBox(Tr::tr("Plain shape"), m_topWidget); addRow(QString(), m_plainShapeCheckbox, "plain shape"); connect(m_plainShapeCheckbox, &QAbstractButton::clicked, this, &PropertiesView::MView::onPlainShapeChanged); @@ -1021,14 +1023,14 @@ void PropertiesView::MView::visitDComponent(const DComponent *component) void PropertiesView::MView::visitDDiagram(const DDiagram *diagram) { - setTitle(m_diagramElements, tr("Diagram"), tr("Diagrams")); + setTitle(m_diagramElements, Tr::tr("Diagram"), Tr::tr("Diagrams")); setStyleElementType(StyleEngine::TypeOther); visitDObject(diagram); } void PropertiesView::MView::visitDItem(const DItem *item) { - setTitle(m_diagramElements, tr("Item"), tr("Items")); + setTitle(m_diagramElements, Tr::tr("Item"), Tr::tr("Items")); setStereotypeIconElement(StereotypeIcon::ElementItem); setStyleElementType(StyleEngine::TypeItem); visitDObject(item); @@ -1037,7 +1039,7 @@ void PropertiesView::MView::visitDItem(const DItem *item) if (item->isShapeEditable()) { if (!m_itemShapeEdit) { m_itemShapeEdit = new QLineEdit(m_topWidget); - addRow(tr("Shape:"), m_itemShapeEdit, "shape"); + addRow(Tr::tr("Shape:"), m_itemShapeEdit, "shape"); connect(m_itemShapeEdit, &QLineEdit::textChanged, this, &PropertiesView::MView::onItemShapeChanged); } @@ -1058,7 +1060,7 @@ void PropertiesView::MView::visitDRelation(const DRelation *relation) #ifdef SHOW_DEBUG_PROPERTIES if (!m_pointsLabel) { m_pointsLabel = new QLabel(m_topWidget); - addRow(tr("Intermediate points:"), m_pointsLabel, "intermediate points"); + addRow(Tr::tr("Intermediate points:"), m_pointsLabel, "intermediate points"); } QString points; for (const auto &point : relation->intermediatePoints()) { @@ -1067,41 +1069,41 @@ void PropertiesView::MView::visitDRelation(const DRelation *relation) points.append(QString("(%1,%2)").arg(point.pos().x()).arg(point.pos().y())); } if (points.isEmpty()) - points = tr("none"); + points = Tr::tr("none"); m_pointsLabel->setText(points); #endif } void PropertiesView::MView::visitDInheritance(const DInheritance *inheritance) { - setTitle(m_diagramElements, tr("Inheritance"), tr("Inheritances")); + setTitle(m_diagramElements, Tr::tr("Inheritance"), Tr::tr("Inheritances")); visitDRelation(inheritance); } void PropertiesView::MView::visitDDependency(const DDependency *dependency) { - setTitle(m_diagramElements, tr("Dependency"), tr("Dependencies")); + setTitle(m_diagramElements, Tr::tr("Dependency"), Tr::tr("Dependencies")); visitDRelation(dependency); } void PropertiesView::MView::visitDAssociation(const DAssociation *association) { - setTitle(m_diagramElements, tr("Association"), tr("Associations")); + setTitle(m_diagramElements, Tr::tr("Association"), Tr::tr("Associations")); visitDRelation(association); } void PropertiesView::MView::visitDConnection(const DConnection *connection) { - setTitle(m_diagramElements, tr("Connection"), tr("Connections")); + setTitle(m_diagramElements, Tr::tr("Connection"), Tr::tr("Connections")); visitDRelation(connection); } void PropertiesView::MView::visitDAnnotation(const DAnnotation *annotation) { - setTitle(m_diagramElements, tr("Annotation"), tr("Annotations")); + setTitle(m_diagramElements, Tr::tr("Annotation"), Tr::tr("Annotations")); visitDElement(annotation); if (!m_annotationAutoWidthCheckbox) { - m_annotationAutoWidthCheckbox = new QCheckBox(tr("Auto width"), m_topWidget); + m_annotationAutoWidthCheckbox = new QCheckBox(Tr::tr("Auto width"), m_topWidget); addRow(QString(), m_annotationAutoWidthCheckbox, "auto width"); connect(m_annotationAutoWidthCheckbox, &QAbstractButton::clicked, this, &PropertiesView::MView::onAutoWidthChanged); @@ -1115,10 +1117,10 @@ void PropertiesView::MView::visitDAnnotation(const DAnnotation *annotation) } if (!m_annotationVisualRoleSelector) { m_annotationVisualRoleSelector = new QComboBox(m_topWidget); - m_annotationVisualRoleSelector->addItems(QStringList({ tr("Normal"), tr("Title"), - tr("Subtitle"), tr("Emphasized"), - tr("Soften"), tr("Footnote") })); - addRow(tr("Role:"), m_annotationVisualRoleSelector, "visual role"); + m_annotationVisualRoleSelector->addItems(QStringList({ Tr::tr("Normal"), Tr::tr("Title"), + Tr::tr("Subtitle"), Tr::tr("Emphasized"), + Tr::tr("Soften"), Tr::tr("Footnote") })); + addRow(Tr::tr("Role:"), m_annotationVisualRoleSelector, "visual role"); connect(m_annotationVisualRoleSelector, &QComboBox::activated, this, &PropertiesView::MView::onAnnotationVisualRoleChanged); } @@ -1133,13 +1135,13 @@ void PropertiesView::MView::visitDAnnotation(const DAnnotation *annotation) void PropertiesView::MView::visitDBoundary(const DBoundary *boundary) { - setTitle(m_diagramElements, tr("Boundary"), tr("Boundaries")); + setTitle(m_diagramElements, Tr::tr("Boundary"), Tr::tr("Boundaries")); visitDElement(boundary); } void PropertiesView::MView::visitDSwimlane(const DSwimlane *swimlane) { - setTitle(m_diagramElements, tr("Swimlane"), tr("Swimlanes")); + setTitle(m_diagramElements, Tr::tr("Swimlane"), Tr::tr("Swimlanes")); visitDElement(swimlane); } @@ -1173,7 +1175,7 @@ void PropertiesView::MView::onClassMembersStatusChanged(bool valid) if (valid) m_classMembersStatusLabel->clear(); else - m_classMembersStatusLabel->setText("" + tr("Invalid syntax.") + ""); + m_classMembersStatusLabel->setText("" + Tr::tr("Invalid syntax.") + ""); } void PropertiesView::MView::onParseClassMembers() @@ -1476,7 +1478,7 @@ void PropertiesView::MView::setTitle(const QList &elements, else m_propertiesTitle = pluralTitle; } else { - m_propertiesTitle = QCoreApplication::translate("qmt::PropertiesView::MView", "Multi-Selection"); + m_propertiesTitle = Tr::tr("Multi-Selection"); } } @@ -1503,7 +1505,7 @@ void PropertiesView::MView::setTitle(const MItem *item, const QList &elemen m_propertiesTitle = pluralTitle; } } else { - m_propertiesTitle = QCoreApplication::translate("qmt::PropertiesView::MView", "Multi-Selection"); + m_propertiesTitle = Tr::tr("Multi-Selection"); } } @@ -1531,7 +1533,7 @@ void PropertiesView::MView::setTitle(const MConnection *connection, const QList< m_propertiesTitle = pluralTitle; } } else { - m_propertiesTitle = QCoreApplication::translate("qmt::PropertiesView::MView", "Multi-Selection"); + m_propertiesTitle = Tr::tr("Multi-Selection"); } } diff --git a/src/libs/modelinglib/qmt/project_controller/projectcontroller.cpp b/src/libs/modelinglib/qmt/project_controller/projectcontroller.cpp index 32240834489..f7a7e6d2c9e 100644 --- a/src/libs/modelinglib/qmt/project_controller/projectcontroller.cpp +++ b/src/libs/modelinglib/qmt/project_controller/projectcontroller.cpp @@ -8,15 +8,17 @@ #include "qmt/model/mpackage.h" +#include "../../modelinglibtr.h" + namespace qmt { NoFileNameException::NoFileNameException() - : Exception(ProjectController::tr("Missing file name.")) + : Exception(Tr::tr("Missing file name.")) { } ProjectIsModifiedException::ProjectIsModifiedException() - : Exception(ProjectController::tr("Project is modified.")) + : Exception(Tr::tr("Project is modified.")) { } @@ -33,7 +35,7 @@ void ProjectController::newProject(const QString &fileName) { m_project.reset(new Project()); auto rootPackage = new MPackage(); - rootPackage->setName(tr("Model")); + rootPackage->setName(Tr::tr("Model")); m_project->setRootPackage(rootPackage); m_project->setFileName(fileName); m_isModified = false; diff --git a/src/libs/modelinglib/qmt/tasks/diagramscenecontroller.cpp b/src/libs/modelinglib/qmt/tasks/diagramscenecontroller.cpp index a50a936a3be..00aacf9c824 100644 --- a/src/libs/modelinglib/qmt/tasks/diagramscenecontroller.cpp +++ b/src/libs/modelinglib/qmt/tasks/diagramscenecontroller.cpp @@ -39,6 +39,8 @@ #include "qmt/tasks/isceneinspector.h" #include "qmt/tasks/voidelementtasks.h" +#include "../../modelinglibtr.h" + #include #include #include @@ -186,7 +188,7 @@ void DiagramSceneController::deleteFromDiagram(const DSelection &dselection, MDi void DiagramSceneController::createDependency(DObject *endAObject, DObject *endBObject, const QList &intermediatePoints, MDiagram *diagram) { - m_diagramController->undoController()->beginMergeSequence(tr("Create Dependency")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Create Dependency")); MObject *endAModelObject = m_modelController->findObject(endAObject->modelUid()); QMT_ASSERT(endAModelObject, return); @@ -213,7 +215,7 @@ void DiagramSceneController::createDependency(DObject *endAObject, DObject *endB void DiagramSceneController::createInheritance(DClass *derivedClass, DClass *baseClass, const QList &intermediatePoints, MDiagram *diagram) { - m_diagramController->undoController()->beginMergeSequence(tr("Create Inheritance")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Create Inheritance")); MClass *derivedModelClass = m_modelController->findObject(derivedClass->modelUid()); QMT_ASSERT(derivedModelClass, return); @@ -240,7 +242,7 @@ void DiagramSceneController::createAssociation(DClass *endAClass, DClass *endBCl const QList &intermediatePoints, MDiagram *diagram, std::function custom) { - m_diagramController->undoController()->beginMergeSequence(tr("Create Association")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Create Association")); MClass *endAModelObject = m_modelController->findObject(endAClass->modelUid()); QMT_ASSERT(endAModelObject, return); @@ -277,7 +279,7 @@ void DiagramSceneController::createConnection(const QString &customRelationId, const QList &intermediatePoints, MDiagram *diagram, std::function custom) { - m_diagramController->undoController()->beginMergeSequence(tr("Create Connection")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Create Connection")); MObject *endAModelObject = m_modelController->findObject(endAObject->modelUid()); QMT_CHECK(endAModelObject); @@ -411,7 +413,7 @@ void DiagramSceneController::dropNewElement(const QString &newElementId, const Q void DiagramSceneController::dropNewModelElement(MObject *modelObject, MPackage *parentPackage, const QPointF &pos, MDiagram *diagram) { - m_modelController->undoController()->beginMergeSequence(tr("Drop Element")); + m_modelController->undoController()->beginMergeSequence(Tr::tr("Drop Element")); m_modelController->addObject(parentPackage, modelObject); DElement *element = addObject(modelObject, pos, diagram); m_modelController->undoController()->endMergeSequence(); @@ -421,7 +423,7 @@ void DiagramSceneController::dropNewModelElement(MObject *modelObject, MPackage void DiagramSceneController::addRelatedElements(const DSelection &selection, MDiagram *diagram) { - m_diagramController->undoController()->beginMergeSequence(tr("Add Related Element")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Add Related Element")); const QList indices = selection.indices(); for (const DSelection::Index &index : indices) { DElement *delement = m_diagramController->findElement(index.elementKey(), diagram); @@ -833,7 +835,7 @@ DObject *DiagramSceneController::addObject(MObject *modelObject, const QPointF & if (m_diagramController->hasDelegate(modelObject, diagram)) return nullptr; - m_diagramController->undoController()->beginMergeSequence(tr("Add Element")); + m_diagramController->undoController()->beginMergeSequence(Tr::tr("Add Element")); DFactory factory; modelObject->accept(&factory); @@ -957,7 +959,7 @@ bool DiagramSceneController::relocateRelationEnd(DRelation *relation, DObject *t if (visitor.isAccepted()) { MObject *currentTargetMObject = m_modelController->findObject((modelRelation->*endUid)()); QMT_ASSERT(currentTargetMObject, return false); - m_modelController->undoController()->beginMergeSequence(tr("Relocate Relation")); + m_modelController->undoController()->beginMergeSequence(Tr::tr("Relocate Relation")); // move relation into new target if it was a child of the old target if (currentTargetMObject == modelRelation->owner()) m_modelController->moveRelation(targetMObject, modelRelation); From ba34f00e1e67721cda2af8a2a2a436940b1e1e4a Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Thu, 9 Feb 2023 17:06:04 +0100 Subject: [PATCH 11/36] ModelEditor: Tr::tr() Following orphaned contexts are merged into ::ModelEditor ModelEditor::Internal::ActionHandler ModelEditor::Internal::ElementTasks ModelEditor::Internal::ExtPropertiesMView ModelEditor::Internal::FileWizardFactory ModelEditor::Internal::ModelDocument ModelEditor::Internal::ModelEditor ModelEditor::Internal::ModelsManager ModelEditor::Internal::PxNodeController Modeling Change-Id: Ib602b91af7a4b8d8f886e587e6988338b1e841e8 Reviewed-by: hjk Reviewed-by: --- share/qtcreator/translations/qtcreator_da.ts | 23 +---------- share/qtcreator/translations/qtcreator_de.ts | 20 ++-------- share/qtcreator/translations/qtcreator_hr.ts | 26 +------------ share/qtcreator/translations/qtcreator_ja.ts | 36 +----------------- share/qtcreator/translations/qtcreator_pl.ts | 37 ++---------------- share/qtcreator/translations/qtcreator_ru.ts | 23 +---------- share/qtcreator/translations/qtcreator_uk.ts | 22 +---------- .../qtcreator/translations/qtcreator_zh_CN.ts | 23 +---------- src/plugins/modeleditor/actionhandler.cpp | 33 ++++++++-------- src/plugins/modeleditor/elementtasks.cpp | 7 ++-- .../modeleditor/extpropertiesmview.cpp | 8 ++-- src/plugins/modeleditor/modeldocument.cpp | 9 +++-- src/plugins/modeleditor/modeleditor.cpp | 38 +++++++++---------- src/plugins/modeleditor/modelsmanager.cpp | 5 ++- src/plugins/modeleditor/pxnodecontroller.cpp | 19 +++++----- 15 files changed, 77 insertions(+), 252 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_da.ts b/share/qtcreator/translations/qtcreator_da.ts index 3c0da760506..4fffb2abfbf 100644 --- a/share/qtcreator/translations/qtcreator_da.ts +++ b/share/qtcreator/translations/qtcreator_da.ts @@ -19540,9 +19540,6 @@ Fejl: %5 Zoom: %1% Zoom: %1% - - - ModelEditor::Internal::ActionHandler &Remove &Fjern @@ -19603,16 +19600,10 @@ Fejl: %5 Return Vend tilbage - - - ModelEditor::Internal::ElementTasks Update Include Dependencies Opdater inkluder-afhængigheder - - - ModelEditor::Internal::ExtPropertiesMView Select Custom Configuration Folder Vælg brugerdefineret konfigurationsmappe @@ -19625,9 +19616,6 @@ Fejl: %5 <font color=red>Model file must be reloaded.</font> <font color=red>Modelfil skal genindlæses.</font> - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. Ingen model indlæst. Kan ikke gemme. @@ -19640,9 +19628,6 @@ Fejl: %5 Could not open "%1" for reading: %2. Kunne ikke åbne "%1" til læsning: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Åbn et diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Dobbeltklik på diagram i model-træ</div><div style="margin-top: 5px">&bull; Vælg "Åbn diagram" fra pakkens genvejsmenu i model-træ</div></td></tr></table></div></body></html> @@ -19739,16 +19724,10 @@ Fejl: %5 Swimlane Svømmebane - - - ModelEditor::Internal::ModelsManager Open Diagram Åbn diagram - - - ModelEditor::Internal::PxNodeController Add Component %1 Tilføj komponenten %1 @@ -19809,7 +19788,7 @@ Fejl: %5 - Modeling + ::ModelEditor Modeling Modelering diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index 79211dada5a..b84b0a9aa1e 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -34614,7 +34614,7 @@ provided they were unmodified before the refactoring. - ModelEditor::Internal::ActionHandler + ::ModelEditor &Remove &Entfernen @@ -34675,9 +34675,6 @@ provided they were unmodified before the refactoring. Return Return - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Diagramm öffnen</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Doppelklick auf ein Diagramm im Baum</div><div style="margin-top: 5px">&bull; Wählen Sie "Diagramm öffnen" aus dem Kontextmenü eines Pakets im Baum</div></td></tr></table></div></body></html> @@ -37492,7 +37489,7 @@ Siehe auch die Einstellungen für Google Test. - ModelEditor::Internal::ModelDocument + ::ModelEditor No model loaded. Cannot save. Kein Modell geladen, daher ist sichern nicht möglich. @@ -37501,23 +37498,14 @@ Siehe auch die Einstellungen für Google Test. Could not open "%1" for reading: %2. "%1" konnte nicht gelesen werden: %2. - - - Modeling Modeling Modellierung - - - ModelEditor::Internal::ModelsManager Open Diagram Diagramm öffnen - - - ModelEditor::Internal::PxNodeController Add Component %1 Komponente %1 hinzufügen @@ -37594,7 +37582,7 @@ Sie werden erhalten. - ModelEditor::Internal::ExtPropertiesMView + ::ModelEditor Select Custom Configuration Folder Konfigurationsverzeichnis auswählen @@ -39469,7 +39457,7 @@ Ablaufdatum: %3 - ModelEditor::Internal::ElementTasks + ::ModelEditor Update Include Dependencies Include-Abhängigkeiten aktualisieren diff --git a/share/qtcreator/translations/qtcreator_hr.ts b/share/qtcreator/translations/qtcreator_hr.ts index 7644a893f08..4278d56267f 100644 --- a/share/qtcreator/translations/qtcreator_hr.ts +++ b/share/qtcreator/translations/qtcreator_hr.ts @@ -25005,7 +25005,7 @@ Rok upotrebe: %3 - ModelEditor::Internal::ActionHandler + ::ModelEditor &Remove &Ukloni @@ -25066,16 +25066,10 @@ Rok upotrebe: %3 Return Return - - - ModelEditor::Internal::ElementTasks Update Include Dependencies Aktualiziraj dodavanje ovisnosti - - - ModelEditor::Internal::ExtPropertiesMView Select Custom Configuration Folder Odaberi mapu prilagođene konfiguracije @@ -25088,9 +25082,6 @@ Rok upotrebe: %3 <font color=red>Model file must be reloaded.</font> <font color=red>Datoteka modela se mora ponovo učitati.</font> - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. Nijedan model nije učitan. Spremanje nije moguće. @@ -25099,9 +25090,6 @@ Rok upotrebe: %3 Could not open "%1" for reading: %2. Nije bilo moguće otvoriti "%1" za čitanje: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Otvori dijagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Dvoklik na dijagram u stablastom modelu</div><div style="margin-top: 5px">&bull; Odabei "Otvori dijagram" iz kontekstnog izbornika u stablastom modelu</div></td></tr></table></div></body></html> @@ -25198,30 +25186,18 @@ Rok upotrebe: %3 Swimlane Dijagram toka - - - ::ModelEditor Zoom: %1% Zumiraj: %1% - - - Modeling Modeling Modeliranje - - - ModelEditor::Internal::ModelsManager Open Diagram Otvori dijagram - - - ModelEditor::Internal::PxNodeController Add Component %1 Dodaj komponentu %1 diff --git a/share/qtcreator/translations/qtcreator_ja.ts b/share/qtcreator/translations/qtcreator_ja.ts index 744ce194c7b..6f624b630a6 100644 --- a/share/qtcreator/translations/qtcreator_ja.ts +++ b/share/qtcreator/translations/qtcreator_ja.ts @@ -38772,7 +38772,7 @@ Would you like to overwrite it? - ModelEditor::Internal::ActionHandler + ::ModelEditor &Remove 図から削除(&R) @@ -38837,9 +38837,6 @@ Would you like to overwrite it? Return Return - - - ModelEditor::Internal::ExtPropertiesMView Select Custom Configuration Folder カスタム設定フォルダの選択 @@ -38852,9 +38849,6 @@ Would you like to overwrite it? <font color=red>Model file must be reloaded.</font> <font color="red">モデルファイルの再読込が必要です。</font> - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. モデルが読み込まれていないため、保存できません。 @@ -38867,29 +38861,10 @@ Would you like to overwrite it? Could not open "%1" for reading: %2. 読み込み用に "%1" を開けません: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">図を開く</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; モデルツリー内で図をダブルクリックする</div><div style="margin-top: 5px">&bull; モデルツリー内のパッケージのコンテキストメニューから"図を開く"を選択する</div></td></tr></table></div></body></html> - - Add Package - パッケージの追加 - - - Add Component - コンポーネントの追加 - - - Add Class - クラスの追加 - - - Add Canvas Diagram - キャンバス図の追加 - Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) 画像 (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) @@ -38950,23 +38925,14 @@ Would you like to overwrite it? Boundary 境界 - - - Modeling Modeling モデリング - - - ModelEditor::Internal::ModelsManager Open Diagram 図を開く - - - ModelEditor::Internal::PxNodeController Add Component %1 コンポーネント %1 の追加 diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index 6b8d1294816..c92c5b815c1 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -33620,7 +33620,7 @@ itself takes time. - ModelEditor::Internal::ActionHandler + ::ModelEditor &Remove &Usuń @@ -33689,9 +33689,6 @@ itself takes time. Return Powróć - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. Brak załadowanego projektu. Nie można zachować. @@ -33704,29 +33701,10 @@ itself takes time. Could not open "%1" for reading: %2. Nie można otworzyć "%1" do odczytu: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> - - Add Package - Dodaj pakiet - - - Add Component - Dodaj komponent - - - Add Class - Dodaj klasę - - - Add Canvas Diagram - Dodaj diagram płótna - Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) Pliki graficzne (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf) @@ -33771,23 +33749,14 @@ itself takes time. Boundary Granice - - - Modeling Modeling Modelowanie - - - ModelEditor::Internal::ModelsManager Open Diagram Otwórz diagram - - - ModelEditor::Internal::PxNodeController Add Component %1 Dodaj komponent %1 @@ -35433,7 +35402,7 @@ Czy nadpisać go? - ModelEditor::Internal::ExtPropertiesMView + ::ModelEditor Select Custom Configuration Folder Wybierz katalog z własną konfiguracją @@ -39640,7 +39609,7 @@ Błąd: %5 - ModelEditor::Internal::ElementTasks + ::ModelEditor Update Include Dependencies Uaktualnij zależności diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index 08bc9a383e9..9bd650d0b44 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -24941,9 +24941,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Zoom: %1% Масштаб: %1% - - - ModelEditor::Internal::ActionHandler &Remove &Убрать @@ -25005,16 +25002,10 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Return Ввод - - - ModelEditor::Internal::ElementTasks Update Include Dependencies Обновить зависимость от включаемых файлов - - - ModelEditor::Internal::ExtPropertiesMView Select Custom Configuration Folder Выбор особого каталога настроек @@ -25027,9 +25018,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o <font color=red>Model file must be reloaded.</font> <font color=red>Файл модели должен быть перезагружен.</font> - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. Модель не загружена. Сохранить невозможно. @@ -25038,9 +25026,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Could not open "%1" for reading: %2. Не удалось открыть файл «%1» для чтения: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Открытие диаграммы</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Двойной щелчок на диаграмме в дереве модели</div><div style="margin-top: 5px">&bull; «Открыть диаграмму» в контекстном меню пакета дерева модели</div></td></tr></table></div></body></html> @@ -25137,16 +25122,10 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Swimlane Swimlane - - - ModelEditor::Internal::ModelsManager Open Diagram Открыть диаграмму - - - ModelEditor::Internal::PxNodeController Add Component %1 Добавить компонент %1 @@ -25207,7 +25186,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - Modeling + ::ModelEditor Modeling Моделирование diff --git a/share/qtcreator/translations/qtcreator_uk.ts b/share/qtcreator/translations/qtcreator_uk.ts index 545cfe05018..832ba384b66 100644 --- a/share/qtcreator/translations/qtcreator_uk.ts +++ b/share/qtcreator/translations/qtcreator_uk.ts @@ -42108,7 +42108,7 @@ the program. - ModelEditor::Internal::ActionHandler + ::ModelEditor &Remove &Прибрати @@ -42145,9 +42145,6 @@ the program. Return - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. Модель на завантажено. Неможливо зберегти. @@ -42164,9 +42161,6 @@ the program. Could not open "%1" for reading: %2. Не вдалось відкрити файл '%1' для читання: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Відкрити діаграму</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Подвійне клацання на діаграмі в дереві моделі</div><div style="margin-top: 5px">&bull; Виберіть "Відкрити діаграму" з контекстного меню пакунка в дереві моделі</div></td></tr></table></div></body></html> @@ -42231,16 +42225,10 @@ the program. Boundary Границя - - - Modeling Modeling Моделювання - - - ModelEditor::Internal::FileWizardFactory Model Модель @@ -42265,16 +42253,10 @@ the program. Location: Розташування: - - - ModelEditor::Internal::ModelsManager Open Diagram Відкрити діаграму - - - ModelEditor::Internal::PxNodeController Add Component %1 Додати компонент %1 @@ -43890,7 +43872,7 @@ Would you like to overwrite it? - ModelEditor::Internal::ExtPropertiesMView + ::ModelEditor Select Custom Configuration Folder Оберіть теку для налаштувань користувача diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index 3b3aec36653..b39f8ca8d27 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -24851,9 +24851,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Zoom: %1% - - - ModelEditor::Internal::ActionHandler &Remove 删除(&R) @@ -24914,16 +24911,10 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Return - - - ModelEditor::Internal::ElementTasks Update Include Dependencies - - - ModelEditor::Internal::ExtPropertiesMView Select Custom Configuration Folder @@ -24936,9 +24927,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o <font color=red>Model file must be reloaded.</font> - - - ModelEditor::Internal::ModelDocument No model loaded. Cannot save. @@ -24947,9 +24935,6 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Could not open "%1" for reading: %2. - - - ModelEditor::Internal::ModelEditor <html><body style="color:#909090; font-size:14px"><div align='center'><div style="font-size:20px">Open a diagram</div><table><tr><td><hr/><div style="margin-top: 5px">&bull; Double-click on diagram in model tree</div><div style="margin-top: 5px">&bull; Select "Open Diagram" from package's context menu in model tree</div></td></tr></table></div></body></html> @@ -25046,16 +25031,10 @@ Useful if build directory is corrupted or when rebuilding with a newer version o Swimlane - - - ModelEditor::Internal::ModelsManager Open Diagram - - - ModelEditor::Internal::PxNodeController Add Component %1 @@ -25144,7 +25123,7 @@ Error: - Modeling + ::ModelEditor Modeling diff --git a/src/plugins/modeleditor/actionhandler.cpp b/src/plugins/modeleditor/actionhandler.cpp index 142dd3ad2ee..8dbca707de3 100644 --- a/src/plugins/modeleditor/actionhandler.cpp +++ b/src/plugins/modeleditor/actionhandler.cpp @@ -3,8 +3,9 @@ #include "actionhandler.h" -#include "modeleditor_constants.h" #include "modeleditor.h" +#include "modeleditor_constants.h" +#include "modeleditortr.h" #include #include @@ -120,26 +121,26 @@ void ActionHandler::createActions() d->pasteAction = registerCommand(Core::Constants::PASTE, &ModelEditor::paste, d->context)->action(); Core::Command *removeCommand = registerCommand( Constants::REMOVE_SELECTED_ELEMENTS, &ModelEditor::removeSelectedElements, d->context, - tr("&Remove"), QKeySequence::Delete); + Tr::tr("&Remove"), QKeySequence::Delete); medit->addAction(removeCommand, Core::Constants::G_EDIT_COPYPASTE); d->removeAction = removeCommand->action(); Core::Command *deleteCommand = registerCommand( Constants::DELETE_SELECTED_ELEMENTS, &ModelEditor::deleteSelectedElements, d->context, - tr("&Delete"), QKeySequence("Ctrl+D")); + Tr::tr("&Delete"), QKeySequence("Ctrl+D")); medit->addAction(deleteCommand, Core::Constants::G_EDIT_COPYPASTE); d->deleteAction = deleteCommand->action(); d->selectAllAction = registerCommand(Core::Constants::SELECTALL, &ModelEditor::selectAll, d->context)->action(); Core::Command *exportDiagramCommand = registerCommand( Constants::EXPORT_DIAGRAM, &ModelEditor::exportDiagram, d->context, - tr("Export Diagram...")); + Tr::tr("Export Diagram...")); exportDiagramCommand->setAttribute(Core::Command::CA_Hide); mfile->addAction(exportDiagramCommand, Core::Constants::G_FILE_EXPORT); d->exportDiagramAction = exportDiagramCommand->action(); Core::Command *exportSelectedElementsCommand = registerCommand( Constants::EXPORT_SELECTED_ELEMENTS, &ModelEditor::exportSelectedElements, d->context, - tr("Export Selected Elements...")); + Tr::tr("Export Selected Elements...")); exportSelectedElementsCommand->setAttribute(Core::Command::CA_Hide); mfile->addAction(exportSelectedElementsCommand, Core::Constants::G_FILE_EXPORT); d->exportSelectedElementsAction = exportSelectedElementsCommand->action(); @@ -150,34 +151,34 @@ void ActionHandler::createActions() d->openParentDiagramAction = registerCommand( Constants::OPEN_PARENT_DIAGRAM, &ModelEditor::openParentDiagram, Core::Context(), - tr("Open Parent Diagram"), QKeySequence("Ctrl+Shift+P"), + Tr::tr("Open Parent Diagram"), QKeySequence("Ctrl+Shift+P"), QIcon(":/modeleditor/up.png"))->action(); - registerCommand(Constants::ACTION_ADD_PACKAGE, nullptr, Core::Context(), tr("Add Package"), + registerCommand(Constants::ACTION_ADD_PACKAGE, nullptr, Core::Context(), Tr::tr("Add Package"), QKeySequence(), QIcon(":/modelinglib/48x48/package.png")); - registerCommand(Constants::ACTION_ADD_COMPONENT, nullptr, Core::Context(), tr("Add Component"), + registerCommand(Constants::ACTION_ADD_COMPONENT, nullptr, Core::Context(), Tr::tr("Add Component"), QKeySequence(), QIcon(":/modelinglib/48x48/component.png")); - registerCommand(Constants::ACTION_ADD_CLASS, nullptr, Core::Context(), tr("Add Class"), + registerCommand(Constants::ACTION_ADD_CLASS, nullptr, Core::Context(), Tr::tr("Add Class"), QKeySequence(), QIcon(":/modelinglib/48x48/class.png")); - registerCommand(Constants::ACTION_ADD_CANVAS_DIAGRAM, nullptr, Core::Context(), tr("Add Canvas Diagram"), + registerCommand(Constants::ACTION_ADD_CANVAS_DIAGRAM, nullptr, Core::Context(), Tr::tr("Add Canvas Diagram"), QKeySequence(), QIcon(":/modelinglib/48x48/canvas-diagram.png")); d->synchronizeBrowserAction = registerCommand( Constants::ACTION_SYNC_BROWSER, nullptr, Core::Context(), - tr("Synchronize Browser and Diagram") + "
" - + tr("Press && Hold for Options") + "", QKeySequence(), + Tr::tr("Synchronize Browser and Diagram") + "
" + + Tr::tr("Press && Hold for Options") + "", QKeySequence(), Utils::Icons::LINK_TOOLBAR.icon())->action(); d->synchronizeBrowserAction->setCheckable(true); - auto editPropertiesAction = new QAction(tr("Edit Element Properties"), + auto editPropertiesAction = new QAction(Tr::tr("Edit Element Properties"), Core::ICore::dialogParent()); Core::Command *editPropertiesCommand = Core::ActionManager::registerAction( editPropertiesAction, Constants::SHORTCUT_MODEL_EDITOR_EDIT_PROPERTIES, d->context); - editPropertiesCommand->setDefaultKeySequence(QKeySequence(tr("Shift+Return"))); + editPropertiesCommand->setDefaultKeySequence(QKeySequence(Tr::tr("Shift+Return"))); connect(editPropertiesAction, &QAction::triggered, this, &ActionHandler::onEditProperties); - auto editItemAction = new QAction(tr("Edit Item on Diagram"), Core::ICore::dialogParent()); + auto editItemAction = new QAction(Tr::tr("Edit Item on Diagram"), Core::ICore::dialogParent()); Core::Command *editItemCommand = Core::ActionManager::registerAction( editItemAction, Constants::SHORTCUT_MODEL_EDITOR_EDIT_ITEM, d->context); - editItemCommand->setDefaultKeySequence(QKeySequence(tr("Return"))); + editItemCommand->setDefaultKeySequence(QKeySequence(Tr::tr("Return"))); connect(editItemAction, &QAction::triggered, this, &ActionHandler::onEditItem); } diff --git a/src/plugins/modeleditor/elementtasks.cpp b/src/plugins/modeleditor/elementtasks.cpp index 819a41259a8..e0efd6914a6 100644 --- a/src/plugins/modeleditor/elementtasks.cpp +++ b/src/plugins/modeleditor/elementtasks.cpp @@ -3,10 +3,11 @@ #include "elementtasks.h" +#include "componentviewcontroller.h" +#include "modeleditor_plugin.h" +#include "modeleditortr.h" #include "modelsmanager.h" #include "openelementvisitor.h" -#include "modeleditor_plugin.h" -#include "componentviewcontroller.h" #include "qmt/diagram/delement.h" #include "qmt/diagram/dpackage.h" @@ -407,7 +408,7 @@ bool ElementTasks::extendContextMenu(const qmt::DElement *delement, const qmt::M { bool extended = false; if (dynamic_cast(delement)) { - menu->addAction(new qmt::ContextMenuAction(tr("Update Include Dependencies"), "updateIncludeDependencies", menu)); + menu->addAction(new qmt::ContextMenuAction(Tr::tr("Update Include Dependencies"), "updateIncludeDependencies", menu)); extended = true; } return extended; diff --git a/src/plugins/modeleditor/extpropertiesmview.cpp b/src/plugins/modeleditor/extpropertiesmview.cpp index 9b52d9fb634..4977d816b18 100644 --- a/src/plugins/modeleditor/extpropertiesmview.cpp +++ b/src/plugins/modeleditor/extpropertiesmview.cpp @@ -3,6 +3,8 @@ #include "extpropertiesmview.h" +#include "modeleditortr.h" + #include "qmt/model/mpackage.h" #include "qmt/project/project.h" #include "qmt/project_controller/projectcontroller.h" @@ -37,14 +39,14 @@ void ExtPropertiesMView::visitMPackage(const qmt::MPackage *package) qmt::Project *project = m_projectController->project(); if (!m_configPath) { m_configPath = new Utils::PathChooser(m_topWidget); - m_configPath->setPromptDialogTitle(tr("Select Custom Configuration Folder")); + m_configPath->setPromptDialogTitle(Tr::tr("Select Custom Configuration Folder")); m_configPath->setExpectedKind(Utils::PathChooser::ExistingDirectory); m_configPath->setValidationFunction([=](Utils::FancyLineEdit *edit, QString *errorMessage) { return edit->text().isEmpty() || m_configPath->defaultValidationFunction()(edit, errorMessage); }); m_configPath->setInitialBrowsePathBackup( Utils::FilePath::fromString(project->fileName()).absolutePath()); - addRow(tr("Config path:"), m_configPath, "configpath"); + addRow(Tr::tr("Config path:"), m_configPath, "configpath"); connect(m_configPath, &Utils::PathChooser::textChanged, this, &ExtPropertiesMView::onConfigPathChanged); } @@ -88,7 +90,7 @@ void ExtPropertiesMView::onConfigPathChanged() } } if (modified && m_configPathInfo) - m_configPathInfo->setText(tr("Model file must be reloaded.")); + m_configPathInfo->setText(Tr::tr("Model file must be reloaded.")); } } // namespace Interal diff --git a/src/plugins/modeleditor/modeldocument.cpp b/src/plugins/modeleditor/modeldocument.cpp index b389c2dc898..341b9144bd3 100644 --- a/src/plugins/modeleditor/modeldocument.cpp +++ b/src/plugins/modeleditor/modeldocument.cpp @@ -3,10 +3,11 @@ #include "modeldocument.h" +#include "extdocumentcontroller.h" #include "modeleditor_constants.h" #include "modeleditor_plugin.h" +#include "modeleditortr.h" #include "modelsmanager.h" -#include "extdocumentcontroller.h" #include "qmt/config/configcontroller.h" #include "qmt/infrastructure/ioexceptions.h" @@ -57,7 +58,7 @@ Core::IDocument::OpenResult ModelDocument::open(QString *errorString, bool ModelDocument::save(QString *errorString, const Utils::FilePath &filePath, bool autoSave) { if (!d->documentController) { - *errorString = tr("No model loaded. Cannot save."); + *errorString = Tr::tr("No model loaded. Cannot save."); return false; } @@ -107,7 +108,7 @@ bool ModelDocument::reload(QString *errorString, Core::IDocument::ReloadFlag fla *errorString = ex.errorMessage(); return false; } catch (const qmt::Exception &ex) { - *errorString = tr("Could not open \"%1\" for reading: %2.").arg(filePath().toString()).arg(ex.errorMessage()); + *errorString = Tr::tr("Could not open \"%1\" for reading: %2.").arg(filePath().toString()).arg(ex.errorMessage()); return false; } emit contentSet(); @@ -131,7 +132,7 @@ Core::IDocument::OpenResult ModelDocument::load(QString *errorString, const QStr *errorString = ex.errorMessage(); return OpenResult::ReadError; } catch (const qmt::Exception &ex) { - *errorString = tr("Could not open \"%1\" for reading: %2.").arg(fileName).arg(ex.errorMessage()); + *errorString = Tr::tr("Could not open \"%1\" for reading: %2.").arg(fileName).arg(ex.errorMessage()); return OpenResult::CannotHandle; } diff --git a/src/plugins/modeleditor/modeleditor.cpp b/src/plugins/modeleditor/modeleditor.cpp index 8443839d581..0229ceba00f 100644 --- a/src/plugins/modeleditor/modeleditor.cpp +++ b/src/plugins/modeleditor/modeleditor.cpp @@ -233,7 +233,7 @@ void ModelEditor::init() d->noDiagramLabel = new QLabel(d->diagramStack); const QString placeholderText = - tr("" + Tr::tr("" "
" "
Open a diagram
" " - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. Die Stile konnten nicht gespeichert werden. %1 existiert nicht. @@ -38073,7 +38073,7 @@ Um eine Variable zu deaktivieren, stellen Sie der Zeile "#" voran. - ::Core + QtC::Core Click and type the new key sequence. Hier klicken, um die neue Tastenkombination einzutippen. @@ -38144,14 +38144,14 @@ Um eine Variable zu deaktivieren, stellen Sie der Zeile "#" voran. - ::ModelEditor + QtC::ModelEditor Zoom: %1% Vergrößerung: %1% - ::ProjectExplorer + QtC::ProjectExplorer Custom Executable Benutzerdefinierte ausführbare Datei @@ -38169,7 +38169,7 @@ Um eine Variable zu deaktivieren, stellen Sie der Zeile "#" voran. - ::Ios + QtC::Ios Create Simulator Simulator erstellen @@ -38401,7 +38401,7 @@ Fehler: %5 - ::ScxmlEditor + QtC::ScxmlEditor Basic Colors Grundfarben @@ -39286,7 +39286,7 @@ Zeile: %4, Spalte: %5 - ::qmt + QtC::qmt Unacceptable null object. Unzulässiges Null-Objekt. @@ -39317,10 +39317,10 @@ Zeile: %4, Spalte: %5 - ::Utils + QtC::Utils - ::Core + QtC::Core (%1) (%1) @@ -39335,7 +39335,7 @@ Zeile: %4, Spalte: %5 - ::CppEditor + QtC::CppEditor <b>Warning</b>: This file is not part of any project. The code model might have issues parsing this file properly. <b>Warnung</b>: Diese Datei ist in keinem Projekt enthalten. Das Codemodell könnte Probleme haben, die Datei korrekt auszuwerten. @@ -39358,7 +39358,7 @@ Zeile: %4, Spalte: %5 - ::DiffEditor + QtC::DiffEditor Calculating diff Bestimme Unterschiede @@ -39401,7 +39401,7 @@ Zeile: %4, Spalte: %5 - ::Ios + QtC::Ios %1 - Free Provisioning Team : %2 %1 - Free Provisioning-Team : %2 @@ -39427,7 +39427,7 @@ Ablaufdatum: %3 - ::Ios + QtC::Ios Starting remote process. Starte entfernten Prozess. @@ -39454,21 +39454,21 @@ Ablaufdatum: %3 - ::ModelEditor + QtC::ModelEditor Update Include Dependencies Include-Abhängigkeiten aktualisieren - ::Perforce + QtC::Perforce Ignore Whitespace Leerzeichen ignorieren - ::ProjectExplorer + QtC::ProjectExplorer Found %n free ports. @@ -39813,7 +39813,7 @@ Ablaufdatum: %3 - ::Subversion + QtC::Subversion Verbose Ausführlich @@ -39824,7 +39824,7 @@ Ablaufdatum: %3 - ::TextEditor + QtC::TextEditor Text Text @@ -40517,28 +40517,28 @@ Außer Leerzeichen innerhalb von Kommentaren und Zeichenketten. - ::Core + QtC::Core Empty search term. Leerer Suchbegriff. - ::TextEditor + QtC::TextEditor Internal Intern - ::VcsBase + QtC::VcsBase Processing diff Verarbeite Unterschiede - ::Utils + QtC::Utils Remove File Datei entfernen @@ -40565,7 +40565,7 @@ Außer Leerzeichen innerhalb von Kommentaren und Zeichenketten. - ::QmlDebug + QtC::QmlDebug Debug connection opened. Debug-Verbindung geöffnet. @@ -40580,7 +40580,7 @@ Außer Leerzeichen innerhalb von Kommentaren und Zeichenketten. - ::Utils + QtC::Utils Settings File for "%1" from a Different Environment? Einstellungsdatei für "%1" aus anderer Umgebung? @@ -40591,7 +40591,7 @@ Außer Leerzeichen innerhalb von Kommentaren und Zeichenketten. - ::Core + QtC::Core Evaluate JavaScript JavaScript auswerten @@ -40811,7 +40811,7 @@ Are you sure? - ::CppEditor + QtC::CppEditor Create Getter and Setter Member Functions Getter- und Setter-Funktionen erzeugen @@ -40866,7 +40866,7 @@ Are you sure? - ::ProjectExplorer + QtC::ProjectExplorer Build Display name of the build build step list. Used as part of the labels in the project window. @@ -40919,7 +40919,7 @@ Are you sure? - ::TextEditor + QtC::TextEditor derived from QObject group:'C++' trigger:'class' @@ -41007,7 +41007,7 @@ Are you sure? - ::ClangTools + QtC::ClangTools Files to Analyze Zu analysierende Dateien @@ -41022,7 +41022,7 @@ Are you sure? - ::ClangCodeModel + QtC::ClangCodeModel Generating Compilation DB Erzeuge Kompilierungsdatenbank @@ -41073,7 +41073,7 @@ Are you sure? - ::ClangTools + QtC::ClangTools An error occurred with the %1 process. Im %1-Prozess trat ein Fehler auf. @@ -41190,7 +41190,7 @@ Ausgabe: - ::ProjectExplorer + QtC::ProjectExplorer Kit of Active Project: %1 Kit des aktiven Projekts: %1 @@ -41336,7 +41336,7 @@ Was soll %1 tun? - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1: %2. Port %1 konnte nicht geöffnet werden: %2. @@ -41407,7 +41407,7 @@ Was soll %1 tun? - ::Valgrind + QtC::Valgrind New Neu @@ -41610,21 +41610,21 @@ Was soll %1 tun? - ::ClangFormat + QtC::ClangFormat Clang-Format Style Clang-Format-Stil - ::LanguageClient + QtC::LanguageClient Error %1 Fehler %1 - ::ClangFormat + QtC::ClangFormat Open Used .clang-format Configuration File Verwendete .clang-format-Konfigurationsdatei öffnen @@ -41635,7 +41635,7 @@ Was soll %1 tun? - ::Cppcheck + QtC::Cppcheck Cppcheck Cppcheck @@ -41650,7 +41650,7 @@ Was soll %1 tun? - ::LanguageClient + QtC::LanguageClient Language Client Language Client @@ -41725,7 +41725,7 @@ Was soll %1 tun? - ::ProjectExplorer + QtC::ProjectExplorer Make arguments: Kommandozeilenargumente für make: @@ -41784,7 +41784,7 @@ Was soll %1 tun? - ::VcsBase + QtC::VcsBase &Undo &Rückgängig @@ -41799,7 +41799,7 @@ Was soll %1 tun? - ::LanguageServerProtocol + QtC::LanguageServerProtocol Cannot decode content with "%1". Falling back to "%2". Zeichensatz "%1" kann nicht dekodiert werden. Verwende stattdessen "%2". @@ -41818,7 +41818,7 @@ Was soll %1 tun? - ::Cppcheck + QtC::Cppcheck Warnings Warnungen @@ -41901,7 +41901,7 @@ Was soll %1 tun? - ::GenericProjectManager + QtC::GenericProjectManager Edit Files... Dateien bearbeiten... @@ -41912,7 +41912,7 @@ Was soll %1 tun? - ::LanguageClient + QtC::LanguageClient &Add Hinzu&fügen @@ -41935,14 +41935,14 @@ Was soll %1 tun? - ::CppEditor + QtC::CppEditor Compiler Flags Compiler-Flags - ::PerfProfiler + QtC::PerfProfiler Stack snapshot size (kB): Größe des Stack-Abbilds (kB): @@ -42733,7 +42733,7 @@ You might find further explanations in the Application Output view. - ::Utils + QtC::Utils Null Null @@ -42771,7 +42771,7 @@ You might find further explanations in the Application Output view. - ::ClangCodeModel + QtC::ClangCodeModel Project: %1 (based on %2) Projekt: %1 (basierend auf %2) @@ -42782,7 +42782,7 @@ You might find further explanations in the Application Output view. - ::CppEditor + QtC::CppEditor No include hierarchy available Keine Include-Hierarchie verfügbar @@ -42793,14 +42793,14 @@ You might find further explanations in the Application Output view. - ::Ios + QtC::Ios Deploy on iOS Deployment auf iOS - ::LanguageClient + QtC::LanguageClient %1 for %2 @@ -42835,7 +42835,7 @@ You might find further explanations in the Application Output view. - ::ProjectExplorer + QtC::ProjectExplorer Enable connection sharing: Verbindungsfreigabe aktivieren: @@ -43073,7 +43073,7 @@ You might find further explanations in the Application Output view. - ::TextEditor + QtC::TextEditor Highlighter updates: done Aktualisierungen der Syntaxhervorhebung: abgeschlossen @@ -43165,7 +43165,7 @@ You might find further explanations in the Application Output view. - ::ClangTools + QtC::ClangTools See <a href="https://github.com/KDE/clazy">Clazy's homepage</a> for more information. Weitere Informationen finden Sie auf der <a href="https://github.com/KDE/clazy">Homepage von Clazy</a>. @@ -43252,7 +43252,7 @@ Setzen Sie erst eine gültige ausführbare Datei. - ::Core + QtC::Core URLs: URLs: @@ -43803,7 +43803,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::ExtensionSystem + QtC::ExtensionSystem %1 > About Plugins %1 > Plugins @@ -43834,7 +43834,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::Utils + QtC::Utils <UNSET> <NICHT GESETZT> @@ -43863,14 +43863,14 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::Android + QtC::Android Images (*.png *.jpg *.jpeg) - ::Beautifier + QtC::Beautifier Options Einstellungen @@ -43973,7 +43973,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::Qdb + QtC::Qdb Starting command "%1" on device "%2". @@ -44076,7 +44076,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::ClangTools + QtC::ClangTools Clang-Tidy Clang-Tidy @@ -44357,7 +44357,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::CompilationDatabaseProjectManager + QtC::CompilationDatabaseProjectManager Scan "%1" project tree Durchsuche "%1"-Projektbaum @@ -44368,7 +44368,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::Core + QtC::Core Later Später @@ -44434,7 +44434,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::Cppcheck + QtC::Cppcheck Diagnostic Diagnose @@ -44465,7 +44465,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - ::CtfVisualizer + QtC::CtfVisualizer Title Titel @@ -44621,14 +44621,14 @@ Do you want to display them anyway? - ::GenericProjectManager + QtC::GenericProjectManager Generic Manager Generische Verwaltung - ::Marketplace + QtC::Marketplace Marketplace Marketplace @@ -44643,14 +44643,14 @@ Do you want to display them anyway? - ::McuSupport + QtC::McuSupport MCU Device MCU-Gerät - ::ProjectExplorer + QtC::ProjectExplorer [none] [leer] @@ -44893,10 +44893,10 @@ Do you want to display them anyway? - ::Autotest + QtC::Autotest - ::ProjectExplorer + QtC::ProjectExplorer <empty> <leer> @@ -45084,7 +45084,7 @@ Do you want to display them anyway? - ::Python + QtC::Python Unable to open "%1" for reading: %2 "%1" konnte nicht zum Lesen geöffnet werden: %2 @@ -45423,7 +45423,7 @@ Do you want to display them anyway? - ::QmlProjectManager + QtC::QmlProjectManager Main QML file: QML-Hauptdatei: @@ -45438,7 +45438,7 @@ Do you want to display them anyway? - ::QtSupport + QtC::QtSupport [Inexact] Prefix used for output from the cumulative evaluation of project files. @@ -45453,7 +45453,7 @@ Do you want to display them anyway? - ::UpdateInfo + QtC::UpdateInfo Daily Täglich @@ -45521,7 +45521,7 @@ Do you want to display them anyway? - ::VcsBase + QtC::VcsBase Reload Neu laden @@ -45569,7 +45569,7 @@ Do you want to display them anyway? - ::ProjectExplorer + QtC::ProjectExplorer Files Dateien @@ -45596,7 +45596,7 @@ Do you want to display them anyway? - ::Beautifier + QtC::Beautifier Enable auto format on file save Beim Speichern einer Datei automatisch formatieren @@ -45619,7 +45619,7 @@ Do you want to display them anyway? - ::ProjectExplorer + QtC::ProjectExplorer Make Default Als Vorgabe setzen @@ -45642,7 +45642,7 @@ Do you want to display them anyway? - ::IncrediBuild + QtC::IncrediBuild IncrediBuild for Windows IncrediBuild für Windows @@ -45845,7 +45845,7 @@ Do you want to display them anyway? - ::MesonProjectManager + QtC::MesonProjectManager Apply Configuration Changes Konfigurationsänderungen anwenden @@ -46222,7 +46222,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::Utils + QtC::Utils &Show Details &Details anzeigen @@ -46237,7 +46237,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::Beautifier + QtC::Beautifier No description available. Keine Beschreibung verfügbar. @@ -46248,7 +46248,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::Core + QtC::Core Text Encoding Text-Zeichenkodierung @@ -46395,7 +46395,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::LanguageClient + QtC::LanguageClient Find References with %1 for: Referenzen mit %1 finden für: @@ -46406,7 +46406,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::ProjectExplorer + QtC::ProjectExplorer Clear system environment Systemumgebung bereinigen @@ -46930,7 +46930,7 @@ Exporting assets: %2 - ::QmlProjectManager + QtC::QmlProjectManager No Qt Design Studio installation found @@ -49283,7 +49283,7 @@ benötigt wird, was meist die Geschwindigkeit erhöht. - ::CppEditor + QtC::CppEditor General Allgemein @@ -49803,7 +49803,7 @@ z.B. name = "m_test_foo_": - ::Git + QtC::Git Push to Gerrit Push zu Gerrit @@ -50022,7 +50022,7 @@ Teilnamen können verwendet werden, sofern sie eindeutig sind. - ::LanguageServerProtocol + QtC::LanguageServerProtocol Could not parse JSON message "%1". Die JSON-Nachricht konnte nicht ausgewertet werden: "%1". @@ -50033,7 +50033,7 @@ Teilnamen können verwendet werden, sofern sie eindeutig sind. - ::QmlJS + QtC::QmlJS The type will only be available in the QML editors when the type name is a string literal. Dieser Typ wird im QML Editor nur sichtbar sein, wenn der Typname ein Zeichenketten-Literal ist. @@ -50050,7 +50050,7 @@ the QML editor know about a likely URI. - ::Utils + QtC::Utils File format not supported. Dateiformat wird nicht unterstützt. @@ -50139,7 +50139,7 @@ in "%2" aus. - ::Utils + QtC::Utils Failed to start process launcher at "%1": %2 Prozess-Launcher "%1" konnte nicht gestartet werden: %2 @@ -50210,7 +50210,7 @@ in "%2" aus. - ::AutotoolsProjectManager + QtC::AutotoolsProjectManager Arguments: Argumente: @@ -50256,14 +50256,14 @@ in "%2" aus. - ::BinEditor + QtC::BinEditor &Undo &Rückgängig - ::Qdb + QtC::Qdb Device "%1" %2 @@ -50371,7 +50371,7 @@ in "%2" aus. - ::ClangCodeModel + QtC::ClangCodeModel clangd clangd @@ -50463,7 +50463,7 @@ in "%2" aus. - ::ClangFormat + QtC::ClangFormat Formatting mode: Formatierungsart: @@ -50510,7 +50510,7 @@ in "%2" aus. - ::ClangTools + QtC::ClangTools Restore Global Settings Globale Einstellungen wiederherstellen @@ -50635,7 +50635,7 @@ in "%2" aus. - ::Coco + QtC::Coco Select a Squish Coco CoverageBrowser Executable @@ -50658,14 +50658,14 @@ in "%2" aus. - ::CompilationDatabaseProjectManager + QtC::CompilationDatabaseProjectManager Change Root Directory - ::Conan + QtC::Conan Conan install @@ -50688,7 +50688,7 @@ in "%2" aus. - ::Core + QtC::Core Global Actions & Actions from the Menu Globale Aktionen & Aktionen aus dem Menü @@ -50991,7 +50991,7 @@ in "%2" aus. - ::Cppcheck + QtC::Cppcheck Cppcheck Diagnostics @@ -51005,7 +51005,7 @@ in "%2" aus. - ::CppEditor + QtC::CppEditor The file name. Der Dateiname. @@ -51641,7 +51641,7 @@ Flags: %3 - ::CVS + QtC::CVS Annotate revision "%1" Annotation für Revision "%1" @@ -51956,7 +51956,7 @@ Flags: %3 - ::Docker + QtC::Docker Checking docker daemon @@ -52152,7 +52152,7 @@ Flags: %3 - ::GenericProjectManager + QtC::GenericProjectManager Project files list update failed. @@ -52163,7 +52163,7 @@ Flags: %3 - ::Git + QtC::Git Certificate Error Zertifikatsfehler @@ -52178,7 +52178,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::GitLab + QtC::GitLab Clone Repository @@ -52429,7 +52429,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::IncrediBuild + QtC::IncrediBuild CMake CMake @@ -52460,7 +52460,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::Ios + QtC::Ios iOS Settings iOS-Einstellungen @@ -52543,7 +52543,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::LanguageClient + QtC::LanguageClient Invalid parameter in "%1": %2 @@ -52676,7 +52676,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::McuSupport + QtC::McuSupport MCU Dependencies @@ -52980,7 +52980,7 @@ Hinweis: Dies macht Sie anfällig für Man-in-the-middle-Angriffe. - ::ProjectExplorer + QtC::ProjectExplorer Separate debug info: Separate Debug-Information: @@ -53179,7 +53179,7 @@ fails because Clang does not understand the target architecture. - ::Python + QtC::Python Searching Python binaries... @@ -53190,7 +53190,7 @@ fails because Clang does not understand the target architecture. - ::BuildConfiguration + QtC::BuildConfiguration Release The name of the release build configuration created by default for a qmake project. @@ -54265,7 +54265,7 @@ fails because Clang does not understand the target architecture. - ::QmlJSTools + QtC::QmlJSTools Global Settings @@ -54273,7 +54273,7 @@ fails because Clang does not understand the target architecture. - ::QmlPreview + QtC::QmlPreview QML Preview QML-Vorschau @@ -54284,7 +54284,7 @@ fails because Clang does not understand the target architecture. - ::QmlProjectManager + QtC::QmlProjectManager Select Files to Generate @@ -54420,7 +54420,7 @@ Qt Design Studio requires a .qmlproject based project to open the .ui.qml file.< - ::Squish + QtC::Squish Details @@ -55259,7 +55259,7 @@ Failed to open file "%1" - ::Subversion + QtC::Subversion Subversion Command Subversion-Kommando @@ -55314,7 +55314,7 @@ Failed to open file "%1" - ::TextEditor + QtC::TextEditor Expected delimiter after mangler ID. @@ -55333,7 +55333,7 @@ Failed to open file "%1" - ::UpdateInfo + QtC::UpdateInfo Qt Maintenance Tool Qt Maintenance Tool @@ -55344,7 +55344,7 @@ Failed to open file "%1" - ::VcsBase + QtC::VcsBase User/&alias configuration file: Nutzer/&Alias-Konfigurationsdatei: @@ -55427,7 +55427,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::WebAssembly + QtC::WebAssembly Web Browser diff --git a/share/qtcreator/translations/qtcreator_es.ts b/share/qtcreator/translations/qtcreator_es.ts index 2da2de12bc1..3d863c41696 100644 --- a/share/qtcreator/translations/qtcreator_es.ts +++ b/share/qtcreator/translations/qtcreator_es.ts @@ -26,7 +26,7 @@ - ::Debugger + QtC::Debugger Start Debugger Iniciar depurador @@ -74,7 +74,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Deshacer @@ -85,7 +85,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Agregar marcador @@ -233,7 +233,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Clear system environment @@ -413,7 +413,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Seleccione símbolo> @@ -496,7 +496,7 @@ - ::CodePaster + QtC::CodePaster &CodePaster @@ -639,7 +639,7 @@ - ::TextEditor + QtC::TextEditor Code Completion Completado de código @@ -670,7 +670,7 @@ - ::Help + QtC::Help Open Link Abrir vínculo @@ -681,7 +681,7 @@ - ::Core + QtC::Core File Generation Failure Falla generando archivo @@ -1416,7 +1416,7 @@ Would you like to overwrite them? - ::Welcome + QtC::Welcome Projects Proyectos @@ -1617,7 +1617,7 @@ Would you like to overwrite them? - ::Core + QtC::Core Switch to %1 mode Alternar al modo %1 @@ -1639,7 +1639,7 @@ Would you like to overwrite them? - ::Utils + QtC::Utils The class name must not contain namespace delimiters. El nombre de clase no debe contener delimitadores de namespaces. @@ -1895,7 +1895,7 @@ Would you like to overwrite them? - ::CppEditor + QtC::CppEditor Sort alphabetically Ordenar alfabeticamente @@ -2086,7 +2086,7 @@ Would you like to overwrite them? - ::Debugger + QtC::Debugger Common Común @@ -3456,7 +3456,7 @@ Es recomendado usar gdb 6.7 o posterior. - ::Debugger + QtC::Debugger Source Files Archivos de fuente @@ -3720,7 +3720,7 @@ Es recomendado usar gdb 6.7 o posterior. - ::ProjectExplorer + QtC::ProjectExplorer Unable to add dependency No fue posible agregar la dependencia @@ -3751,7 +3751,7 @@ Es recomendado usar gdb 6.7 o posterior. - ::Designer + QtC::Designer The file name is empty. El nombre de archivo está vacío. @@ -4020,7 +4020,7 @@ Reconstruir el proyecto puede ayudar. - ::Help + QtC::Help Registered Documentation Documentación registrada @@ -4080,7 +4080,7 @@ Adicionalmente ajustará automáticamente la versión de Qt. - ::ExtensionSystem + QtC::ExtensionSystem Name: Nombre: @@ -4257,7 +4257,7 @@ Razón: %3 - ::FakeVim + QtC::FakeVim Toggle vim-style editing Activar/desactivar edición al estilo Vim @@ -4484,7 +4484,7 @@ Razón: %3 - ::Core + QtC::Core Search for... Buscar... @@ -4623,7 +4623,7 @@ Razón: %3 - ::Debugger + QtC::Debugger Gdb interaction Interacción con Gdb @@ -4674,7 +4674,7 @@ Razón: %3 - ::ProjectExplorer + QtC::ProjectExplorer Override %1: Redefinir %1: @@ -4689,7 +4689,7 @@ Razón: %3 - ::GenericProjectManager + QtC::GenericProjectManager <new> <nuevo> @@ -4764,7 +4764,7 @@ Razón: %3 - ::Git + QtC::Git Checkout Recuperar (Checkout) @@ -5341,7 +5341,7 @@ Razón: %3 - ::Help + QtC::Help Add new page Agregar nueva página @@ -5559,21 +5559,21 @@ Skipping file. - ::Help + QtC::Help &Look for: &Buscar: - ::Debugger + QtC::Debugger Type Ctrl-<Return> to execute a line. Teclee Ctrl-<Intro> para ejecutar una línea. - ::Core + QtC::Core Filters Filtros @@ -5699,7 +5699,7 @@ en su archivo .pro. - ::ProjectExplorer + QtC::ProjectExplorer MyMain @@ -5724,7 +5724,7 @@ en su archivo .pro. - ::Core + QtC::Core Open File With... Abrir archivo con... @@ -5735,7 +5735,7 @@ en su archivo .pro. - ::Perforce + QtC::Perforce No executable specified No se especificó ejecutable @@ -6148,14 +6148,14 @@ en su archivo .pro. - ::Core + QtC::Core Error Details Detalles de errores - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' does not exist. El plugin '%1' no existe. @@ -6240,7 +6240,7 @@ Nombre base de librería: %1 - ::ProjectExplorer + QtC::ProjectExplorer <font color="#0000ff">Starting: %1 %2</font> @@ -6584,7 +6584,7 @@ Nombre base de librería: %1 - ::Core + QtC::Core File System Sistema de archivos @@ -6595,7 +6595,7 @@ Nombre base de librería: %1 - ::ProjectExplorer + QtC::ProjectExplorer New session name Nuevo nombre de sesión @@ -7251,7 +7251,7 @@ al control de versiones (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager QMake Build Configuration: Ajustes de construcción QMake: @@ -7347,7 +7347,7 @@ al control de versiones (%2)? - ::QmlProjectManager + QtC::QmlProjectManager QML Application Aplicación QML @@ -7418,7 +7418,7 @@ al control de versiones (%2)? - ::ResourceEditor + QtC::ResourceEditor Form Formulario @@ -7449,7 +7449,7 @@ al control de versiones (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt4 Console Application Aplicación Qt4 de consola @@ -8353,7 +8353,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Filter Configuration Filtro de configuración @@ -8600,7 +8600,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::ResourceEditor + QtC::ResourceEditor Create a Qt Resource file (.qrc). Crear un archivo de recursos Qt (.qrc). @@ -8631,7 +8631,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::Core + QtC::Core Save Changes Guardar cambios @@ -8657,7 +8657,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::ResourceEditor + QtC::ResourceEditor Add Files Agregar archivos @@ -8756,7 +8756,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::Core + QtC::Core Keyboard Shortcuts Atajos de teclado @@ -8807,14 +8807,14 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::TextEditor + QtC::TextEditor Snippets Fragmentos - ::Debugger + QtC::Debugger Break at 'main': Interrumpir en 'main': @@ -8837,7 +8837,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::Subversion + QtC::Subversion Subversion Command: Comando Subversion: @@ -9065,7 +9065,7 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg - ::TextEditor + QtC::TextEditor %1 found %1 encontrado @@ -9730,7 +9730,7 @@ The following encodings are likely to fit: - ::Help + QtC::Help Choose a topic for <b>%1</b>: Elija un tópico para <b>%1</b>: @@ -9753,7 +9753,7 @@ The following encodings are likely to fit: - ::VcsBase + QtC::VcsBase Version Control Control de versiones @@ -9971,7 +9971,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Dialog @@ -9986,7 +9986,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Form Formulario @@ -10006,7 +10006,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Prompt to submit Preguntar antes de enviar @@ -10037,7 +10037,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Form Formulario @@ -10076,7 +10076,7 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer Form Formulario @@ -10212,7 +10212,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Form Formulario @@ -10299,7 +10299,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Build and Run Construir y ejecutar @@ -10354,14 +10354,14 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Form Formulario - ::QmakeProjectManager + QtC::QmakeProjectManager Form Formulario @@ -10520,7 +10520,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Examples not installed Ejemplos no instalados @@ -10648,7 +10648,7 @@ p, li { white-space: pre-wrap; } - ::QmakeProjectManager + QtC::QmakeProjectManager Installed S60 SDKs: @@ -10671,7 +10671,7 @@ p, li { white-space: pre-wrap; } - ::TextEditor + QtC::TextEditor Bold Negritas @@ -10698,7 +10698,7 @@ p, li { white-space: pre-wrap; } - ::VcsBase + QtC::VcsBase WizardPage @@ -10713,7 +10713,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome News From the Qt Labs Novedades desde los laboratorios de Qt @@ -10775,7 +10775,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Show Details @@ -10801,7 +10801,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Preferences @@ -10812,7 +10812,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster No such paste @@ -10851,7 +10851,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor /************************************************************************** ** Qt Creator license header template @@ -10884,7 +10884,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Checks out a project from a CVS repository. @@ -11139,7 +11139,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Memory $ @@ -11346,14 +11346,14 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer untitled sin título - ::Git + QtC::Git Clones a project from a git repository. @@ -11412,7 +11412,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help General settings Ajustes generales @@ -11447,7 +11447,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? Fallo intentando iniciar el programa. ¿Ruta o permisos incorrectos? @@ -11625,14 +11625,14 @@ Reason: %2 - ::QmlProjectManager + QtC::QmlProjectManager <b>QML Make</b> - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> @@ -11671,14 +11671,14 @@ Reason: %2 - ::Welcome + QtC::Welcome Getting Started Comenzar con Qt - ::QmakeProjectManager + QtC::QmakeProjectManager %1 on Device @@ -11879,7 +11879,7 @@ Check if the phone is connected and the TRK application is running. - ::Subversion + QtC::Subversion Checks out a project from a Subversion repository. @@ -11898,7 +11898,7 @@ Check if the phone is connected and the TRK application is running. - ::TextEditor + QtC::TextEditor Not a color scheme file. @@ -11909,7 +11909,7 @@ Check if the phone is connected and the TRK application is running. - ::VcsBase + QtC::VcsBase Cannot Open Project @@ -11972,7 +11972,7 @@ Check if the phone is connected and the TRK application is running. - ::Welcome + QtC::Welcome Community Comunidad diff --git a/share/qtcreator/translations/qtcreator_fr.ts b/share/qtcreator/translations/qtcreator_fr.ts index 6204512b3b9..6e76da811cc 100644 --- a/share/qtcreator/translations/qtcreator_fr.ts +++ b/share/qtcreator/translations/qtcreator_fr.ts @@ -37,7 +37,7 @@ - ::BinEditor + QtC::BinEditor &Undo Annu&ler @@ -48,7 +48,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Ajouter un signet @@ -231,7 +231,7 @@ - ::Debugger + QtC::Debugger Set Breakpoint at Function Placer un point d'arrêt à la fonction @@ -242,7 +242,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Clear system environment Nettoyer l'environnement système @@ -505,7 +505,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Selectionner un symbole> @@ -535,7 +535,7 @@ - ::CodePaster + QtC::CodePaster &CodePaster &CodePaster @@ -623,7 +623,7 @@ - ::TextEditor + QtC::TextEditor Code Completion Complétion du code @@ -702,7 +702,7 @@ - ::Help + QtC::Help Open Link Ouvrir le lien @@ -717,7 +717,7 @@ - ::Core + QtC::Core File Generation Failure Échec de la génération du fichier @@ -1697,7 +1697,7 @@ Voulez vous les écraser ? - ::Welcome + QtC::Welcome Open Recent Project Ouvrir un projet récent @@ -1830,7 +1830,7 @@ Voulez vous les écraser ? - ::Core + QtC::Core Switch to %1 mode Basculer vers le mode %1 @@ -1855,7 +1855,7 @@ Voulez vous les écraser ? - ::Utils + QtC::Utils Dialog Boîte de dialogue @@ -2378,7 +2378,7 @@ Voulez vous les écraser ? - ::CppEditor + QtC::CppEditor Sort alphabetically Trier par ordre alphabétique @@ -2734,7 +2734,7 @@ Voulez vous les écraser ? - ::Debugger + QtC::Debugger General Général @@ -4913,7 +4913,7 @@ at debugger startup. - ::ProjectExplorer + QtC::ProjectExplorer Unable to add dependency Impossible d'ajouter une dépendance @@ -4940,7 +4940,7 @@ at debugger startup. - ::Designer + QtC::Designer The file name is empty. Le nom de fichier est vide. @@ -5283,7 +5283,7 @@ La version de Qt est aussi définie automatiquement. - ::ExtensionSystem + QtC::ExtensionSystem Name: Nom : @@ -5498,7 +5498,7 @@ Raison : %3 - ::FakeVim + QtC::FakeVim Toggle vim-style editing Activer/désactiver l'édition en mode vim @@ -6017,7 +6017,7 @@ Ajouter, modifier et supprimer des filtres de documents, qui détermine l'e - ::Core + QtC::Core Search for... Rechercher... @@ -6216,7 +6216,7 @@ Ajouter, modifier et supprimer des filtres de documents, qui détermine l'e - ::ProjectExplorer + QtC::ProjectExplorer Override %1: Écraser %1 : @@ -6231,7 +6231,7 @@ Ajouter, modifier et supprimer des filtres de documents, qui détermine l'e - ::GenericProjectManager + QtC::GenericProjectManager <new> <nouveau> @@ -6364,7 +6364,7 @@ Ajouter, modifier et supprimer des filtres de documents, qui détermine l'e - ::Git + QtC::Git Branches Branches @@ -8158,7 +8158,7 @@ Valider maintenant ? - ::Help + QtC::Help Add new page Ajouter une nouvelle page @@ -8592,7 +8592,7 @@ Ajouter, modifier et supprimer des filtres de documents, lesquels déterminent l - ::Core + QtC::Core Filters Filtres @@ -8848,7 +8848,7 @@ dans votre fichier .pro. - ::ProjectExplorer + QtC::ProjectExplorer MyMain @@ -8877,7 +8877,7 @@ dans votre fichier .pro. - ::Perforce + QtC::Perforce Change Number ? @@ -9421,7 +9421,7 @@ francis : voila une nouvelle suggestion :) - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' is specified twice for testing. Le plugin "%1' est spécifié deux fois pour les tests. @@ -9508,7 +9508,7 @@ francis : voila une nouvelle suggestion :) - ::ProjectExplorer + QtC::ProjectExplorer <font color="#0000ff">Starting: %1 %2</font> @@ -9827,7 +9827,7 @@ francis : voila une nouvelle suggestion :) - ::Core + QtC::Core File System Système de fichier @@ -9846,7 +9846,7 @@ francis : voila une nouvelle suggestion :) - ::ProjectExplorer + QtC::ProjectExplorer Session Manager Gestionnaire de session @@ -10854,7 +10854,7 @@ au système de gestion de version (%2) ? - ::QmakeProjectManager + QtC::QmakeProjectManager QMake Build Configuration: Configuration de QMake pour la compilation : @@ -10934,7 +10934,7 @@ au système de gestion de version (%2) ? - ::QmlProjectManager + QtC::QmlProjectManager QML Application Application QML @@ -10993,7 +10993,7 @@ au système de gestion de version (%2) ? - ::ResourceEditor + QtC::ResourceEditor Add Ajouter @@ -11020,7 +11020,7 @@ au système de gestion de version (%2) ? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt4 Console Application Application Qt4 en console @@ -12179,7 +12179,7 @@ Présélectionne une version desktop Qt pour compiler l'application si disp - ::Core + QtC::Core Filter Configuration Configuration du filtre @@ -12485,7 +12485,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::ResourceEditor + QtC::ResourceEditor Creates a Qt Resource file (.qrc). Crée une fichier ressource Qt (.qrc). @@ -12547,7 +12547,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::ResourceEditor + QtC::ResourceEditor Invalid file Fichier invalide @@ -12618,7 +12618,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::Core + QtC::Core Defaults Restaurer @@ -12640,7 +12640,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::Subversion + QtC::Subversion Prompt to submit Invite lors du submit @@ -12997,7 +12997,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::TextEditor + QtC::TextEditor Search Rechercher @@ -14421,7 +14421,7 @@ Ne sera pas appliquée aux espaces dans les commentaires et les chaînes. - ::Help + QtC::Help Choose Topic thème ? @@ -14449,7 +14449,7 @@ Ne sera pas appliquée aux espaces dans les commentaires et les chaînes. - ::VcsBase + QtC::VcsBase Version Control Gestion de versions @@ -14686,7 +14686,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Server Prefix: Préfixe du serveur : @@ -14715,7 +14715,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Prompt to submit Invite lors du submit @@ -14786,7 +14786,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Form Formulaire @@ -14817,7 +14817,7 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer Form Formulaire @@ -14965,7 +14965,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Show side-by-side if possible Afficher côte à côte si possible @@ -15012,7 +15012,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Build and Run Compilation et exécution @@ -15147,14 +15147,14 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Form Formulaire - ::QmakeProjectManager + QtC::QmakeProjectManager Form Formulaire @@ -15317,7 +15317,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome The Qt Creator User Interface L'interface utilisateur de Qt Creator @@ -15485,7 +15485,7 @@ p, li { white-space: pre-wrap; } - ::TextEditor + QtC::TextEditor Bold Gras @@ -15516,7 +15516,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome News From the Qt Labs Actualités de Qt Labs @@ -15603,7 +15603,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Show Details Afficher les détails @@ -15665,14 +15665,14 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Preferences Préférences - ::CodePaster + QtC::CodePaster No Server defined in the CodePaster preferences! Aucun serveur définit dans les préférences CodePaster ! @@ -15719,7 +15719,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Searching... Recherche... @@ -15738,7 +15738,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Checks out a project from a CVS repository. Obtient un projet à partir d'un dépôt CVS. @@ -16241,14 +16241,14 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer untitled sans titre - ::Git + QtC::Git Clones a project from a git repository. Clone un projet à partir d'un dépôt git. @@ -16347,7 +16347,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help General settings Réglages généraux @@ -16499,7 +16499,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? Échec lors de l'exécution du programme. Mauvais chemin ou permissions ? @@ -16641,14 +16641,14 @@ Raison : %2 - ::QmlProjectManager + QtC::QmlProjectManager <b>QML Make</b> <b>Make de QML</b> - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> <Nouvelle classe> @@ -16708,10 +16708,10 @@ Raison : %2 - ::Welcome + QtC::Welcome - ::QmakeProjectManager + QtC::QmakeProjectManager QtS60DeviceRunConfiguration QtS60DeviceRunConfiguration @@ -17084,7 +17084,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Subversion + QtC::Subversion Checks out a project from a Subversion repository. Vérifie un projet à partir d'un dépôt Subversion. @@ -17115,7 +17115,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::TextEditor + QtC::TextEditor Not a color scheme file. Pas sur ? @@ -17127,7 +17127,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::VcsBase + QtC::VcsBase Cannot Open Project Impossible d'ouvrir le projet @@ -17222,7 +17222,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Welcome + QtC::Welcome News && Support Nouveauté && Support @@ -17561,7 +17561,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::QmakeProjectManager + QtC::QmakeProjectManager Id: Id : @@ -17661,7 +17661,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Debugger + QtC::Debugger Internal name Nom interne @@ -17672,7 +17672,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::ProjectExplorer + QtC::ProjectExplorer Change build configuration && continue Changer la configuration de compilation et continuer @@ -17715,7 +17715,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Git + QtC::Git Stashes Remises @@ -17834,7 +17834,7 @@ Vous pouvez choisir entre mettre les changements dans une remise ou de les aband - ::Mercurial + QtC::Mercurial General Information Informations générales @@ -17969,7 +17969,7 @@ Vous pouvez choisir entre mettre les changements dans une remise ou de les aband - ::ProjectExplorer + QtC::ProjectExplorer Add target Ajouter une cible @@ -18831,7 +18831,7 @@ Vous pouvez choisir entre mettre les changements dans une remise ou de les aband - ::QmakeProjectManager + QtC::QmakeProjectManager Not signed Non signé @@ -19081,7 +19081,7 @@ Vous pouvez choisir entre mettre les changements dans une remise ou de les aband - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. Le répertoire %1 ne peut pas être supprimer. @@ -19814,7 +19814,7 @@ francis : ouai assez d'accord. - ::ExtensionSystem + QtC::ExtensionSystem None Aucune @@ -19833,7 +19833,7 @@ francis : ouai assez d'accord. - ::QmlJS + QtC::QmlJS unknown value for enum Valeur inconnue pour l'énumération @@ -20076,7 +20076,7 @@ Pour les projets qmlproject , utilisez la propriété importPaths pour ajouter l - ::Utils + QtC::Utils Locked Verrouillé @@ -20147,7 +20147,7 @@ Pour les projets qmlproject , utilisez la propriété importPaths pour ajouter l - ::BinEditor + QtC::BinEditor Decimal unsigned value (little endian): %1 Decimal unsigned value (big endian): %2 @@ -20176,7 +20176,7 @@ Valeur précédente au format décimal signé (gros-boutiste) : %4 - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake target Exécuter la cible CMake @@ -20231,7 +20231,7 @@ Valeur précédente au format décimal signé (gros-boutiste) : %4 - ::Core + QtC::Core Command Commande @@ -20291,7 +20291,7 @@ francis : je ne vois pas non plus. Ou un truc du genre "Arriére plan crypt - ::Core + QtC::Core Error sending input Erreur lors de l'envoi de l'entrée @@ -20379,7 +20379,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::CodePaster + QtC::CodePaster Code Pasting Collage de code @@ -20430,7 +20430,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::CppEditor + QtC::CppEditor Rewrite Using %1 Réécrire en utilisant %1 @@ -20570,7 +20570,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::VcsBase + QtC::VcsBase CVS Commit Editor Éditeur de commit pour CVS @@ -20725,14 +20725,14 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::CVS + QtC::CVS Annotate revision "%1" Révision annotée "%1" - ::Debugger + QtC::Debugger CDB CDB @@ -20811,7 +20811,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Designer + QtC::Designer This file can only be edited in <b>Design</b> mode. Ce fichier ne peut être édité qu'en mode <b>Design</b>. @@ -20826,7 +20826,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::FakeVim + QtC::FakeVim Recursive mapping Construction de correspondance récursif @@ -20861,7 +20861,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Core + QtC::Core &Find/Replace &Rechercher/Remplacer @@ -20880,7 +20880,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::GenericProjectManager + QtC::GenericProjectManager Make Make @@ -20911,7 +20911,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Git + QtC::Git (no branch) (aucune banche) @@ -20954,7 +20954,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Help + QtC::Help <title>about:blank</title> <title>À propos : vide</title> @@ -20985,7 +20985,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Mercurial + QtC::Mercurial Cloning Cloner @@ -21294,7 +21294,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Perforce + QtC::Perforce No executable specified Aucun exécutable spécifié @@ -21334,7 +21334,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::ProjectExplorer + QtC::ProjectExplorer Location Emplacement @@ -21373,7 +21373,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::ProjectExplorer + QtC::ProjectExplorer Details Default short title for custom wizard page to be shown in the progress pane of the wizard. @@ -21721,7 +21721,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::ProjectExplorer + QtC::ProjectExplorer Dependencies Dépendances @@ -21743,7 +21743,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::Core + QtC::Core Open parent folder Ouvrir le dossier parent @@ -21810,7 +21810,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::ProjectExplorer + QtC::ProjectExplorer Select active build configuration Sélectionner la configuration de compilation active @@ -22072,7 +22072,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -22080,7 +22080,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -22125,7 +22125,7 @@ avec un mot de passe, que vous pouvez renseigner ci-dessus. - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -23050,7 +23050,7 @@ Merci de vérifier vos paramètres de projet. - ::QmlJSEditor + QtC::QmlJSEditor Rename... Renommer... @@ -23243,7 +23243,7 @@ Erreurs : - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file! Erreur lors du chargement du fichier de projet ! @@ -23478,7 +23478,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QmakeProjectManager + QtC::QmakeProjectManager Step 1 of 2: Choose GnuPoc folder Étape 1 sur 2 : Choisir le répertoire GnuPoc @@ -23497,7 +23497,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::ProjectExplorer + QtC::ProjectExplorer The Symbian SDK and the project sources must reside on the same drive. Le SDK Symbian et les sources du projet doivent être situés sur le même disque. @@ -23524,7 +23524,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QmakeProjectManager + QtC::QmakeProjectManager Evaluating Évaluation @@ -23575,7 +23575,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -23588,7 +23588,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QmakeProjectManager + QtC::QmakeProjectManager Qmake does not support build directories below the source directory. Qmake ne permet pas d'avoir des répertoires de compilation à un niveau en-dessous des répertoires sources. @@ -23607,7 +23607,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QtSupport + QtC::QtSupport No qmake path set Chemin de qmake non spécifié @@ -23785,7 +23785,7 @@ Nécessite <b>Qt 4.8</b> ou plus récent. - ::QmakeProjectManager + QtC::QmakeProjectManager Mobile Qt Application Application Qt pour mobiles @@ -23818,14 +23818,14 @@ Preselects Qt for Simulator and mobile targets if available - ::Subversion + QtC::Subversion Annotate revision "%1" Révision annotée "%1" - ::TextEditor + QtC::TextEditor Text Editor Éditeur de texte @@ -23836,7 +23836,7 @@ Preselects Qt for Simulator and mobile targets if available - ::VcsBase + QtC::VcsBase The file '%1' could not be deleted. Le fichier "%1' n"a pas pu être supprimé. @@ -23931,7 +23931,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Texte @@ -23962,7 +23962,7 @@ Preselects Qt for Simulator and mobile targets if available - ::Core + QtC::Core Unfiltered Sans filtre @@ -23976,7 +23976,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmlEditorWidgets + QtC::QmlEditorWidgets Form Formulaire @@ -24109,7 +24109,7 @@ Preselects Qt for Simulator and mobile targets if available - ::ClassView + QtC::ClassView Form Formulaire @@ -24120,7 +24120,7 @@ Preselects Qt for Simulator and mobile targets if available - ::Help + QtC::Help Filter configuration Configuration du filtre @@ -24155,7 +24155,7 @@ Preselects Qt for Simulator and mobile targets if available - ::ImageViewer + QtC::ImageViewer Image Viewer Visualisateur d'image @@ -24198,7 +24198,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmlJSEditor + QtC::QmlJSEditor Dialog Boîte de dialogue @@ -24235,7 +24235,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmakeProjectManager + QtC::QmakeProjectManager Library: Bibliothèque : @@ -24395,7 +24395,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Cache cette barre d'outils. @@ -24427,7 +24427,7 @@ Preselects Qt for Simulator and mobile targets if available - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot est attendu deux nombres séparés par un point @@ -24438,7 +24438,7 @@ Preselects Qt for Simulator and mobile targets if available - ::ProjectExplorer + QtC::ProjectExplorer Cannot start process: %1 Impossible de démarrer le processus : %1 @@ -24492,7 +24492,7 @@ Preselects Qt for Simulator and mobile targets if available - ::Utils + QtC::Utils C++ C++ @@ -24547,7 +24547,7 @@ Preselects Qt for Simulator and mobile targets if available - ::ClassView + QtC::ClassView Class View Ou est-ce un rapport avec la Vue ? (graphics/view) @@ -24555,7 +24555,7 @@ Preselects Qt for Simulator and mobile targets if available - ::Core + QtC::Core Activate %1 Pane Activer le panneau %1 @@ -24575,7 +24575,7 @@ La liste du serveur était %2. - ::Core + QtC::Core Invalid channel id %1 Identifiant %1 du canal invalide @@ -24630,7 +24630,7 @@ La liste du serveur était %2. - ::CodePaster + QtC::CodePaster Checking connection Vérification de la connexion @@ -24641,7 +24641,7 @@ La liste du serveur était %2. - ::CppEditor + QtC::CppEditor Add %1 Declaration Ajouter la déclaration %1 @@ -24740,7 +24740,7 @@ Indicateurs : %3 - ::Debugger + QtC::Debugger File and Line Number Fichier et numéro de ligne @@ -25410,7 +25410,7 @@ Details: %3 - ::Git + QtC::Git Set the environment variable HOME to '%1' (%2). @@ -25435,21 +25435,21 @@ plutôt que dans le répertoire d'installation lors d'une exècution e - ::Help + QtC::Help Qt Creator Offline Help Aide hors ligne de Qt Creator - ::Core + QtC::Core Close Document Fermer le document - ::Help + QtC::Help Copy Full Path to Clipboard Copier le chemin complet dans le presse papier @@ -25464,7 +25464,7 @@ plutôt que dans le répertoire d'installation lors d'une exècution e - ::ImageViewer + QtC::ImageViewer Ctrl++ Ctrl++ @@ -25519,7 +25519,7 @@ plutôt que dans le répertoire d'installation lors d'une exècution e - ::ProjectExplorer + QtC::ProjectExplorer %1 Steps %1 is the name returned by BuildStepList::displayName @@ -25725,7 +25725,7 @@ utilisez import Qt 4.7 au lieu de import QtQuick 1.0 - ::QmlJSEditor + QtC::QmlJSEditor Move Component into separate file déplacer ou déplace ? John : Difficle sans context, allons pour déplace. dourouc : en voyant l'autre, le contexte doit être fort semblable, donc indicatif. @@ -25919,7 +25919,7 @@ utilisez import Qt 4.7 au lieu de import QtQuick 1.0 - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library Ajouter une bibliothèque @@ -26054,7 +26054,7 @@ Ajoute la bibliothèque et les chemins d'inclusion dans le fichier .pro. - ::ProjectExplorer + QtC::ProjectExplorer qmldump could not be built in any of the directories: - %1 @@ -26074,7 +26074,7 @@ Raison : %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt for Desktop or Qt for Qt Simulator. Seulement disponible pour Qt for Desktop et Qt for Qt Simulateur. @@ -26085,7 +26085,7 @@ Raison : %2 - ::ProjectExplorer + QtC::ProjectExplorer QMLObserver could not be built in any of the directories: - %1 @@ -26098,7 +26098,7 @@ Raison : %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Passphrase: Terme anglais utilisé pour un mot de passe généralement long et plus sécurisé @@ -26449,7 +26449,7 @@ Présélectionne la version de Qt pour le simulateur et les mobiles si disponibl - ::QmakeProjectManager + QtC::QmakeProjectManager The file is not a valid image. Le fichier n'est pas une image valide. @@ -26681,7 +26681,7 @@ Requiert <b>Qt 4.7.0</b> ou plus récent. - ::ProjectExplorer + QtC::ProjectExplorer Stop monitoring Arrêter la surveillance @@ -26712,7 +26712,7 @@ Requiert <b>Qt 4.7.0</b> ou plus récent. - ::TextEditor + QtC::TextEditor Generic Highlighter Coloration syntaxique générique @@ -26847,7 +26847,7 @@ Veuillez vérifier les droits d'accès du répertoire. - ::Bazaar + QtC::Bazaar General Information Informations générales @@ -26890,7 +26890,7 @@ Les commits locaux ne sont pas transmis à la branche principale avant qu'u - ::Bazaar + QtC::Bazaar By default, branch will fail if the target directory exists, but does not already have a control directory. This flag will allow branch to proceed @@ -26971,7 +26971,7 @@ La nouvelle branche dépendra de la disponibilité de la branche source pour tou - ::Bazaar + QtC::Bazaar Form Formulaire @@ -27034,7 +27034,7 @@ La nouvelle branche dépendra de la disponibilité de la branche source pour tou - ::Bazaar + QtC::Bazaar Dialog Boîte de dialogue @@ -27140,7 +27140,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::Bazaar + QtC::Bazaar Revert Rétablir @@ -27155,7 +27155,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::Core + QtC::Core Form Formulaire @@ -27261,7 +27261,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::Macros + QtC::Macros Form Formulaire @@ -27346,7 +27346,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::ProjectExplorer + QtC::ProjectExplorer Publishing Wizard Selection Sélection de l'assistant de publication @@ -27365,7 +27365,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::QmakeProjectManager + QtC::QmakeProjectManager Used to extract QML type information from library-based plugins. Utilisé pour extraire le type d'information QML pour les plugins bibliothèques. @@ -27648,7 +27648,7 @@ Les pulls locaux ne sont pas appliqués à la branche maître. - ::QmakeProjectManager + QtC::QmakeProjectManager ARM &version: &Version ARM : @@ -27757,7 +27757,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::QmakeProjectManager + QtC::QmakeProjectManager Dialog Boîte de dialogue @@ -27823,7 +27823,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::TextEditor + QtC::TextEditor Tabs and Indentation Tabulation et indentation @@ -27858,14 +27858,14 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Valgrind + QtC::Valgrind Common Valgrind Options Options communes de Valgrind - ::QmlJS + QtC::QmlJS Errors while loading qmltypes from %1: %2 @@ -28020,7 +28020,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Utils + QtC::Utils Cannot retrieve debugging output. Impossible d'obtenir la sortie du débogage. @@ -28205,7 +28205,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Valgrind + QtC::Valgrind No errors found Aucune erreur trouvée @@ -28328,7 +28328,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Debugger + QtC::Debugger Analyzer Analyseur @@ -28677,7 +28677,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Bazaar + QtC::Bazaar Cloning Cloner @@ -28696,7 +28696,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Bazaar + QtC::Bazaar Location Emplacement @@ -28711,21 +28711,21 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::Bazaar + QtC::Bazaar Commit Editor Faire un commit de l'éditeur - ::Bazaar + QtC::Bazaar Bazaar Command Commande Bazaar - ::Core + QtC::Core Uncategorized Sans catégorie @@ -29038,7 +29038,7 @@ au gestionnaire de version (%2) - ::CppEditor + QtC::CppEditor Sort Alphabetically Trier par ordre alphabétique @@ -29065,7 +29065,7 @@ au gestionnaire de version (%2) - ::Debugger + QtC::Debugger &Condition: &Condition : @@ -29762,7 +29762,7 @@ Do you want to retry? - ::Git + QtC::Git Use the patience algorithm for calculating the diff Utiliser l'algorithme patience pour calculer le diff @@ -29837,7 +29837,7 @@ Do you want to retry? - ::GlslEditor + QtC::GlslEditor %1 of %2 %1 de %2 @@ -29885,7 +29885,7 @@ Do you want to retry? - ::Macros + QtC::Macros Macros Macros @@ -29952,7 +29952,7 @@ Do you want to retry? - ::ProjectExplorer + QtC::ProjectExplorer GCC GCC @@ -30175,7 +30175,7 @@ QML component instance objects and properties directly. - ::QmlJSEditor + QtC::QmlJSEditor New %1 Nouveau %1 @@ -30272,7 +30272,7 @@ QML component instance objects and properties directly. - ::QmlJSTools + QtC::QmlJSTools Functions Fonctions @@ -30423,7 +30423,7 @@ Please build the debugging helpers on the Qt version options page. - ::QmlProjectManager + QtC::QmlProjectManager Manage Qt versions... Gestionnaire des versions de Qt... @@ -30438,7 +30438,7 @@ Please build the debugging helpers on the Qt version options page. - ::QmakeProjectManager + QtC::QmakeProjectManager The target directory %1 could not be created. Le dossier cible %1 n'a pas pu être créé. @@ -30652,7 +30652,7 @@ Utilisez un certificat développeur ou une autre option de signature pour évite - ::QmakeProjectManager + QtC::QmakeProjectManager Add build from: Ajouter une compilation depuis : @@ -30898,7 +30898,7 @@ Voys pouvez compiler l'application et la déployer sur desktop et mobile. P - ::TextEditor + QtC::TextEditor CTRL+D Ctrl+D @@ -30965,7 +30965,7 @@ Voys pouvez compiler l'application et la déployer sur desktop et mobile. P - ::VcsBase + QtC::VcsBase Unable to start process '%1': %2 Impossible de démarrer le processus "%1" : %2 @@ -31091,17 +31091,17 @@ Voys pouvez compiler l'application et la déployer sur desktop et mobile. P - ::CMakeProjectManager + QtC::CMakeProjectManager Failed opening project '%1': Project is not a file Échec de l'ouverture du projet "%1" : le projet n'est pas un fichier - ::Macros + QtC::Macros - ::QmakeProjectManager + QtC::QmakeProjectManager <html><head/><body><table><tr><td>Path to MADDE:</td><td>%1</td></tr><tr><td>Path to MADDE target:</td><td>%2</td></tr><tr><td>Debugger:</td/><td>%3</td></tr></body></html> <html><head/><body><table><tr><td>Chemin de MADDE :</td><td>%1</td></tr><tr><td>Chemin de la cible MADDE :</td><td>%2</td></tr><tr><td>Débogueur :</td/><td>%3</td></tr></body></html> @@ -31292,7 +31292,7 @@ Voys pouvez compiler l'application et la déployer sur desktop et mobile. P - ::CppEditor + QtC::CppEditor Form Formulaire @@ -31562,7 +31562,7 @@ if (a && - ::Git + QtC::Git Dialog Boîte de dialogue @@ -31665,7 +31665,7 @@ if (a && - ::QmlProfiler + QtC::QmlProfiler Dialog Boîte de dialogue @@ -31769,7 +31769,7 @@ Ils requièrent Qt 4.7.4 ou supérieur et l'ensemble de composants install - ::QtSupport + QtC::QtSupport Used to extract QML type information from library-based plugins. Utilisé pour extraire le type d'information QML pour les bibliothèques basées sur des plug-ins. @@ -31868,7 +31868,7 @@ Ils requièrent Qt 4.7.4 ou supérieur et l'ensemble de composants install - ::Valgrind + QtC::Valgrind Dialog Boîte de dialogue @@ -32064,7 +32064,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::VcsBase + QtC::VcsBase Configure Configurer @@ -32544,7 +32544,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::ProjectExplorer + QtC::ProjectExplorer Manage Sessions... Gestion des sessions... @@ -32582,7 +32582,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::Core + QtC::Core Tags: Tags : @@ -32630,7 +32630,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::ProjectExplorer + QtC::ProjectExplorer Recently Edited Projects Projets récemment édités @@ -32648,7 +32648,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::Utils + QtC::Utils Refusing to remove root directory. Impossible de supprimer le répertoire racine. @@ -32796,7 +32796,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::Bazaar + QtC::Bazaar Ignore whitespace Ignorer les espaces @@ -32815,7 +32815,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::CMakeProjectManager + QtC::CMakeProjectManager Changes to cmake files are shown in the project tree after building. Les changements aux fichiers CMake sont montrés dans l'arbre du projet après la compilation. @@ -32826,7 +32826,7 @@ Avec la simulation de cache, d'autres compteurs d'événements sont ac - ::Core + QtC::Core Overwrite Existing Files Écraser les fichiers existants @@ -32857,7 +32857,7 @@ Would you like to overwrite them? - ::CodePaster + QtC::CodePaster <Unknown> Unknown user of paste. @@ -32865,7 +32865,7 @@ Would you like to overwrite them? - ::CppEditor + QtC::CppEditor Code style settings: Paramètres de style de code : @@ -32894,7 +32894,7 @@ Would you like to overwrite them? - ::CVS + QtC::CVS Ignore whitespace Ignorer les espaces @@ -32913,7 +32913,7 @@ Would you like to overwrite them? - ::Debugger + QtC::Debugger Previous Précédent @@ -32928,7 +32928,7 @@ Would you like to overwrite them? - ::FakeVim + QtC::FakeVim Action Action @@ -32947,7 +32947,7 @@ Would you like to overwrite them? - ::GenericProjectManager + QtC::GenericProjectManager Hide files matching: Cacher les fichiers correspondant à : @@ -32987,7 +32987,7 @@ These files are preserved. - ::Git + QtC::Git Local Branches Branches locales @@ -33002,7 +33002,7 @@ These files are preserved. - ::ImageViewer + QtC::ImageViewer Cannot open image file %1 Impossible d'ouvrir le fichier d'image %1 @@ -33021,7 +33021,7 @@ These files are preserved. - ::Mercurial + QtC::Mercurial Ignore whitespace Ignorer les espaces @@ -33040,7 +33040,7 @@ These files are preserved. - ::Perforce + QtC::Perforce Ignore whitespace Ignorer l'espace blanc @@ -33051,7 +33051,7 @@ These files are preserved. - ::ProjectExplorer + QtC::ProjectExplorer <custom> <personnalisé> @@ -33113,7 +33113,7 @@ These files are preserved. - ::ProjectExplorer + QtC::ProjectExplorer Project Settings @@ -33130,7 +33130,7 @@ These files are preserved. - ::Welcome + QtC::Welcome %1 (current session) %1 (session courante) @@ -33334,7 +33334,7 @@ These files are preserved. - ::QmlJSTools + QtC::QmlJSTools Code Style Style de code @@ -33367,7 +33367,7 @@ These files are preserved. - ::QmlProfiler + QtC::QmlProfiler Application finished before loading profiled data. Please use the stop button instead. @@ -33523,7 +33523,7 @@ Souhaitez-vous réessayer ? - ::Tracing + QtC::Tracing Jump to previous event Sauter à l'événement précédent @@ -33555,7 +33555,7 @@ Souhaitez-vous réessayer ? - ::QmlProjectManager + QtC::QmlProjectManager Starting %1 %2 @@ -33573,7 +33573,7 @@ Souhaitez-vous réessayer ? - ::QmakeProjectManager + QtC::QmakeProjectManager No device is connected. Please connect a device and try again. @@ -33735,7 +33735,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::QtSupport + QtC::QtSupport The compiler '%1' (%2) cannot produce code for the Qt version '%3' (%4). Le compilateur "%1" (%2) ne peut produire du code pour la version de Qt "%3" (%4). @@ -33942,7 +33942,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - ::RemoteLinux + QtC::RemoteLinux Operation canceled by user, cleaning up... Opération annulée par l'utilisateur, nettoyage... @@ -34584,7 +34584,7 @@ Remote error output was: %1 - ::Subversion + QtC::Subversion Ignore whitespace Ignorer les espaces @@ -34595,7 +34595,7 @@ Remote error output was: %1 - ::TextEditor + QtC::TextEditor %1 of %2 %1 de %2 @@ -34623,7 +34623,7 @@ Remote error output was: %1 - ::Valgrind + QtC::Valgrind Profiling Profilage @@ -35136,7 +35136,7 @@ Remote error output was: %1 - ::VcsBase + QtC::VcsBase Command used for reverting diff chunks ?? @@ -35179,7 +35179,7 @@ Remote error output was: %1 - ::QmlProjectManager + QtC::QmlProjectManager Open Qt Versions Ouvrir les versions de Qt @@ -35202,7 +35202,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::RemoteLinux + QtC::RemoteLinux Ignore missing files Ignorer les fichiers manquants @@ -35217,7 +35217,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::ExtensionSystem + QtC::ExtensionSystem Qt Creator - Plugin loader messages Qt Creator - messages du chargeur de plug-in @@ -35232,7 +35232,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::QmlProfiler + QtC::QmlProfiler Painting Dessin @@ -35255,7 +35255,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Tracing + QtC::Tracing Details Détails @@ -35390,7 +35390,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::TextEditor + QtC::TextEditor Copy Code Style Copier le style de code @@ -35520,7 +35520,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Utils + QtC::Utils Password Required Mot de passe requis @@ -35539,7 +35539,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Bazaar + QtC::Bazaar Verbose Journal @@ -35582,7 +35582,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Core + QtC::Core Launching a file browser failed Échec du lancement du navigateur de fichier @@ -35672,7 +35672,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Debugger + QtC::Debugger C++ exception Exception C++ @@ -35719,7 +35719,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::Core + QtC::Core Case sensitive Sensible à la casse @@ -35796,7 +35796,7 @@ Pour compiler l'observateur QML, allez à la page des versions de Qt, séle - ::ProjectExplorer + QtC::ProjectExplorer <html><head/><body><p>A versioned backup of the .user settings file will be used, because the non-versioned file was created by an incompatible newer version of Qt Creator.</p><p>Project settings changes made since the last time this version of Qt Creator was used with this project are ignored, and changes made now will <b>not</b> be propagated to the newer version.</p></body></html> <html><head/><body><p>Une sauvegarde versionnée du fichier de paramètres .user sera utilisée parce qu'un fichier non versionné a été créé par une version plus récente et incompatible de Qt Creator.</p><p>Les changements aux préférences du projet effectuées depuis la dernière fois que cette version de Qt Creator a été utilisée avec ce projet seront ignorés et les changements effectués dès maintenant ne seront <b>pas</b> propagés à la nouvelle version.</p></body></html> @@ -35855,7 +35855,7 @@ Si vous choisissez de ne pas continuer, Qt Creator n'essayera pas de charge - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Burger King bientôt ? :P @@ -35863,7 +35863,7 @@ Si vous choisissez de ne pas continuer, Qt Creator n'essayera pas de charge - ::QmlJS + QtC::QmlJS The type will only be available in Qt Creator's QML editors when the type name is a string literal Le type sera disponible dans l'éditeur QML de Qt Creator lorsque le nom du type est une chaîne de caractères @@ -35881,7 +35881,7 @@ globalement dans l'éditeur QML. Vous pouvez ajouter une annotation '/ - ::QmakeProjectManager + QtC::QmakeProjectManager Headers En-têtes @@ -35940,7 +35940,7 @@ globalement dans l'éditeur QML. Vous pouvez ajouter une annotation '/ - ::RemoteLinux + QtC::RemoteLinux No deployment action necessary. Skipping. Aucune action de déploiement nécessaire. Continuation. @@ -36416,7 +36416,7 @@ Remote stderr was: '%1' - ::TextEditor + QtC::TextEditor Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. Éditer le prévisualisation du contenu pour voir la manière dont les paramètres actuels sont appliqués dans le snippets de code personnalisé. Les changements dans la zone de prévisualisation n'affectent pas les paramètres actuels. @@ -36468,7 +36468,7 @@ Filtre : %2 - ::UpdateInfo + QtC::UpdateInfo Could not determine location of maintenance tool. Please check your installation if you did not enable this plugin manually. Impossible de déterminer l'emplacement de l'outil de maintenant. Veuillez vérifier votre installation si vous n'avez pas activé ce module manuellement. @@ -36491,7 +36491,7 @@ Filtre : %2 - ::VcsBase + QtC::VcsBase '%1' failed (exit code %2). @@ -36569,7 +36569,7 @@ Filtre : %2 - ::Core + QtC::Core Command Mappings Mappages de commandes @@ -36648,7 +36648,7 @@ Filtre : %2 - ::CodePaster + QtC::CodePaster Form Formulaire @@ -36759,7 +36759,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Header suffix: Suffixe des fichier d'en-tête : @@ -36834,7 +36834,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::Debugger + QtC::Debugger Start Debugger Lancer le débogueur @@ -36889,7 +36889,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::RemoteLinux + QtC::RemoteLinux Has a passwordless (key-based) login already been set up for this device? Posséde déjà un de mot de passe (basé sur des clés) de connexion pour cet appareil ? @@ -36941,7 +36941,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::ProjectExplorer + QtC::ProjectExplorer Form Formulaire @@ -37011,7 +37011,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::Tracing + QtC::Tracing Selection Sélection @@ -37030,7 +37030,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::QmakeProjectManager + QtC::QmakeProjectManager Make arguments: Arguments de Make : @@ -37125,14 +37125,14 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::QtSupport + QtC::QtSupport Debugging Helper Build Log Journal de compilation de l'assistant de debogage - ::RemoteLinux + QtC::RemoteLinux Form Formulaire @@ -37283,7 +37283,7 @@ Ces chemines sont utilisés en complément au répertoire courant pour basculer - ::TextEditor + QtC::TextEditor Form Formulaire @@ -37717,7 +37717,7 @@ Influence l'indentation des lignes de continuation. - ::Todo + QtC::Todo Form Formulaire @@ -37748,7 +37748,7 @@ Influence l'indentation des lignes de continuation. - ::VcsBase + QtC::VcsBase WizardPage WizardPage @@ -37869,7 +37869,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::QtSupport + QtC::QtSupport Examples Exemples @@ -37943,7 +37943,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::QtSupport + QtC::QtSupport Tutorials Tutoriels @@ -37981,7 +37981,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::ProjectExplorer + QtC::ProjectExplorer Rename Renommer @@ -38000,7 +38000,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::QmlJS + QtC::QmlJS do not use '%1' as a constructor ne pas utiliser '%1' comme un constructeur @@ -38245,7 +38245,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::Utils + QtC::Utils Add Ajouter @@ -38528,7 +38528,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::Android + QtC::Android Autogen Display name for AutotoolsProjectManager::AutogenStep id. @@ -38687,7 +38687,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. L'éditeur binaire ne peut ouvrir des fichiers vides. @@ -38702,14 +38702,14 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMake target Compiler la cible CMake - ::Core + QtC::Core Could not save the files. error message @@ -38757,7 +38757,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::CppEditor + QtC::CppEditor Extract Function Extraire la fonction @@ -38781,7 +38781,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::Debugger + QtC::Debugger Reset Réinitialiser @@ -38852,7 +38852,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::Git + QtC::Git untracked non suivi @@ -38916,7 +38916,7 @@ si un dépôt requiert une authentification SSH (voir la documentation sur SSH e - ::Core + QtC::Core Previous command is still running ('%1'). Do you want to kill it? @@ -38961,7 +38961,7 @@ Voulez-vous la tuer ? - ::ProjectExplorer + QtC::ProjectExplorer Edit Environment Editer l'environnement @@ -38992,7 +38992,7 @@ Voulez-vous la tuer ? - ::QmlJSEditor + QtC::QmlJSEditor Add a comment to suppress this message Ajouter un commentaire pour supprimer ce message @@ -39036,7 +39036,7 @@ Voulez-vous la tuer ? - ::QmlProfiler + QtC::QmlProfiler Trace information from the v8 JavaScript engine. Available only in Qt5 based applications Suivre les informations à partir du moteur JavaScript V8. Disponible uniquement dans les applications basées sur Qt5 @@ -39192,7 +39192,7 @@ des références à des éléments dans d'autres fichiers, des boucles, etc - ::QmakeProjectManager + QtC::QmakeProjectManager Configure Project Configurer le projet @@ -39242,7 +39242,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::QtSupport + QtC::QtSupport Copy Project to writable Location? Copier le projet à un emplacement accessible en écriture ? @@ -39314,7 +39314,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::RemoteLinux + QtC::RemoteLinux Embedded Linux Linux embarqué @@ -39325,7 +39325,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::TextEditor + QtC::TextEditor %1 found %1 élément(s) trouvé(s) @@ -39350,7 +39350,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::Todo + QtC::Todo Description Description @@ -39365,7 +39365,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::Todo + QtC::Todo To-Do Entries Fonctionnalités qui recherche les entrées "TODO" dans le code, à voir comment ça s'affiche en partique dans Qt Creator. [Pierre] ça je suis partisant de laisser TODO tel quel, c'est du jargon informatique... @@ -39389,7 +39389,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::Todo + QtC::Todo To-Do Quoi que l'on pourrait laisser TODO ? [Pierre] yep, je valide TODO @@ -39397,7 +39397,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::VcsBase + QtC::VcsBase Open URL in browser... Ouvrir l'URL dans le navigateur... @@ -39519,7 +39519,7 @@ Les modèles de code C++ et QML ont besoin d'une version de Qt et d'un - ::Android + QtC::Android Create new AVD Créer un nouvel AVD @@ -39890,7 +39890,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::ClearCase + QtC::ClearCase Check Out Importer @@ -40036,7 +40036,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Core + QtC::Core Remove File Supprimer le fichier @@ -40055,7 +40055,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::ProjectExplorer + QtC::ProjectExplorer Device Configuration Wizard Selection Sélection de l'assistant de configuration du périphérique @@ -40122,14 +40122,14 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Qnx + QtC::Qnx Packages to deploy: Paquets à déployer : - ::Qnx + QtC::Qnx &Device name: &Nom du périphérique : @@ -40212,7 +40212,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Qnx + QtC::Qnx The name to identify this configuration: Le nom pour identifier cette configuration : @@ -40271,7 +40271,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Qnx + QtC::Qnx WizardPage Page d'assistant @@ -40302,7 +40302,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Qnx + QtC::Qnx Device: Appareil mobile : @@ -40313,7 +40313,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Qnx + QtC::Qnx SDK: SDK : @@ -40335,7 +40335,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Todo + QtC::Todo Keyword Mot-clé @@ -40363,7 +40363,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -40589,7 +40589,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Utils + QtC::Utils Adjust Column Widths to Contents Ajuster la largeur des colonnes au contenu @@ -40650,7 +40650,7 @@ Le fichier APL ne sera pas utilisable sur d'autres périphériques. - ::Android + QtC::Android Could not run: %1 Impossible de démarrer : %1 @@ -41155,7 +41155,7 @@ Veuillez choisir un nom de paquet valide pour votre application (par exemple &qu - ::Bookmarks + QtC::Bookmarks Alt+Meta+M Alt+Meta+M @@ -41166,7 +41166,7 @@ Veuillez choisir un nom de paquet valide pour votre application (par exemple &qu - ::ClearCase + QtC::ClearCase Select &activity: Sélectionner une &activité : @@ -41516,7 +41516,7 @@ Oui :) - ::CMakeProjectManager + QtC::CMakeProjectManager cmake Executable: Exécutable CMake : @@ -41583,7 +41583,7 @@ Oui :) - ::Core + QtC::Core Meta+O Meta+O @@ -41598,7 +41598,7 @@ Oui :) - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes Le fichier cible a été modifié, impossible d'appliquer les changements @@ -41650,7 +41650,7 @@ Oui :) - ::Debugger + QtC::Debugger Delete Breakpoint Supprimer le point d'arrêt @@ -41879,14 +41879,14 @@ Oui :) - ::ProjectExplorer + QtC::ProjectExplorer &Attach to Process &Attacher au processus - ::Debugger + QtC::Debugger Unable to create a debugger engine of the type '%1' Impossible de créer un moteur de débogage du type "%1" @@ -42585,7 +42585,7 @@ Le pas à pas dans le module ou la définition de points d'arrêt par fichi - ::Git + QtC::Git Apply in: Appliquer dans : @@ -42875,7 +42875,7 @@ were not verified among remotes in %3. Select different folder? - ::Perforce + QtC::Perforce &Edit (%1) &Éditer (%1) @@ -42890,7 +42890,7 @@ were not verified among remotes in %3. Select different folder? - ::ProjectExplorer + QtC::ProjectExplorer Run locally Exécuter localement @@ -43204,7 +43204,7 @@ Remote stderr was: %1 - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal Le type sera disponible dans l'éditeur QML de Qt Creator lorsque le nom du type est une chaîne de caractères @@ -43223,7 +43223,7 @@ pour donner un indice à Qt Creator à propos d'une URI probable. - ::QmlProfiler + QtC::QmlProfiler Source code not available. Code source non disponible. @@ -43362,14 +43362,14 @@ pour donner un indice à Qt Creator à propos d'une URI probable. - ::Qnx + QtC::Qnx Starting: "%1" %2 Débute : "%1" %2 - ::Qnx + QtC::Qnx Launching application failed Le démarrage de l'application a échoué @@ -43380,7 +43380,7 @@ pour donner un indice à Qt Creator à propos d'une URI probable. - ::Qnx + QtC::Qnx Create BAR packages Créer les paquets BAR @@ -43423,7 +43423,7 @@ pour donner un indice à Qt Creator à propos d'une URI probable. - ::Qnx + QtC::Qnx <b>Create packages</b> <b>Créer les paquets</b> @@ -43458,14 +43458,14 @@ pour donner un indice à Qt Creator à propos d'une URI probable. - ::Qnx + QtC::Qnx Create BAR Packages Créer les paquets BAR - ::Qnx + QtC::Qnx Deploy to BlackBerry Device Déployer sur un périphérique BlackBerry @@ -43498,7 +43498,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx Enabled Activé @@ -43513,7 +43513,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx Deploy packages Déployer les paquets @@ -43532,21 +43532,21 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx <b>Deploy packages</b> <b>Déployer les paquets</b> - ::Qnx + QtC::Qnx Deploy Package Déployer le paquet - ::Qnx + QtC::Qnx Connect to device Connecter au périphérique @@ -43557,7 +43557,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx New BlackBerry Device Configuration Setup Configuration d'un nouveau périphérique BlackBerry @@ -43580,7 +43580,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx Setup Finished Fin de l'installation @@ -43599,7 +43599,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx BlackBerry %1 Qt Version is meant for BlackBerry @@ -43615,7 +43615,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx %1 on BlackBerry device %1 sur périphérique BlackBerry @@ -43626,14 +43626,14 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx %1 on BlackBerry Device %1 sur le périphérique BlackBerry - ::Qnx + QtC::Qnx No active deploy configuration Aucune configuration de déploiement active @@ -43648,35 +43648,35 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx No SDK path set Chemin du SDK non spécifié - ::Qnx + QtC::Qnx Deploy to QNX Device Déployer sur un périphérique QNX - ::Qnx + QtC::Qnx New QNX Device Configuration Setup Configuration du nouveau périphérique QNX - ::Qnx + QtC::Qnx QNX Device Périphérique QNX - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -43693,21 +43693,21 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::Qnx + QtC::Qnx Path to Qt libraries on device: Chemin sur le périphérique vers les bibliothèques Qt : - ::Qnx + QtC::Qnx %1 on QNX Device %1 sur périphérique QNX - ::Qnx + QtC::Qnx Run on remote QNX device Exécuter sur un périphérique QNX distant @@ -43718,7 +43718,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::QmakeProjectManager + QtC::QmakeProjectManager The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. Le mkspec à utiliser lors de la compilation du projet avec qmake.<br>Ce paramètre est ignoré lors de l'utilisation avec d'autres systèmes de compilation. @@ -43759,7 +43759,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::QtSupport + QtC::QtSupport Command: Commande : @@ -43789,7 +43789,7 @@ Voulez-vous que Qt Creator le génère pour votre projet ? - ::QtSupport + QtC::QtSupport No executable. Pas d'exécutable. @@ -43836,7 +43836,7 @@ n'a pas pu être trouvé dans le dossier. - ::RemoteLinux + QtC::RemoteLinux Remote process crashed. Le processus distant a crashé. @@ -43878,7 +43878,7 @@ n'a pas pu être trouvé dans le dossier. - ::ResourceEditor + QtC::ResourceEditor Add Files Ajouter des fichiers @@ -43953,7 +43953,7 @@ n'a pas pu être trouvé dans le dossier. - ::TextEditor + QtC::TextEditor Display context-sensitive help or type information on mouseover. Afficher l'aide contextuelle ou l'information du type lors d'un survol de souris. @@ -43964,7 +43964,7 @@ n'a pas pu être trouvé dans le dossier. - ::Core + QtC::Core Files Without Write Permissions Fichiers sans permisions d'écriture @@ -44075,7 +44075,7 @@ Souhaitez-vous les importer maintenant ? - ::Debugger + QtC::Debugger Dialog Boîte de dialogue @@ -44098,7 +44098,7 @@ Souhaitez-vous les importer maintenant ? - ::Git + QtC::Git Local Changes Found. Choose Action: Changements locaux trouvés. Choisissez une action : @@ -44197,7 +44197,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Mercurial + QtC::Mercurial User name: Nom d'utilisateur : @@ -44208,7 +44208,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::ProjectExplorer + QtC::ProjectExplorer Machine type: Type de machine : @@ -44227,7 +44227,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::QbsProjectManager + QtC::QbsProjectManager Build variant: Variante de compilation : @@ -44664,7 +44664,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Destination Destination @@ -44679,7 +44679,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Author ID: Identifiant de l'auteur : @@ -44702,7 +44702,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Name: Nom : @@ -44745,14 +44745,14 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Device Environment Environnement du périphérique - ::Qnx + QtC::Qnx Orientation: Orientation : @@ -44795,7 +44795,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Package ID: Identifiant de paquet : @@ -44810,7 +44810,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Select All Tout sélectionner @@ -44821,7 +44821,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx PKCS 12 archives (*.p12) Archive PKCS 12 (*.p12) @@ -44868,7 +44868,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Request Debug Token Requête du jeton de débogage @@ -44911,7 +44911,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Import Certificate Importer un certificat @@ -44934,7 +44934,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Form Formulaire @@ -45069,7 +45069,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Get started and configure your environment: Démarrer et configurer votre environnement : @@ -45162,7 +45162,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Register Key Inscrire la clé @@ -45193,7 +45193,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Device name: Nom du périphérique : @@ -45224,14 +45224,14 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Your environment is ready to be configured. Votre environnement est prêt à être configuré. - ::Qnx + QtC::Qnx <html><head/><body><p><span style=" font-weight:600;">Obtaining keys</span></p><p>You will need to order a pair of CSJ files from BlackBerry, by <a href="https://www.blackberry.com/SignedKeys/codesigning.html"><span style=" text-decoration: underline; color:#004f69;">visiting this page.</span></a></p></body></html> <html><head/><body><p><span style=" font-weight:600;">Obtention des clés</span></p><p>Vous devez commander une paire de fichiers CSJ à BlackBerry, en <a href="https://www.blackberry.com/SignedKeys/codesigning.html"><span style=" text-decoration: underline; color:#004f69;">visitant cette page.</span></a></p></body></html> @@ -45294,14 +45294,14 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Qnx + QtC::Qnx Package signing passwords Mots de passe de signature des paquets - ::VcsBase + QtC::VcsBase Subversion Submit Soumission Subversion @@ -45359,21 +45359,21 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::ExtensionSystem + QtC::ExtensionSystem Continue Continue - ::QmlJS + QtC::QmlJS %1 seems not to be encoded in UTF8 or has a BOM. %1 ne semble pas être encodé en UTF8 ou possède un BOM. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 Erreur XML sur la ligne %1, colonne %2 : %3 @@ -45384,7 +45384,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::QmlJS + QtC::QmlJS Cannot find file %1. Impossible de trouver le fichier %1. @@ -45687,7 +45687,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Android + QtC::Android No analyzer tool selected. Pas d'outil d'analyse sélectionné. @@ -45890,7 +45890,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::BinEditor + QtC::BinEditor Memory at 0x%1 Mémoire à 0x%1 @@ -45994,14 +45994,14 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Bookmarks + QtC::Bookmarks Note text: Note : - ::CMakeProjectManager + QtC::CMakeProjectManager Ninja (%1) Ninja (%1) @@ -46036,7 +46036,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Core + QtC::Core (%1) (%1) @@ -46079,7 +46079,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::CppEditor + QtC::CppEditor C++ Class Classe C++ @@ -46254,14 +46254,14 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::CVS + QtC::CVS &Edit &Édition - ::Debugger + QtC::Debugger Symbol Paths Chemins des symboles @@ -46372,7 +46372,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 Couleur à la position %1,%2 : rouge : %3 vert : %4 bleu : %5 alpha : %6 @@ -46395,7 +46395,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Debugger + QtC::Debugger Unable to start lldb '%1': %2 LLDB au lieu de lldb, comme sur le site http://lldb.llvm.org/ @@ -46463,7 +46463,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::DiffEditor + QtC::DiffEditor Ignore Whitespace Ignorer les espaces @@ -46526,7 +46526,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Utils + QtC::Utils Delete Supression @@ -46541,7 +46541,7 @@ Les noms partiels peuvent êtres utilisé s'ils ne sont pas ambigües. - ::Git + QtC::Git Working tree Arbre de travail @@ -46664,7 +46664,7 @@ Distant : %4 - ::ProjectExplorer + QtC::ProjectExplorer Custom Personnalisé @@ -46779,7 +46779,7 @@ Distant : %4 - ::Python + QtC::Python Python source file Fichier source Python @@ -46826,7 +46826,7 @@ Distant : %4 - ::QbsProjectManager + QtC::QbsProjectManager Parsing the Qbs project. Analyse du projet Qbs. @@ -47422,7 +47422,7 @@ Distant : %4 - ::QmlJSTools + QtC::QmlJSTools Cu&t Co&uper @@ -47472,7 +47472,7 @@ Distant : %4 - ::QmlProjectManager + QtC::QmlProjectManager New Qt Quick UI Project Nouveau projet d'IHM Qt Quick @@ -47507,14 +47507,14 @@ Distant : %4 - ::Qnx + QtC::Qnx %1 does not appear to be a valid application descriptor file %1 ne semble pas être un fichier de description d'application valide - ::Qnx + QtC::Qnx Application Application @@ -47525,14 +47525,14 @@ Distant : %4 - ::Qnx + QtC::Qnx Bar descriptor editor Éditeur de description Bar - ::Qnx + QtC::Qnx Entry-Point Text and Images Point d'entrée pour les textes et images @@ -47563,7 +47563,7 @@ Distant : %4 - ::Qnx + QtC::Qnx Permission Permissions @@ -47699,7 +47699,7 @@ Distant : %4 - ::Qnx + QtC::Qnx Path Chemin @@ -47714,7 +47714,7 @@ Distant : %4 - ::Qnx + QtC::Qnx Could not find command '%1' in the build environment Impossible de trouver la commande "%1" dans l'environnement de compilation @@ -47725,21 +47725,21 @@ Distant : %4 - ::Qnx + QtC::Qnx <b>Check development mode</b> <b>Vérifier le mode développeur</b> - ::Qnx + QtC::Qnx Check Development Mode Vérifier le mode développeur - ::Qnx + QtC::Qnx The following errors occurred while setting up BB10 Configuration: Les erreurs suivantes sont apparues pendant la configuration de BB10 : @@ -47830,7 +47830,7 @@ Distant : %4 - ::Qnx + QtC::Qnx Failed to start blackberry-signer process. Échec de démarrage du processus de signature BlackBerry. @@ -47853,35 +47853,35 @@ Distant : %4 - ::Qnx + QtC::Qnx Error connecting to device: java could not be found in the environment. Erreur lors de la connexion au périphérique : Java n'a pas pu être trouvé dans l'environnement. - ::Qnx + QtC::Qnx Keys Clés - ::Qnx + QtC::Qnx NDK NDK - ::Qnx + QtC::Qnx Authentication failed. Please make sure the password for the device is correct. Échec de l'authentification. Veuillez-vous assurer que le mot de passe pour le périphérique est correct. - ::Qnx + QtC::Qnx BlackBerry Development Environment Setup Wizard Assistant de paramétrage de l'environnement de développement BlackBerry @@ -47952,7 +47952,7 @@ Distant : %4 - ::Qnx + QtC::Qnx Welcome to the BlackBerry Development Environment Setup Wizard. This wizard will guide you through the essential steps to deploy a ready-to-go development environment for BlackBerry 10 devices. @@ -47965,21 +47965,21 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::Qnx + QtC::Qnx Configure the NDK Path Confirmer le chemin du NDK - ::Qnx + QtC::Qnx Not enough free ports on device for debugging. Pas assez de ports disponibles sur le périphérique pour le débogage. - ::Qnx + QtC::Qnx Preparing remote side... @@ -48007,7 +48007,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::Qnx + QtC::Qnx %1 found. @@ -48052,7 +48052,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::Qnx + QtC::Qnx Bar descriptor file (BlackBerry) Fichier de description Bar (BlackBerry) @@ -48067,7 +48067,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::QtSupport + QtC::QtSupport All Versions Toutes les versions @@ -48086,7 +48086,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::RemoteLinux + QtC::RemoteLinux Not enough free ports on device for debugging. Pas assez de ports disponibles sur le périphérique pour le débogage. @@ -48143,14 +48143,14 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. La refactorisation ne peut être appliquée. - ::QmlProjectManager + QtC::QmlProjectManager Creates a Qt Quick 1 UI project with a single QML file that contains the main view.&lt;br/&gt;You can review Qt Quick 1 UI projects in the QML Viewer and you need not build them. You do not need to have the development environment installed on your computer to create and run this type of projects.&lt;br/&gt;&lt;br/&gt;Requires &lt;b&gt;Qt 4.8&lt;/b&gt; or newer. Crée un projet d'interface utilisateur Qt Quick 1 contenant un seul fichier QML contenant la vue principale.&lt;br/&gt;Vous pouvez revoir les projets d'interface utilisateur Qt Quick 1 dans QML Viewer sans avoir besoin de les compiler. Vous n'avez pas besoin d'un environnement de développement installé sur votre ordinateur pour créer et exécuter ce type de projet.&lt;br/&gt;&lt;br/&gt;Nécessite &lt;b&gt;Qt 4.8&lt;/b&gt; ou supérieur. @@ -48165,7 +48165,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::Android + QtC::Android Target API: API cible : @@ -48268,7 +48268,7 @@ Cet assistant vous guidera à travers les étapes essentielles pour déployez un - ::BareMetal + QtC::BareMetal Form Formulaire @@ -48301,7 +48301,7 @@ réinitialisation du moniteur - ::Core + QtC::Core Add the file to version control (%1) Ajouter le fichier au contrôle de version (%1) @@ -48312,7 +48312,7 @@ réinitialisation du moniteur - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives Directives supplémentaires pour le préprocesseur C++ @@ -48355,7 +48355,7 @@ réinitialisation du moniteur - ::Ios + QtC::Ios Base arguments: Arguments de base : @@ -48402,7 +48402,7 @@ réinitialisation du moniteur - ::ProjectExplorer + QtC::ProjectExplorer Custom Parser Analyseur personnalisé @@ -48496,7 +48496,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Debug Token Jeton de débogage @@ -48531,7 +48531,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Device Information Information sur le périphérique @@ -48562,7 +48562,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Select Native SDK path: Sélectionner le chemin du SDK natif : @@ -48577,7 +48577,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Please wait... Veuillez patienter... @@ -48600,7 +48600,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Please select target: Veuillez sélectionner une cible : @@ -48619,7 +48619,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Password: Mot de passe : @@ -48642,7 +48642,7 @@ réinitialisation du moniteur - ::Qnx + QtC::Qnx Choose the Location Choisir l'emplacement @@ -48653,7 +48653,7 @@ réinitialisation du moniteur - ::UpdateInfo + QtC::UpdateInfo Configure Filters Configurer les filtres @@ -48970,7 +48970,7 @@ réinitialisation du moniteur - ::Android + QtC::Android Deploy to Android device or emulator Déployer sur un périphérique Android ou un émulateur @@ -49125,7 +49125,7 @@ réinitialisation du moniteur - ::BareMetal + QtC::BareMetal Bare Metal Bare Metal @@ -49185,7 +49185,7 @@ réinitialisation du moniteur - ::Core + QtC::Core <no document> <aucun document> @@ -49196,7 +49196,7 @@ réinitialisation du moniteur - ::CppEditor + QtC::CppEditor No include hierarchy available Aucune hiérarchie d'inclusion est disponible @@ -49223,7 +49223,7 @@ réinitialisation du moniteur - ::TextEditor + QtC::TextEditor Create Getter and Setter Member Functions Créer des fonctions membres accesseurs et mutateurs @@ -49234,7 +49234,7 @@ réinitialisation du moniteur - ::CppEditor + QtC::CppEditor ...searching overrides ... recherche des surcharges @@ -49248,7 +49248,7 @@ réinitialisation du moniteur - ::Debugger + QtC::Debugger Not recognized Non reconnu @@ -49359,7 +49359,7 @@ réinitialisation du moniteur - ::DiffEditor + QtC::DiffEditor Hide Change Description Masquer la description des changements @@ -49370,7 +49370,7 @@ réinitialisation du moniteur - ::Git + QtC::Git Switch to Text Diff Editor Basculer vers l'éditeur texte de différences @@ -49381,7 +49381,7 @@ réinitialisation du moniteur - ::Ios + QtC::Ios iOS build iOS BuildStep display name. @@ -49531,14 +49531,14 @@ réinitialisation du moniteur - ::Macros + QtC::Macros Macro mode. Type "%1" to stop recording and "%2" to play the macro. Mode macro. Tapez "%1" pour arrêter l'enregistrement et "%2" pour le lancer. - ::ProjectExplorer + QtC::ProjectExplorer ICC ICC @@ -49662,10 +49662,10 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Python + QtC::Python - ::QmakeProjectManager + QtC::QmakeProjectManager The .pro file '%1' is currently being parsed. Le fichier de projet "%1" est en cours d'analyse. @@ -49761,7 +49761,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::QmlProfiler + QtC::QmlProfiler No executable file to launch. Pas de fichier d'exécutable à lancer. @@ -49784,7 +49784,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 L'élément racine est invalide : %1 @@ -49799,7 +49799,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx NDK Already Known Le NDK est déjà connu @@ -49810,7 +49810,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx BlackBerry NDK Installation Wizard Assistant d'installation du NDK BlackBerry @@ -49825,7 +49825,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Options Options @@ -49840,7 +49840,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx An error has occurred while adding target from: %1 @@ -49881,7 +49881,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Please provide your bbidtoken.csk PIN. Veuillez fournir votre code PIN bbidtoken.csk. @@ -49915,7 +49915,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Import Existing Momentics Cascades Project Importer un projet Momentics Cascades existant @@ -49934,7 +49934,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Momentics Cascades Project Projet Momentics Cascades @@ -49970,21 +49970,21 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available! Avertissement : "slog2info" n'a pas été trouvé dans le périphérique, la sortie de débogage n'est pas disponible ! - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx &Compiler path: Chemin du &compilateur : @@ -50000,31 +50000,31 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Qnx + QtC::Qnx Cannot show slog2info output. Error: %1 Impossible d'afficher la sortie de slog2info. Erreur : %1 - ::QtSupport + QtC::QtSupport Qt Versions Versions de Qt - ::RemoteLinux + QtC::RemoteLinux Exit code is %1. stderr: Le code de sortie %1. stderr : - ::UpdateInfo + QtC::UpdateInfo - ::Valgrind + QtC::Valgrind Profiling %1 Profilage de %1 @@ -50039,7 +50039,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Debugger + QtC::Debugger Memory Analyzer Tool finished, %n issues were found. @@ -50084,7 +50084,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::Valgrind + QtC::Valgrind Command line arguments: %1 Arguments de la commande : %1 @@ -50143,7 +50143,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::QmlProjectManager + QtC::QmlProjectManager Creates a Qt Quick 1 UI project with a single QML file that contains the main view. You can review Qt Quick 1 UI projects in the QML Viewer and you need not build them. You do not need to have the development environment installed on your computer to create and run this type of project. Requires Qt 4.8 or newer. Crée un projet d'interface utilisateur Qt Quick 1 avec un seul fichier QML qui contient la vue principale. Vous pouvez vérifier les projets d''interface utilisateur Qt Quick 1 dans le QML Viewer, sans devoir les compiler. Il n'est pas nécessaire d'avoir un environnement de développement installé sur votre ordinateur pour créer et exécuter ce type de projets. Nécessite Qt 4.8 ou plus récent. @@ -50170,7 +50170,7 @@ Veuillez fermer toutes les instances de votre application en cours d'exécu - ::QmakeProjectManager + QtC::QmakeProjectManager Creates a deployable Qt Quick 1 application using the QtQuick 1.1 import. Requires Qt 4.8 or newer. Crée une application Qt Quick 1 déployable utilisant l'importation de QtQuick 1.1. Nécessite Qt 4.8 ou plus récent. diff --git a/share/qtcreator/translations/qtcreator_hr.ts b/share/qtcreator/translations/qtcreator_hr.ts index 73ea3f82f68..6900c8fa346 100644 --- a/share/qtcreator/translations/qtcreator_hr.ts +++ b/share/qtcreator/translations/qtcreator_hr.ts @@ -2,7 +2,7 @@ - ::ExtensionSystem + QtC::ExtensionSystem Description: Opis: @@ -73,7 +73,7 @@ - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Tekst @@ -362,7 +362,7 @@ - ::Tracing + QtC::Tracing Jump to previous event. Prijeđi na prethodni događaj. @@ -429,7 +429,7 @@ - ::Utils + QtC::Utils Choose the Location Odaberi mjesto @@ -604,7 +604,7 @@ - ::Android + QtC::Android Widget Programčić @@ -1051,7 +1051,7 @@ Odustajanje od izvršavanja neriješenih operacija … - ::Autotest + QtC::Autotest Turns failures into debugger breakpoints. Pretvara neuspjehe u točke prekida pri uklanjanju grešaka. @@ -1322,7 +1322,7 @@ Upozorenje: ovo je eksperimentalna funkcija i može dovesti do neuspjeha izvrša - ::Bazaar + QtC::Bazaar General Information Opće informacije @@ -1359,7 +1359,7 @@ Lokalne obveze se ne guraju u glavnu granu sve dok se ne izvrši normalna obveza - ::Bazaar + QtC::Bazaar Configuration Konfiguracija @@ -1410,7 +1410,7 @@ Lokalne obveze se ne guraju u glavnu granu sve dok se ne izvrši normalna obveza - ::Bazaar + QtC::Bazaar Dialog Dijalog @@ -1533,7 +1533,7 @@ Na primjer, „Revizija: 15” će ostaviti granu na reviziji 15. - ::Beautifier + QtC::Beautifier Configuration Konfiguracija @@ -1670,7 +1670,7 @@ Na primjer, „Revizija: 15” će ostaviti granu na reviziji 15. - ::ClangCodeModel + QtC::ClangCodeModel Global Globalno @@ -1695,7 +1695,7 @@ Međutim, korištenje opuštenih i proširenih pravila također znači da nije m - ::ClangFormat + QtC::ClangFormat Format instead of indenting Formatiraj umjesto uvlačenja @@ -1726,7 +1726,7 @@ Međutim, korištenje opuštenih i proširenih pravila također znači da nije m - ::ClangTools + QtC::ClangTools Analyzer Configuration Konfiguracija analizatora @@ -1784,7 +1784,7 @@ Međutim, korištenje opuštenih i proširenih pravila također znači da nije m - ::ClearCase + QtC::ClearCase Check Out Odjava @@ -1934,7 +1934,7 @@ Međutim, korištenje opuštenih i proširenih pravila također znači da nije m - ::CMakeProjectManager + QtC::CMakeProjectManager Determines whether file paths are copied to the clipboard for pasting to the CMakeLists.txt file when you add new files to CMake projects. Određuje, da li se staze datoteke kopiraju u međuspremnik za lijepljenje u datoteku CMakeLists.txt, kad dodaješ nove datoteke CMake projektima. @@ -1957,7 +1957,7 @@ Međutim, korištenje opuštenih i proširenih pravila također znači da nije m - ::Core + QtC::Core Dialog Dijalog @@ -2688,7 +2688,7 @@ Za to upiši ovaj prečac i jedan razmak u polje za unos mjesta, a zatim riječ - ::CodePaster + QtC::CodePaster The fileshare-based paster protocol allows for sharing code snippets using simple files on a shared network drive. Files are never deleted. Protokol lijepljenja temeljen na programu za zajedničko korištenje datoteka, omogućuje dijeljenje isječaka kȏda pomoću jednostavnih datoteka na zajedničkom mrežnom pogonu. Datoteke se nikad ne brišu. @@ -2795,7 +2795,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Compiler Flags Oznake kompajlera @@ -3298,7 +3298,7 @@ Ti se predznaci koriste kao dodatak trenutačnom direktoriju na Switch zaglavlju - ::CVS + QtC::CVS Configuration Konfiguracija @@ -3345,7 +3345,7 @@ Ti se predznaci koriste kao dodatak trenutačnom direktoriju na Switch zaglavlju - ::Debugger + QtC::Debugger Startup Placeholder @@ -3397,7 +3397,7 @@ Ti se predznaci koriste kao dodatak trenutačnom direktoriju na Switch zaglavlju - ::Designer + QtC::Designer Choose a Class Name Odaberi naziv klase @@ -3412,7 +3412,7 @@ Ti se predznaci koriste kao dodatak trenutačnom direktoriju na Switch zaglavlju - ::FakeVim + QtC::FakeVim Use FakeVim Koristi FakeVim @@ -3543,7 +3543,7 @@ Ti se predznaci koriste kao dodatak trenutačnom direktoriju na Switch zaglavlju - ::Git + QtC::Git Branch Name: Naziv grane: @@ -4088,7 +4088,7 @@ Možeš birati između skladištenja promjena ili njihovih odbacivanja. - ::Help + QtC::Help Add and remove compressed help files, .qch. Dodaj i ukloni komprimirane datoteke pomoći, .qch. @@ -4317,7 +4317,7 @@ Dodaj, izmijeni i ukloni filtre dokumenata koji određuju skup dokumentacije pri - ::ImageViewer + QtC::ImageViewer Image Viewer Prikazivač slika @@ -4356,7 +4356,7 @@ Dodaj, izmijeni i ukloni filtre dokumenata koji određuju skup dokumentacije pri - ::Ios + QtC::Ios Create Simulator Stvori simulatora @@ -4671,7 +4671,7 @@ Greška: %5 - ::Macros + QtC::Macros Preferences Postavke @@ -4710,7 +4710,7 @@ Greška: %5 - ::Mercurial + QtC::Mercurial Dialog Dijalog @@ -4837,7 +4837,7 @@ Greška: %5 - ::Nim + QtC::Nim Target: Odredište: @@ -4876,7 +4876,7 @@ Greška: %5 - ::Perforce + QtC::Perforce Change Number Promijeni broj @@ -4979,7 +4979,7 @@ Greška: %5 - ::PerfProfiler + QtC::PerfProfiler Stack snapshot size (kB): @@ -5170,7 +5170,7 @@ Greška: %5 - ::ProjectExplorer + QtC::ProjectExplorer Language: Jezik: @@ -5593,7 +5593,7 @@ Greška: %5 - ::QbsProjectManager + QtC::QbsProjectManager Custom Properties Prilagođena svojstva @@ -5760,7 +5760,7 @@ Greška: %5 - ::QmakeProjectManager + QtC::QmakeProjectManager The header file Datoteka zaglavlja @@ -7044,7 +7044,7 @@ Greška: %5 - ::QmlJSEditor + QtC::QmlJSEditor Move Component into Separate File Premjesti komponentu u odvojenu datoteku @@ -7115,7 +7115,7 @@ Greška: %5 - ::QmlProfiler + QtC::QmlProfiler Total Time Cjelokupno vrijeme @@ -7215,7 +7215,7 @@ the program. - ::Qnx + QtC::Qnx Deploy Qt to QNX Device Implementiraj Qt na QNX uređaju @@ -7266,7 +7266,7 @@ Sigurno želiš nastaviti? - ::Qnx + QtC::Qnx Generate kits Generiraj komplete @@ -7323,7 +7323,7 @@ Sigurno želiš nastaviti? - ::QtSupport + QtC::QtSupport Embedding of the UI Class Ugrađivanje klasa korisničkog sučelja @@ -7386,7 +7386,7 @@ Sigurno želiš nastaviti? - ::RemoteLinux + QtC::RemoteLinux Authentication type: Vrsta autentifikacije @@ -7496,7 +7496,7 @@ Sigurno želiš nastaviti? - ::ResourceEditor + QtC::ResourceEditor Add Dodaj @@ -7527,7 +7527,7 @@ Sigurno želiš nastaviti? - ::ScxmlEditor + QtC::ScxmlEditor Frame Okvir @@ -7626,7 +7626,7 @@ Sigurno želiš nastaviti? - ::Subversion + QtC::Subversion Configuration Konfiguracija @@ -7677,7 +7677,7 @@ Sigurno želiš nastaviti? - ::TextEditor + QtC::TextEditor Typing Tipkanje @@ -8402,7 +8402,7 @@ Utječe na uvlačenje neprekinutih redaka. - ::Todo + QtC::Todo Keyword Ključna riječ @@ -8429,7 +8429,7 @@ Utječe na uvlačenje neprekinutih redaka. - ::Todo + QtC::Todo Keywords Ključne riječi @@ -8468,7 +8468,7 @@ Utječe na uvlačenje neprekinutih redaka. - ::Todo + QtC::Todo Excluded Files Isključene datoteke @@ -8483,7 +8483,7 @@ Utječe na uvlačenje neprekinutih redaka. - ::UpdateInfo + QtC::UpdateInfo Configure Filters Konfiguriraj filtre @@ -8518,7 +8518,7 @@ Utječe na uvlačenje neprekinutih redaka. - ::Valgrind + QtC::Valgrind Generic Settings Opće postavke @@ -8681,7 +8681,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Clean Repository Počisti spremište @@ -8805,7 +8805,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Bookmarks + QtC::Bookmarks Add Bookmark Dodaj knjižnu oznaku @@ -8851,7 +8851,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Help + QtC::Help Choose Topic Odaberi temu @@ -10378,7 +10378,7 @@ onemogućit će sve takve funkcije kad nisu potrebne, što će poboljšati rad u - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. @@ -10683,7 +10683,7 @@ will also disable the following plugins: - ::LanguageServerProtocol + QtC::LanguageServerProtocol Unexpected header line "%1". Neočekivani redak u zaglavlju "%1". @@ -10718,14 +10718,14 @@ will also disable the following plugins: - ::LanguageClient + QtC::LanguageClient Error %1 Greška %1 - ::LanguageServerProtocol + QtC::LanguageServerProtocol No ID set in "%1". nema postavljene ID-oznake u "%1". @@ -10744,7 +10744,7 @@ will also disable the following plugins: - ::qmt + QtC::qmt Change Promijeni @@ -11291,7 +11291,7 @@ will also disable the following plugins: - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 @@ -11324,7 +11324,7 @@ will also disable the following plugins: - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. @@ -11458,7 +11458,7 @@ will also disable the following plugins: - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot @@ -11473,7 +11473,7 @@ will also disable the following plugins: - ::QmlJSTools + QtC::QmlJSTools The type will only be available in the QML editors when the type name is a string literal @@ -11490,7 +11490,7 @@ the QML editor know about a likely URI. - ::QmlJS + QtC::QmlJS Errors while loading qmltypes from %1: %2 @@ -12161,7 +12161,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::Tracing + QtC::Tracing Could not open %1 for writing. @@ -12177,7 +12177,7 @@ The trace data is lost. - ::ProjectExplorer + QtC::ProjectExplorer The target directory %1 could not be created. @@ -12233,7 +12233,7 @@ The trace data is lost. - ::Utils + QtC::Utils Do not ask again Ne pitaj ponovo @@ -12448,7 +12448,7 @@ To clear a variable, put its name on a line with nothing else on it. - ::Utils + QtC::Utils Central Widget @@ -12647,7 +12647,7 @@ To clear a variable, put its name on a line with nothing else on it. - ::Core + QtC::Core All Files (*.*) On Windows @@ -12703,7 +12703,7 @@ To clear a variable, put its name on a line with nothing else on it. - ::Utils + QtC::Utils Choose... Odaberi … @@ -12978,7 +12978,7 @@ To clear a variable, put its name on a line with nothing else on it. - ::Android + QtC::Android Cannot create AVD. Invalid input. @@ -13919,7 +13919,7 @@ The files in the Android package source directory are copied to the build direct - ::Autotest + QtC::Autotest Testing Testiranje @@ -14411,7 +14411,7 @@ Check the test environment. - ::Android + QtC::Android Autogen Display name for AutotoolsProjectManager::AutogenStep id. @@ -14494,7 +14494,7 @@ Check the test environment. - ::BareMetal + QtC::BareMetal Unknown Nepoznato @@ -14721,7 +14721,7 @@ Check the test environment. - ::Bazaar + QtC::Bazaar Ignore Whitespace Zanemari razmake @@ -14732,7 +14732,7 @@ Check the test environment. - ::Bazaar + QtC::Bazaar Verbose Verbalno @@ -14783,7 +14783,7 @@ Check the test environment. - ::VcsBase + QtC::VcsBase Bazaar Commit Log Editor @@ -14906,7 +14906,7 @@ Check the test environment. - ::Bazaar + QtC::Bazaar Bazaar Bazaar @@ -15061,21 +15061,21 @@ Check the test environment. - ::Bazaar + QtC::Bazaar Commit Editor - ::Bazaar + QtC::Bazaar Bazaar Command Bazaar naredba - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. Nemoguće spremiti stil. %1 ne postoji. @@ -15179,7 +15179,7 @@ Check the test environment. - ::BinEditor + QtC::BinEditor Memory at 0x%1 Memorija pri 0x%1 @@ -15341,7 +15341,7 @@ Check the test environment. - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Binarni uređivač ne može otvoriti prazne datoteke. @@ -15376,14 +15376,14 @@ Check the test environment. - ::BinEditor + QtC::BinEditor Zoom: %1% Zumiranje: %1% - ::Bookmarks + QtC::Bookmarks Bookmark Knjižna oznaka @@ -15494,7 +15494,7 @@ Check the test environment. - ::ClangCodeModel + QtC::ClangCodeModel Requires changing "%1" to "%2" Zahtijeva mijenjanje "%1" u "%2" @@ -15537,7 +15537,7 @@ Check the test environment. - ::ClangCodeModel + QtC::ClangCodeModel Clang Display name @@ -15577,7 +15577,7 @@ Check the test environment. - ::ClangFormat + QtC::ClangFormat Open Used .clang-format Configuration File Otvori korištenu konfiguracijsku datoteku .clang-formata @@ -15621,7 +15621,7 @@ Check the test environment. - ::ClangTools + QtC::ClangTools Clang-Tidy and Clazy Clang-Tidy i Clazy @@ -15854,14 +15854,14 @@ Izlaz: - ::Debugger + QtC::Debugger Analyzer Analizator - ::ClangTools + QtC::ClangTools File Datoteka @@ -15876,7 +15876,7 @@ Izlaz: - ::ClassView + QtC::ClassView Show Subprojects Prikaži podprojekte @@ -15887,7 +15887,7 @@ Izlaz: - ::ClearCase + QtC::ClearCase Select &activity: Odaberi &aktivnost: @@ -16206,7 +16206,7 @@ Izlaz: - ::CMakeProjectManager + QtC::CMakeProjectManager Failed to create build directory "%1". Neupjelo stvaranje direktorija za gradnju "%1". @@ -16408,7 +16408,7 @@ Izlaz: - ::ProjectExplorer + QtC::ProjectExplorer You asked to build the current Run Configuration's build target only, but it is not associated with a build target. Update the Make Step in your build settings. @@ -16423,7 +16423,7 @@ Izlaz: - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMakeProjectManager::CMakeBuildStepConfigWidget display name. @@ -16648,7 +16648,7 @@ Kopirati stazu do izvornih datoteka u međuspremnik? - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Modules CMake moduli @@ -16944,7 +16944,7 @@ Kopirati stazu do izvornih datoteka u međuspremnik? - ::Core + QtC::Core Command Mappings Mapiranje naredbi @@ -18640,7 +18640,7 @@ Do you want to kill it? - ::Core + QtC::Core Current theme: %1 Trenutačna tema: %1 @@ -18762,7 +18762,7 @@ u kontrolu verzija (%2) - ::CodePaster + QtC::CodePaster Password: Lozinka: @@ -18897,7 +18897,7 @@ u kontrolu verzija (%2) - ::Cppcheck + QtC::Cppcheck Warnings Upozorenja @@ -18996,7 +18996,7 @@ u kontrolu verzija (%2) - ::CppEditor + QtC::CppEditor Note: Multiple parse contexts are available for this file. Choose the preferred one from the editor toolbar. @@ -19542,7 +19542,7 @@ u kontrolu verzija (%2) - ::CppEditor + QtC::CppEditor Only virtual functions can be marked 'override' @@ -19778,7 +19778,7 @@ Oznake: %3 - ::CVS + QtC::CVS Ignore Whitespace @@ -20061,7 +20061,7 @@ Oznake: %3 - ::Debugger + QtC::Debugger Copy Kopiraj @@ -20354,7 +20354,7 @@ Oznake: %3 - ::Utils + QtC::Utils &Views Prika&zi @@ -20381,7 +20381,7 @@ Oznake: %3 - ::Debugger + QtC::Debugger Debug Ispravi greške @@ -20495,7 +20495,7 @@ Affected are breakpoints %1 - ::ProjectExplorer + QtC::ProjectExplorer &Attach to Process @@ -20526,7 +20526,7 @@ Affected are breakpoints %1 - ::Debugger + QtC::Debugger Error Greška @@ -20554,7 +20554,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 Boja pri %1,%2: crvena: %3 zelena: %4 plava: %5 alfa: %6 @@ -20577,7 +20577,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Debugger + QtC::Debugger Command: Naredba: @@ -20796,7 +20796,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Designer + QtC::Designer The generated header of the form "%1" could not be found. Rebuilding the project might help. @@ -20941,7 +20941,7 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer "data" for a "Form" page needs to be unset or an empty object. @@ -21794,7 +21794,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Designer + QtC::Designer Choose a Form Template Odaberi predložak za obrasce @@ -21829,7 +21829,7 @@ Možda će ponovna gradnja projekta pomoći. - ::DiffEditor + QtC::DiffEditor Context lines: Retci konteksta: @@ -22016,7 +22016,7 @@ Možda će ponovna gradnja projekta pomoći. - ::EmacsKeys + QtC::EmacsKeys Delete Character Ukloni znak @@ -22103,7 +22103,7 @@ Možda će ponovna gradnja projekta pomoći. - ::FakeVim + QtC::FakeVim Use Vim-style Editing Koristi uređivanje Vim stilom @@ -22366,7 +22366,7 @@ Možda će ponovna gradnja projekta pomoći. - ::GenericProjectManager + QtC::GenericProjectManager Files Datoteke @@ -22418,7 +22418,7 @@ Možda će ponovna gradnja projekta pomoći. - ::Git + QtC::Git Local Branches Lokalne grane @@ -23928,7 +23928,7 @@ instead of its installation directory when run outside git bash. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -23936,7 +23936,7 @@ instead of its installation directory when run outside git bash. - ::Help + QtC::Help Help Pomoć @@ -24195,7 +24195,7 @@ instead of its installation directory when run outside git bash. - ::ImageViewer + QtC::ImageViewer File: Datoteka: @@ -24333,7 +24333,7 @@ Would you like to overwrite them? - ::Ios + QtC::Ios iOS build iOS BuildStep display name. @@ -24368,7 +24368,7 @@ Rok upotrebe: %3 - ::Ios + QtC::Ios Deploy to %1 Primijeni na %1 @@ -24605,7 +24605,7 @@ Rok upotrebe: %3 - ::LanguageClient + QtC::LanguageClient Cannot handle content of type: %1 Nije moguće rukovati sadržajem vrste: %1 @@ -24720,7 +24720,7 @@ Rok upotrebe: %3 - ::Macros + QtC::Macros Text Editing Macros Uređivač teksta makro naredbi @@ -24787,7 +24787,7 @@ Rok upotrebe: %3 - ::Mercurial + QtC::Mercurial Commit Editor @@ -25002,7 +25002,7 @@ Rok upotrebe: %3 - ::ModelEditor + QtC::ModelEditor &Remove &Ukloni @@ -25225,7 +25225,7 @@ Rok upotrebe: %3 - ::Nim + QtC::Nim General Opće @@ -25326,7 +25326,7 @@ Rok upotrebe: %3 - ::Perforce + QtC::Perforce No executable specified Izvršna datoteka nije specificirana @@ -25716,7 +25716,7 @@ Rok upotrebe: %3 - ::PerfProfiler + QtC::PerfProfiler Event Type Vrsta događaja @@ -25979,7 +25979,7 @@ Rok upotrebe: %3 - ::QmlProfiler + QtC::QmlProfiler Failed to reset temporary trace file. Neuspjelo resetiranje privremene trace datoteke. @@ -26010,7 +26010,7 @@ Rok upotrebe: %3 - ::PerfProfiler + QtC::PerfProfiler Thread started @@ -26121,7 +26121,7 @@ Rok upotrebe: %3 - ::ProjectExplorer + QtC::ProjectExplorer <custom> <prilagođeno> @@ -26529,7 +26529,7 @@ Isključivo: %2 - ::ProjectExplorer + QtC::ProjectExplorer Custom Executable Prilagođena izvršna datoteka: @@ -26690,7 +26690,7 @@ Isključivo: %2 - ::Core + QtC::Core The file "%1" was renamed to "%2", but the following projects could not be automatically changed: %3 @@ -26749,7 +26749,7 @@ Isključivo: %2 - ::ProjectExplorer + QtC::ProjectExplorer Project Editing Failed @@ -27340,7 +27340,7 @@ Rename %2 to %3 anyway? - ::Core + QtC::Core File System @@ -27367,7 +27367,7 @@ Rename %2 to %3 anyway? - ::ProjectExplorer + QtC::ProjectExplorer %1 (%2, %3 %4 in %5) @@ -28296,7 +28296,7 @@ These files are preserved. - ::ProjectExplorer + QtC::ProjectExplorer <span style=" font-weight:600;">No valid kits found.</span> @@ -28406,7 +28406,7 @@ These files are preserved. - ::Python + QtC::Python Interpreter: Interpreter: @@ -28433,7 +28433,7 @@ These files are preserved. - ::QbsProjectManager + QtC::QbsProjectManager C and C++ compiler paths differ. C compiler may not work. @@ -28612,7 +28612,7 @@ These files are preserved. - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library @@ -28802,7 +28802,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -28815,7 +28815,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QmakeProjectManager + QtC::QmakeProjectManager Release The name of the release build configuration created by default for a qmake project. @@ -29168,7 +29168,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe - ::QmakeProjectManager + QtC::QmakeProjectManager Class Information @@ -30033,7 +30033,7 @@ This is independent of the visibility property in QML. - ::QmlDesigner + QtC::QmlDesigner Error Greška @@ -30814,7 +30814,7 @@ ID oznake moraju započeti malim slovom. - ::QmlJSEditor + QtC::QmlJSEditor Show Qt Quick ToolBar @@ -30956,7 +30956,7 @@ ID oznake moraju započeti malim slovom. - ::QmlJSTools + QtC::QmlJSTools QML Functions @@ -30992,7 +30992,7 @@ ID oznake moraju započeti malim slovom. - ::QmlPreview + QtC::QmlPreview QML Preview @@ -31003,7 +31003,7 @@ ID oznake moraju započeti malim slovom. - ::QmlProfiler + QtC::QmlProfiler Debug Message @@ -31658,7 +31658,7 @@ Saving failed. - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 @@ -31734,7 +31734,7 @@ Saving failed. - ::QtSupport + QtC::QtSupport <unknown> <nepoznato> @@ -31907,7 +31907,7 @@ Saving failed. - ::RemoteLinux + QtC::RemoteLinux Choose Public Key File @@ -31958,7 +31958,7 @@ Saving failed. - ::ResourceEditor + QtC::ResourceEditor Add Files Dodaj datoteke @@ -32117,7 +32117,7 @@ Saving failed. - ::ScxmlEditor + QtC::ScxmlEditor Modify Color Themes... Promijeni teme boja … @@ -32720,7 +32720,7 @@ Row: %4, Column: %5 - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1: %2. Neuspjelo otvaranje priključka %1: %2. @@ -32802,7 +32802,7 @@ Row: %4, Column: %5 - ::Subversion + QtC::Subversion Subversion Command @@ -33013,7 +33013,7 @@ Row: %4, Column: %5 - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring Prekini praćenje @@ -33037,7 +33037,7 @@ Row: %4, Column: %5 - ::TextEditor + QtC::TextEditor Internal Unutarnje @@ -34596,7 +34596,7 @@ Neće se primijeniti na bjeline u komentarima i znakovnim nizovima. - ::Todo + QtC::Todo Description Opis @@ -34611,7 +34611,7 @@ Neće se primijeniti na bjeline u komentarima i znakovnim nizovima. - ::Todo + QtC::Todo To-Do Entries Unosi zadatka @@ -34646,14 +34646,14 @@ Neće se primijeniti na bjeline u komentarima i znakovnim nizovima. - ::Todo + QtC::Todo To-Do Zadatak - ::UpdateInfo + QtC::UpdateInfo Update Aktualiziraj @@ -34704,7 +34704,7 @@ Neće se primijeniti na bjeline u komentarima i znakovnim nizovima. - ::Valgrind + QtC::Valgrind Callee Koga se zove @@ -35570,7 +35570,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::VcsBase + QtC::VcsBase &Undo &Poništi @@ -35922,7 +35922,7 @@ What do you want to do? - ::Welcome + QtC::Welcome Take a UI Tour Pregledaj vodič kroz grafičko sučelje @@ -36254,7 +36254,7 @@ What do you want to do? - ::Bookmarks + QtC::Bookmarks Show Bookmark Prikaži knjižnu oznaku @@ -36273,7 +36273,7 @@ What do you want to do? - ::Help + QtC::Help &Look for: &Traži: @@ -36287,7 +36287,7 @@ What do you want to do? - ::ProjectExplorer + QtC::ProjectExplorer Creates a new project including auto test skeleton. Izrađuje novi projekt zajedno s okvirom za automatsko testiranje. diff --git a/share/qtcreator/translations/qtcreator_hu.ts b/share/qtcreator/translations/qtcreator_hu.ts index c9e3e698dfd..4ba28ad1b12 100644 --- a/share/qtcreator/translations/qtcreator_hu.ts +++ b/share/qtcreator/translations/qtcreator_hu.ts @@ -21,7 +21,7 @@ - ::Debugger + QtC::Debugger Start Debugger Debugger elindítása @@ -55,7 +55,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Visszavonás @@ -66,7 +66,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Visszacsinál @@ -77,7 +77,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Künyvjelző hozzáadása @@ -227,7 +227,7 @@ - ::Debugger + QtC::Debugger Condition: Feltétel: @@ -238,7 +238,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Build Environment Fordítási környezet @@ -493,7 +493,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Szimbólum kiválasztása> @@ -512,7 +512,7 @@ - ::CVS + QtC::CVS Parsing of the log output failed A log kimenet elemzése nem sikerült @@ -850,7 +850,7 @@ - ::CodePaster + QtC::CodePaster &CodePaster &KódBeillesztő @@ -1057,7 +1057,7 @@ - ::TextEditor + QtC::TextEditor Code Completion Kód kiegészítés @@ -1088,7 +1088,7 @@ - ::Help + QtC::Help Open Link Link megnyitása @@ -1099,7 +1099,7 @@ - ::Core + QtC::Core File Generation Failure Hiba történt a fájl generálása közben @@ -3025,7 +3025,7 @@ p { - ::CppEditor + QtC::CppEditor Sort alphabetically Rendezés betűrendbe @@ -3332,7 +3332,7 @@ p { - ::Debugger + QtC::Debugger Common Közös @@ -4954,7 +4954,7 @@ Gdb 6.7 vagy későbbi használata erősen ajánlott. - ::ProjectExplorer + QtC::ProjectExplorer Unable to add dependency Nem lehet függőséget hozzáadni @@ -4965,7 +4965,7 @@ Gdb 6.7 vagy későbbi használata erősen ajánlott. - ::Designer + QtC::Designer Designer Tervező @@ -5201,7 +5201,7 @@ A projekt újraépítése talán segít. - ::Designer + QtC::Designer Form Forma @@ -5422,7 +5422,7 @@ A projekt újraépítése talán segít. - ::Help + QtC::Help Registered Documentation Nyilvántartott dokumentum @@ -5483,7 +5483,7 @@ Ez automatikus beállítja a megfelelő Qt verziót is. - ::ExtensionSystem + QtC::ExtensionSystem Invalid Érvénytelen @@ -5830,7 +5830,7 @@ Ok: %3 - ::FakeVim + QtC::FakeVim Toggle vim-style editing Vim stílusú szerkesztés kapcsolgatása @@ -6260,7 +6260,7 @@ Ok: %3 - ::Core + QtC::Core Search for... Keresés... @@ -6383,7 +6383,7 @@ Ok: %3 - ::Debugger + QtC::Debugger Gdb interaction Gdb kölcsönhatás @@ -6457,7 +6457,7 @@ on slow machines. In this case, the value should be increased. - ::Help + QtC::Help Form Forma @@ -6544,7 +6544,7 @@ on slow machines. In this case, the value should be increased. - ::ProjectExplorer + QtC::ProjectExplorer Override %1: %1 megsemmisítése: @@ -6559,7 +6559,7 @@ on slow machines. In this case, the value should be increased. - ::GenericProjectManager + QtC::GenericProjectManager <new> <új> @@ -6678,7 +6678,7 @@ on slow machines. In this case, the value should be increased. - ::Git + QtC::Git Specify repository URL, checkout directory and path. Határozza meg a tároló URL-t, megnézési könyvtárat és útvonalat. @@ -7940,7 +7940,7 @@ on slow machines. In this case, the value should be increased. - ::Help + QtC::Help Add new page Új lap hozzáadása @@ -8331,21 +8331,21 @@ Fájl kihagyása. - ::Help + QtC::Help &Look for: &Rákeresés: - ::Debugger + QtC::Debugger Type Ctrl-<Return> to execute a line. Nyomja meg a Ctrl-<Return> gombokat a sor végrehajtásához. - ::Core + QtC::Core Filters Szűrők @@ -8606,7 +8606,7 @@ SOURCES *= .../ide/main/bin/dumper/dumper.cpp(new line) - ::ProjectExplorer + QtC::ProjectExplorer MimeType @@ -8892,7 +8892,7 @@ SOURCES *= .../ide/main/bin/dumper/dumper.cpp(new line) - ::Core + QtC::Core Open File With... Fájl megnyitása ezzel... @@ -8903,7 +8903,7 @@ SOURCES *= .../ide/main/bin/dumper/dumper.cpp(new line) - ::CodePaster + QtC::CodePaster Form Forma @@ -8943,7 +8943,7 @@ p, li { white-space: pre-wrap; } - ::Perforce + QtC::Perforce No executable specified Nincs futtatható meghatározva @@ -9737,10 +9737,10 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' does not exist. A(z) '%1' beépülő modul nem létezik. @@ -9815,7 +9815,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer <font color="#0000ff">Starting: %1 %2</font> @@ -11020,7 +11020,7 @@ Ok: %2 - ::Core + QtC::Core File System Fájlrendszer @@ -11031,7 +11031,7 @@ Ok: %2 - ::ProjectExplorer + QtC::ProjectExplorer Starting %1... %1 elindítása... @@ -11612,7 +11612,7 @@ a verziókövetőhöz (%2)? - ::Welcome + QtC::Welcome Form Forma @@ -11626,7 +11626,7 @@ a verziókövetőhöz (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager QMake Build Configuration: QMake Építési Konfiguráció: @@ -11837,7 +11837,7 @@ a verziókövetőhöz (%2)? - ::QmlProjectManager + QtC::QmlProjectManager QML Application QML Alkalmazás @@ -11972,7 +11972,7 @@ a verziókövetőhöz (%2)? - ::ResourceEditor + QtC::ResourceEditor Add Hozzáadás @@ -11999,7 +11999,7 @@ a verziókövetőhöz (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager <font color="#ff0000">Could not find make command: %1 in the build environment</font> <font color="#ff0000">A make parancs nem található: %1 a fordító környezetben</font> @@ -12878,7 +12878,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Getting Started Első lépések @@ -13032,7 +13032,7 @@ p, li { white-space: pre-wrap; } - ::QmakeProjectManager + QtC::QmakeProjectManager Qt4 Gui Application Qt4 Gui Alkalmazás @@ -14031,7 +14031,7 @@ Ellenőrizze le, hogy vajon a telefon csatlakoztatva van-e és a TRK alkalmazás - ::Debugger + QtC::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. A debuggolást segítő könyvtárban (%1) egy idejét múlt verzió található; %2 verzió igényelt. @@ -14493,7 +14493,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::ResourceEditor + QtC::ResourceEditor Resource file Forrás fájl @@ -14552,7 +14552,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::Core + QtC::Core Save Changes Változtatások elmentése @@ -14685,7 +14685,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::ResourceEditor + QtC::ResourceEditor Add Files Fájlok hozzáadása @@ -14784,7 +14784,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::Core + QtC::Core Keyboard Shortcuts Gyorsbillentyű @@ -14834,7 +14834,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::TextEditor + QtC::TextEditor Snippets Kódrészlet @@ -14845,7 +14845,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::Debugger + QtC::Debugger Break at 'main': Töréspont a 'main'-re: @@ -15080,7 +15080,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::Subversion + QtC::Subversion Checks out a project from a Subversion repository. Egy projekt megnézése a Subversion tárolóból. @@ -15311,7 +15311,7 @@ Hogy ezt megtehesse, gépelje be ezt a gyorsbillentyűt és egy szóközt a Lok - ::TextEditor + QtC::TextEditor %1 found %1 gefunden @@ -16619,7 +16619,7 @@ A következő kódolás valószínűleg erre illik: - ::Help + QtC::Help Choose Topic Topik kiválasztása @@ -16653,7 +16653,7 @@ A következő kódolás valószínűleg erre illik: - ::Utils + QtC::Utils Dialog @@ -16931,7 +16931,7 @@ A következő kódolás valószínűleg erre illik: - ::VcsBase + QtC::VcsBase Version Control Verzió követő @@ -17225,7 +17225,7 @@ p, li { white-space: pre-wrap; }(new line) - ::Welcome + QtC::Welcome Community Közösség diff --git a/share/qtcreator/translations/qtcreator_it.ts b/share/qtcreator/translations/qtcreator_it.ts index 99b3af157e0..4f4d56d6d5b 100644 --- a/share/qtcreator/translations/qtcreator_it.ts +++ b/share/qtcreator/translations/qtcreator_it.ts @@ -25,7 +25,7 @@ - ::Debugger + QtC::Debugger Start Debugger Avvia il Debug @@ -82,7 +82,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Annulla @@ -93,7 +93,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Aggiungi un Segnalibro @@ -243,7 +243,7 @@ - ::Debugger + QtC::Debugger Condition: Condizione: @@ -254,7 +254,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Clear system environment @@ -429,7 +429,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Scegli un Simbolo> @@ -512,7 +512,7 @@ - ::CodePaster + QtC::CodePaster &CodePaster &CodePaster @@ -655,7 +655,7 @@ - ::TextEditor + QtC::TextEditor Code Completion Completamento del Codice @@ -686,7 +686,7 @@ - ::Help + QtC::Help Open Link Apri il Collegamento @@ -697,7 +697,7 @@ - ::Core + QtC::Core Unable to create the directory %1. Impossibile creare la cartella %1. @@ -1421,7 +1421,7 @@ Vuoi sovrascriverli? - ::Welcome + QtC::Welcome http://labs.trolltech.com/blogs/feed Add localized feed here only if one exists @@ -1635,7 +1635,7 @@ Vuoi sovrascriverli? - ::Core + QtC::Core Switch to %1 mode Passa alla modalità %1 @@ -1656,7 +1656,7 @@ Vuoi sovrascriverli? - ::Utils + QtC::Utils The class name must not contain namespace delimiters. Il nome della classe non deve contenere namespace. @@ -1912,7 +1912,7 @@ Vuoi sovrascriverli? - ::CppEditor + QtC::CppEditor Sort alphabetically Ordine alfabetico @@ -2083,7 +2083,7 @@ Vuoi sovrascriverli? - ::Debugger + QtC::Debugger Common Comune @@ -3389,7 +3389,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato. - ::Debugger + QtC::Debugger Source Files File Sorgenti @@ -3595,7 +3595,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato. - ::ProjectExplorer + QtC::ProjectExplorer Unable to add dependency Impossibile aggiungere la dipendenza @@ -3626,7 +3626,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato. - ::Designer + QtC::Designer The file name is empty. Il nome del file è vuoto. @@ -3887,7 +3887,7 @@ La ricompilazione del progetto potrebbe aiutare. - ::Help + QtC::Help Registered Documentation Documentazione Registrata @@ -3951,7 +3951,7 @@ Imposta automaticamente la Versione di Qt corretta. - ::ExtensionSystem + QtC::ExtensionSystem Name: Nome: @@ -4123,7 +4123,7 @@ Causa: %3 - ::FakeVim + QtC::FakeVim Toggle vim-style editing Commuta l'editor vim-style @@ -4357,7 +4357,7 @@ Causa: %3 - ::Core + QtC::Core Search for... Cerca... @@ -4496,7 +4496,7 @@ Causa: %3 - ::Debugger + QtC::Debugger Gdb interaction Interazione con gdb @@ -4547,7 +4547,7 @@ Causa: %3 - ::ProjectExplorer + QtC::ProjectExplorer Override %1: Ridefinisci %1: @@ -4562,7 +4562,7 @@ Causa: %3 - ::GenericProjectManager + QtC::GenericProjectManager <new> <nuovo> @@ -4637,7 +4637,7 @@ Causa: %3 - ::Git + QtC::Git Branches Rami @@ -5220,7 +5220,7 @@ Causa: %3 - ::Help + QtC::Help Add new page Aggiungi una pagina @@ -5420,21 +5420,21 @@ Causa: %3 - ::Help + QtC::Help &Look for: &Cerca: - ::Debugger + QtC::Debugger Type Ctrl-<Return> to execute a line. Premi Ctrl-<Invio> per eseguire la riga. - ::Core + QtC::Core Filters Filtri @@ -5560,7 +5560,7 @@ nel tuo file .pro. - ::ProjectExplorer + QtC::ProjectExplorer MyMain @@ -5585,7 +5585,7 @@ nel tuo file .pro. - ::Core + QtC::Core Open File With... Apri il file con... @@ -5596,7 +5596,7 @@ nel tuo file .pro. - ::Perforce + QtC::Perforce No executable specified Non è stato impostato alcun eseguibile @@ -6014,10 +6014,10 @@ nel tuo file .pro. - ::Core + QtC::Core - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' does not exist. Il plugin '%1' non esiste. @@ -6102,7 +6102,7 @@ Nome di base della libreria: %1 - ::ProjectExplorer + QtC::ProjectExplorer <font color="#0000ff">Starting: %1 %2</font> @@ -6466,7 +6466,7 @@ Nome di base della libreria: %1 - ::Core + QtC::Core File System File System @@ -6477,7 +6477,7 @@ Nome di base della libreria: %1 - ::ProjectExplorer + QtC::ProjectExplorer New session name Nome della nuova sessione @@ -7105,7 +7105,7 @@ al VCS (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager QMake Build Configuration: Configurazione di QMake: @@ -7201,7 +7201,7 @@ al VCS (%2)? - ::QmlProjectManager + QtC::QmlProjectManager QML Application Applicazione QML @@ -7272,7 +7272,7 @@ al VCS (%2)? - ::ResourceEditor + QtC::ResourceEditor Add Aggiungi @@ -7299,7 +7299,7 @@ al VCS (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt4 Console Application Applicazione Qt4 per Linea di Comando @@ -8203,7 +8203,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Filter Configuration Configurazione del Filtro @@ -8442,7 +8442,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::ResourceEditor + QtC::ResourceEditor Creates a Qt Resource file (.qrc). Crea un file di Risorse Qt (.qrc). @@ -8469,7 +8469,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::Core + QtC::Core Save Changes Salva le Modifiche @@ -8495,7 +8495,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::ResourceEditor + QtC::ResourceEditor Add Files Aggiungi File @@ -8594,7 +8594,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::Core + QtC::Core Keyboard Shortcuts Scorciatoie della Tastiera @@ -8644,14 +8644,14 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::TextEditor + QtC::TextEditor Snippets Frammenti - ::Debugger + QtC::Debugger Break at 'main': Interrompi su 'main' @@ -8674,7 +8674,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::Subversion + QtC::Subversion Subversion Command: Comando Subversion: @@ -8902,7 +8902,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da - ::TextEditor + QtC::TextEditor %1 found %1 trovati @@ -9569,7 +9569,7 @@ Queste codifiche dovrebbero andare bene: - ::Help + QtC::Help Choose Topic Scelta Argomento @@ -9592,7 +9592,7 @@ Queste codifiche dovrebbero andare bene: - ::VcsBase + QtC::VcsBase Version Control Controllo di Revisione @@ -9810,7 +9810,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Dialog @@ -9825,7 +9825,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Form @@ -9845,7 +9845,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Prompt to submit Prompt del submit @@ -9876,7 +9876,7 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer Form @@ -10012,7 +10012,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Form @@ -10099,7 +10099,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Build and Run Compila ed Esegui @@ -10154,14 +10154,14 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Form - ::QmakeProjectManager + QtC::QmakeProjectManager Form @@ -10320,7 +10320,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome Examples not installed Gli esempi non sono installati @@ -10448,7 +10448,7 @@ p, li { white-space: pre-wrap; } - ::QmakeProjectManager + QtC::QmakeProjectManager Installed S60 SDKs: @@ -10471,7 +10471,7 @@ p, li { white-space: pre-wrap; } - ::TextEditor + QtC::TextEditor Bold Grassetto @@ -10498,7 +10498,7 @@ p, li { white-space: pre-wrap; } - ::VcsBase + QtC::VcsBase WizardPage @@ -10513,7 +10513,7 @@ p, li { white-space: pre-wrap; } - ::Welcome + QtC::Welcome News From the Qt Labs Notizie dai Qt Labs @@ -10577,7 +10577,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Show Details @@ -10603,7 +10603,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Preferences @@ -10614,7 +10614,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster No such paste @@ -10653,7 +10653,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Methods in current Document @@ -10690,7 +10690,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Checks out a project from a CVS repository. @@ -10923,7 +10923,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Connecting to remote server failed: Problema con la connessione al server remoto: @@ -11061,14 +11061,14 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer untitled senza titolo - ::Git + QtC::Git Clones a project from a git repository. @@ -11127,7 +11127,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help General settings Impostazioni Generali @@ -11162,7 +11162,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? Non è possibile avviare il programma. Il percorso o i permessi sono errati? @@ -11340,14 +11340,14 @@ Reason: %2 - ::QmlProjectManager + QtC::QmlProjectManager <b>QML Make</b> - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> @@ -11386,14 +11386,14 @@ Reason: %2 - ::Welcome + QtC::Welcome Getting Started Comincia - ::QmakeProjectManager + QtC::QmakeProjectManager %1 on Device @@ -11602,7 +11602,7 @@ Check if the phone is connected and the TRK application is running. - ::Subversion + QtC::Subversion Checks out a project from a Subversion repository. @@ -11621,7 +11621,7 @@ Check if the phone is connected and the TRK application is running. - ::TextEditor + QtC::TextEditor Not a color scheme file. @@ -11632,7 +11632,7 @@ Check if the phone is connected and the TRK application is running. - ::VcsBase + QtC::VcsBase Cannot Open Project @@ -11695,7 +11695,7 @@ Check if the phone is connected and the TRK application is running. - ::Welcome + QtC::Welcome Community Comunità diff --git a/share/qtcreator/translations/qtcreator_ja.ts b/share/qtcreator/translations/qtcreator_ja.ts index 9d66be54895..673fa20182f 100644 --- a/share/qtcreator/translations/qtcreator_ja.ts +++ b/share/qtcreator/translations/qtcreator_ja.ts @@ -2,7 +2,7 @@ - ::ExtensionSystem + QtC::ExtensionSystem Description: 説明: @@ -77,7 +77,7 @@ - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text テキスト @@ -327,7 +327,7 @@ - ::Utils + QtC::Utils Choose the Location パスを選択してください @@ -466,7 +466,7 @@ - ::Android + QtC::Android Create new AVD 新しい AVD の作成 @@ -814,7 +814,7 @@ - ::BareMetal + QtC::BareMetal Set up Debug Server or Hardware Debugger デバッグサーバーまたはハードウェアデバッガをセットアップ @@ -833,7 +833,7 @@ - ::Bazaar + QtC::Bazaar General Information 概要 @@ -870,7 +870,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Form フォーム @@ -1002,7 +1002,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Revert 元に戻す @@ -1013,14 +1013,14 @@ Local pulls are not applied to the master branch. - ::ClassView + QtC::ClassView Show Subprojects サブプロジェクトを表示します - ::ClearCase + QtC::ClearCase Check Out チェックアウト @@ -1178,7 +1178,7 @@ Local pulls are not applied to the master branch. - ::Core + QtC::Core Dialog ダイアログ @@ -1703,7 +1703,7 @@ Local pulls are not applied to the master branch. - ::CodePaster + QtC::CodePaster Form フォーム @@ -1822,7 +1822,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives 追加C++プリプロセッサディレクティブ @@ -1837,7 +1837,7 @@ p, li { white-space: pre-wrap; } - ::TextEditor + QtC::TextEditor Behavior 動作 @@ -2004,7 +2004,7 @@ In addition, Shift+Enter inserts an escape character at the cursor position and - ::CppEditor + QtC::CppEditor Form フォーム @@ -2378,7 +2378,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::CVS + QtC::CVS Configuration 設定 @@ -2425,7 +2425,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::Debugger + QtC::Debugger Startup Placeholder @@ -2509,7 +2509,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::Designer + QtC::Designer Choose a Class Name クラス名を選択してください @@ -2528,7 +2528,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::FakeVim + QtC::FakeVim Use FakeVim FakeVim を使用する @@ -2691,7 +2691,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::GenericProjectManager + QtC::GenericProjectManager Override %1: %1 の代わりに使用するコマンド: @@ -2710,7 +2710,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::Git + QtC::Git Branch Name: ブランチ名: @@ -3315,7 +3315,7 @@ You can choose between stashing the changes or discarding them. - ::Help + QtC::Help Add and remove compressed help files, .qch. 圧縮済みヘルプファイル(.qch)の追加や削除を行います。 @@ -3569,7 +3569,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ImageViewer + QtC::ImageViewer Image Viewer 画像ビューア @@ -3608,7 +3608,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Ios + QtC::Ios Base arguments: 基本引数: @@ -3644,7 +3644,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Macros + QtC::Macros Form フォーム @@ -3691,7 +3691,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Mercurial + QtC::Mercurial Dialog ダイアログ @@ -3826,7 +3826,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Perforce + QtC::Perforce Change Number リビジョン番号 @@ -3937,7 +3937,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ProjectExplorer + QtC::ProjectExplorer Form フォーム @@ -4432,7 +4432,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::QbsProjectManager + QtC::QbsProjectManager Build variant: ビルド種類: @@ -4535,7 +4535,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::QmakeProjectManager + QtC::QmakeProjectManager Form フォーム @@ -5490,7 +5490,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::QmlJSEditor + QtC::QmlJSEditor Move Component into Separate File コンポーネントを別のファイルに移動する @@ -5561,7 +5561,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Tracing + QtC::Tracing Selection 選択部分 @@ -5584,7 +5584,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::QmlProfiler + QtC::QmlProfiler QML Profiler QML プロファイラ @@ -5619,7 +5619,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::QtSupport + QtC::QtSupport Version name: バージョン名: @@ -5658,7 +5658,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::RemoteLinux + QtC::RemoteLinux Form フォーム @@ -5808,7 +5808,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ResourceEditor + QtC::ResourceEditor Add 追加 @@ -5843,7 +5843,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Subversion + QtC::Subversion Configuration 設定 @@ -5894,7 +5894,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::TextEditor + QtC::TextEditor Form フォーム @@ -6633,7 +6633,7 @@ Influences the indentation of continuation lines. - ::Todo + QtC::Todo Keyword キーワード @@ -6660,7 +6660,7 @@ Influences the indentation of continuation lines. - ::Todo + QtC::Todo Form フォーム @@ -6695,7 +6695,7 @@ Influences the indentation of continuation lines. - ::UpdateInfo + QtC::UpdateInfo Configure Filters フィルタの設定 @@ -6734,7 +6734,7 @@ Influences the indentation of continuation lines. - ::Valgrind + QtC::Valgrind Generic Settings 一般設定 @@ -6939,7 +6939,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Clean Repository リポジトリをクリーン @@ -7092,7 +7092,7 @@ SSH 認証が必要とされるリポジトリで使用されます(SSH の SSH_ - ::Bookmarks + QtC::Bookmarks Add Bookmark ブックマークの追加 @@ -7138,7 +7138,7 @@ SSH 認証が必要とされるリポジトリで使用されます(SSH の SSH_ - ::Help + QtC::Help Choose Topic トピックの選択 @@ -7172,7 +7172,7 @@ SSH 認証が必要とされるリポジトリで使用されます(SSH の SSH_ - ::TextEditor + QtC::TextEditor Text Editor テキストエディタ @@ -8643,7 +8643,7 @@ preferShaping プロパティを false に設定すると、このような機 - ::ProjectExplorer + QtC::ProjectExplorer Sessions セッション @@ -8662,7 +8662,7 @@ preferShaping プロパティを false に設定すると、このような機 - ::QtSupport + QtC::QtSupport Search in Examples... サンプルを検索... @@ -8695,7 +8695,7 @@ preferShaping プロパティを false に設定すると、このような機 - ::ProjectExplorer + QtC::ProjectExplorer Clone 複製 @@ -8779,7 +8779,7 @@ preferShaping プロパティを false に設定すると、このような機 - ::CppEditor + QtC::CppEditor <Select Symbol> <シンボルの選択> @@ -8790,7 +8790,7 @@ preferShaping プロパティを false に設定すると、このような機 - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. プラグイン "%1" はテスト用に2回指定されています。 @@ -9093,7 +9093,7 @@ will also disable the following plugins: - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -9106,7 +9106,7 @@ will also disable the following plugins: - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. ツールバーを隠します。 @@ -9328,7 +9328,7 @@ will also disable the following plugins: - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot ドットで区切られた2つの数字がありません @@ -9601,7 +9601,7 @@ CMake プロジェクトでは、CMakeCache.txt 内で QML_IMPORT_PATH 変数を - ::Utils + QtC::Utils XML error on line %1, col %2: %3 XML の %1 行目 %2 文字目 に誤りがあります: %3 @@ -9612,7 +9612,7 @@ CMake プロジェクトでは、CMakeCache.txt 内で QML_IMPORT_PATH 変数を - ::QmlJS + QtC::QmlJS Cannot find file %1. ファイル %1 が見つかりません。 @@ -10248,7 +10248,7 @@ with a password, which you can enter below. - ::ProjectExplorer + QtC::ProjectExplorer The target directory %1 could not be created. ターゲットディレクトリ %1 を作成できませんでした。 @@ -10309,7 +10309,7 @@ with a password, which you can enter below. - ::Utils + QtC::Utils Do not ask again 今後このメッセージを表示しない @@ -10836,7 +10836,7 @@ with a password, which you can enter below. - ::Android + QtC::Android Keystore password is too short. キーストアパスワードが短すぎます。 @@ -11763,7 +11763,7 @@ in the system's browser for manual download. - ::BareMetal + QtC::BareMetal Bare Metal ベアメタル @@ -11786,7 +11786,7 @@ in the system's browser for manual download. - ::Bazaar + QtC::Bazaar Ignore Whitespace 空白を無視 @@ -11973,14 +11973,14 @@ in the system's browser for manual download. - ::Bazaar + QtC::Bazaar Commit Editor コミットエディタ - ::VcsBase + QtC::VcsBase Bazaar File Log Editor Bazaar ファイルログエディタ @@ -12115,7 +12115,7 @@ in the system's browser for manual download. - ::Bazaar + QtC::Bazaar Bazaar Command Bazaar コマンド @@ -12201,7 +12201,7 @@ in the system's browser for manual download. - ::Bookmarks + QtC::Bookmarks Move Up 上に移動 @@ -12300,14 +12300,14 @@ in the system's browser for manual download. - ::ClassView + QtC::ClassView Class View クラスビュー - ::ClearCase + QtC::ClearCase Select &activity: アクティビティの選択 (&A): @@ -12646,7 +12646,7 @@ in the system's browser for manual download. - ::CMakeProjectManager + QtC::CMakeProjectManager Default The name of the build configuration created by default for a cmake project. @@ -12874,7 +12874,7 @@ To unset a variable, use -U<variable>. - ::Core + QtC::Core Command Mappings コマンドマップ @@ -13962,7 +13962,7 @@ to version control (%2) - ::CodePaster + QtC::CodePaster Code Pasting コード貼り付け @@ -14073,7 +14073,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor C++ SnippetProvider @@ -14384,7 +14384,7 @@ to version control (%2) - ::TextEditor + QtC::TextEditor Convert to Stack Variable スタック変数に変換 @@ -14411,7 +14411,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Extract Function 関数の抽出 @@ -14665,7 +14665,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Code Style コードスタイル @@ -14825,7 +14825,7 @@ Flags: %3 - ::CVS + QtC::CVS &Edit 編集(&E) @@ -15132,7 +15132,7 @@ Flags: %3 - ::Debugger + QtC::Debugger New 新規作成 @@ -16818,7 +16818,7 @@ Qt Creator はアタッチできません。 - ::ProjectExplorer + QtC::ProjectExplorer &Attach to Process プロセスにアタッチ(&A) @@ -16905,7 +16905,7 @@ Qt Creator はアタッチできません。 - ::Debugger + QtC::Debugger <new source> <ソース> @@ -17790,7 +17790,7 @@ markers in the source code editor. - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 %1, %2 の色: 赤: %3 緑: %4 青: %5 アルファ値: %6 @@ -17813,7 +17813,7 @@ markers in the source code editor. - ::Debugger + QtC::Debugger Run in Terminal is not supported with the LLDB backend. LLDB バックエンドでは「ターミナルで実行」オプションはサポートされていません。 @@ -18956,7 +18956,7 @@ Do you want to retry? - ::Designer + QtC::Designer Form Editor フォームエディタ @@ -19026,7 +19026,7 @@ Rebuilding the project might help. - ::DiffEditor + QtC::DiffEditor Diff Editor 差分エディタ @@ -19085,7 +19085,7 @@ Rebuilding the project might help. - ::Utils + QtC::Utils Delete 削除 @@ -19100,7 +19100,7 @@ Rebuilding the project might help. - ::GenericProjectManager + QtC::GenericProjectManager Files ファイル @@ -19169,7 +19169,7 @@ Rebuilding the project might help. - ::Git + QtC::Git Local Branches ローカルブランチ @@ -20700,7 +20700,7 @@ instead of its installation directory when run outside git bash. - ::Help + QtC::Help Help ヘルプ @@ -20839,7 +20839,7 @@ instead of its installation directory when run outside git bash. - ::ImageViewer + QtC::ImageViewer Play Animation アニメーション再生 @@ -20850,7 +20850,7 @@ instead of its installation directory when run outside git bash. - ::Ios + QtC::Ios %1 %2 %1 %2 @@ -21095,14 +21095,14 @@ instead of its installation directory when run outside git bash. - ::Core + QtC::Core Locator クイックアクセス - ::Macros + QtC::Macros Playing Macro マクロ実行中 @@ -21177,7 +21177,7 @@ instead of its installation directory when run outside git bash. - ::Mercurial + QtC::Mercurial Commit Editor コミットエディタ @@ -21416,7 +21416,7 @@ instead of its installation directory when run outside git bash. - ::Perforce + QtC::Perforce No executable specified 実行ファイルが指定されていません @@ -21816,7 +21816,7 @@ instead of its installation directory when run outside git bash. - ::ProjectExplorer + QtC::ProjectExplorer <custom> <カスタム> @@ -22137,7 +22137,7 @@ Excluding: %2 - ::ProjectExplorer + QtC::ProjectExplorer No build settings available 有効なビルド設定がありません @@ -22862,7 +22862,7 @@ Excluding: %2 - ::Core + QtC::Core The file "%1" was renamed to "%2", but the following projects could not be automatically changed: %3 ファイル "%1" が "%2" に名前変更されましたが、以下のプロジェクトは自動的に変更できませんでした:"%3" @@ -22969,7 +22969,7 @@ Excluding: %2 - ::ProjectExplorer + QtC::ProjectExplorer %1 (%2 %3 in %4) %1(%2 %3 パス: %4) @@ -24490,7 +24490,7 @@ to project "%2". - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -24498,7 +24498,7 @@ to project "%2". - ::CMakeProjectManager + QtC::CMakeProjectManager Desktop CMake Default target display name @@ -24506,7 +24506,7 @@ to project "%2". - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -24524,7 +24524,7 @@ to project "%2". - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -24532,7 +24532,7 @@ to project "%2". - ::ProjectExplorer + QtC::ProjectExplorer No deployment デプロイしない @@ -24782,7 +24782,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated - ::QbsProjectManager + QtC::QbsProjectManager Parsing the Qbs project. Qbs プロジェクトの解析中。 @@ -24973,7 +24973,7 @@ Enable this if you plan to create 32-bit x86 binaries without using a dedicated - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library ライブラリの追加 @@ -25599,7 +25599,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QmakeProjectManager + QtC::QmakeProjectManager Class Information クラス情報 @@ -26989,7 +26989,7 @@ Ids must begin with a lowercase letter. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick @@ -27107,7 +27107,7 @@ Ids must begin with a lowercase letter. - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal この型は型名が文字列リテラルであるため、Qt Creator の QML エディタでのみ利用可能できます @@ -27169,7 +27169,7 @@ the QML editor know about a likely URI. - ::QmlProfiler + QtC::QmlProfiler Qt Creator Qt Creator @@ -27538,7 +27538,7 @@ Do you want to save the data first? - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 無効なルート要素: %1 @@ -27647,14 +27647,14 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx Not enough free ports on device for debugging. デバイスにデバッグ用の空きポートがありません。 - ::Qnx + QtC::Qnx Preparing remote side... リモート側の準備... @@ -27677,7 +27677,7 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx QNX Device QNX デバイス @@ -27688,7 +27688,7 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx Checking that files can be created in /var/run... /var/run にファイルが作成できることを確認しています... @@ -27731,7 +27731,7 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -27747,7 +27747,7 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx Path to Qt libraries on device: デバイス上の Qt ライブラリのパス: @@ -27770,14 +27770,14 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx %1 on QNX Device QNX デバイス上の %1 - ::Qnx + QtC::Qnx &Compiler path: コンパイラのパス(&C): @@ -27798,7 +27798,7 @@ Do you want to save the data first? - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available. 警告: "slog2info" がデバイスに見つかりません。デバッグ出力は利用できません。 @@ -27809,7 +27809,7 @@ Do you want to save the data first? - ::QtSupport + QtC::QtSupport <unknown> <不明> @@ -27978,14 +27978,14 @@ Do you want to save the data first? - ::QmakeProjectManager + QtC::QmakeProjectManager The build directory needs to be at the same level as the source directory. ビルドディレクトリはソースディレクトリと同じ階層にある必要があります。 - ::ProjectExplorer + QtC::ProjectExplorer Executable: 実行ファイル: @@ -28016,7 +28016,7 @@ cannot be found in the path. - ::QtSupport + QtC::QtSupport Examples サンプル @@ -28187,7 +28187,7 @@ cannot be found in the path. - ::RemoteLinux + QtC::RemoteLinux No deployment action necessary. Skipping. デプロイアクションは不要です。スキップします。 @@ -28709,7 +28709,7 @@ In addition, device connectivity will be tested. - ::ResourceEditor + QtC::ResourceEditor Add Files ファイルを追加 @@ -28856,7 +28856,7 @@ In addition, device connectivity will be tested. - ::Subversion + QtC::Subversion Subversion Command Subversion コマンド @@ -29083,7 +29083,7 @@ In addition, device connectivity will be tested. - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring モニタリングを停止 @@ -29094,7 +29094,7 @@ In addition, device connectivity will be tested. - ::TextEditor + QtC::TextEditor Searching 検索中 @@ -29934,7 +29934,7 @@ Will not be applied to whitespace in comments and strings. - ::Todo + QtC::Todo Description 説明 @@ -29949,7 +29949,7 @@ Will not be applied to whitespace in comments and strings. - ::Todo + QtC::Todo To-Do Entries To-Do エントリ @@ -29980,7 +29980,7 @@ Will not be applied to whitespace in comments and strings. - ::UpdateInfo + QtC::UpdateInfo Updater 更新プログラム @@ -30012,7 +30012,7 @@ Will not be applied to whitespace in comments and strings. - ::Valgrind + QtC::Valgrind Callee 呼び出し先 @@ -30391,14 +30391,14 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::Debugger + QtC::Debugger Analyzer 解析 - ::Valgrind + QtC::Valgrind Could not determine remote PID. リモートの PID が取得できませんでした。 @@ -30501,7 +30501,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. ディレクトリ %1 を削除できませんでした。 @@ -30718,7 +30718,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::Welcome + QtC::Welcome Welcome ようこそ @@ -30729,7 +30729,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::Bookmarks + QtC::Bookmarks Show Bookmark ブックマークを開く @@ -30760,7 +30760,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::Help + QtC::Help MimeType @@ -30962,14 +30962,14 @@ When a problem is detected, the application is interrupted and can be debugged.< - ::Ios + QtC::Ios iOS tool Error %1 iOS ツールエラー %1 - ::Bazaar + QtC::Bazaar Uncommit コミットの取り消し @@ -31006,7 +31006,7 @@ Ex. "Revision: 15" を指定した場合、ブランチはリビジョ - ::Beautifier + QtC::Beautifier Form フォーム @@ -31119,7 +31119,7 @@ Ex. "Revision: 15" を指定した場合、ブランチはリビジョ - ::Core + QtC::Core &Search 検索(&S) @@ -31270,14 +31270,14 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::QmlEditorWidgets + QtC::QmlEditorWidgets Double click for preview. ダブルクリックでプレビューを表示します。 - ::QmlJS + QtC::QmlJS Parsing QML Files QML ファイルの解析中 @@ -31364,7 +31364,7 @@ Qt バージョンオプションページで qmldump アプリケーション - ::Utils + QtC::Utils Filter フィルタ @@ -31375,7 +31375,7 @@ Qt バージョンオプションページで qmldump アプリケーション - ::Android + QtC::Android Could not run: %1 実行できません: %1 @@ -31406,7 +31406,7 @@ Qt バージョンオプションページで qmldump アプリケーション - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. スタイルを保存できません。%1 が存在しません。 @@ -31500,7 +31500,7 @@ Qt バージョンオプションページで qmldump アプリケーション - ::ClangCodeModel + QtC::ClangCodeModel Location: %1 Parent folder for proposed #include completion @@ -31513,7 +31513,7 @@ Qt バージョンオプションページで qmldump アプリケーション - ::Core + QtC::Core &Find/Replace 検索/置換(&F) @@ -31828,7 +31828,7 @@ kill しますか? - ::Debugger + QtC::Debugger Attach to Process Not Yet Started 開始前のプロセスにアタッチ @@ -31883,7 +31883,7 @@ kill しますか? - ::DiffEditor + QtC::DiffEditor and %n more Displayed after the untranslated message "Branches: branch1, branch2 'and %n more'" @@ -31897,7 +31897,7 @@ kill しますか? - ::ProjectExplorer + QtC::ProjectExplorer Manage... 管理... @@ -31912,7 +31912,7 @@ kill しますか? - ::QmakeProjectManager + QtC::QmakeProjectManager This wizard generates a Qt Subdirs project. Add subprojects to it later on by using the other wizards. このウィザードは Qt サブディレクトリプロジェクトを生成します。プロジェクト生成後に他のウィザードを用いてサブプロジェクトを追加してください。 @@ -31926,14 +31926,14 @@ kill しますか? - ::QmlDesigner + QtC::QmlDesigner Error エラー - ::QmlProfiler + QtC::QmlProfiler µs µs @@ -31948,7 +31948,7 @@ kill しますか? - ::Qnx + QtC::Qnx Project source directory: プロジェクトソースディレクトリ: @@ -31959,7 +31959,7 @@ kill しますか? - ::Qnx + QtC::Qnx No free ports for debugging. デバッグ用の空きポートがありません。 @@ -31974,7 +31974,7 @@ kill しますか? - ::TextEditor + QtC::TextEditor Displays context-sensitive help or type information on mouseover. マウスオーバーでコンテキストヘルプや型情報を表示します。 @@ -31989,7 +31989,7 @@ kill しますか? - ::VcsBase + QtC::VcsBase Name of the version control system in use by the current project. 現在のプロジェクトで使用するバージョン管理システムの名前です。 @@ -32174,14 +32174,14 @@ kill しますか? - ::Qnx + QtC::Qnx Attach to remote QNX application... リモートの QNX アプリケーションにアタッチ... - ::Ios + QtC::Ios Reset to Default 既定に戻す @@ -32196,7 +32196,7 @@ kill しますか? - ::Utils + QtC::Utils Proxy Credentials プロキシの認証情報 @@ -32223,7 +32223,7 @@ kill しますか? - ::ProjectExplorer + QtC::ProjectExplorer Files to deploy: デプロイするファイル: @@ -32265,7 +32265,7 @@ kill しますか? - ::Tracing + QtC::Tracing Jump to previous event. 前のイベントにジャンプします。 @@ -32288,7 +32288,7 @@ kill しますか? - ::Qnx + QtC::Qnx Deploy Qt to BlackBerry Device Qt を BlackBerry デバイスにデプロイ @@ -32339,7 +32339,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Form フォーム @@ -32400,7 +32400,7 @@ Are you sure you want to continue? - ::RemoteLinux + QtC::RemoteLinux Arguments: 引数: @@ -32464,10 +32464,10 @@ Are you sure you want to continue? - ::Utils + QtC::Utils - ::Android + QtC::Android Cannot create a new AVD. No sufficiently recent Android SDK available. Install an SDK of at least API version %1. @@ -32484,7 +32484,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::BareMetal + QtC::BareMetal New Bare Metal Device Configuration Setup 新しいベアメタルデバイスの設定 @@ -32520,7 +32520,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Core + QtC::Core Failed to open an editor for "%1". "%1"をエディタで開けません。 @@ -32585,7 +32585,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::CppEditor + QtC::CppEditor %1: No such file or directory %1: そのようなファイルもしくはディレクトリはありません @@ -32596,7 +32596,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Debugger + QtC::Debugger Use Debugging Helper デバッグヘルパを使用する @@ -32615,7 +32615,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::EmacsKeys + QtC::EmacsKeys Delete Character 文字を削除する @@ -32702,14 +32702,14 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Git + QtC::Git Refreshing Commit Data コミットデータのリフレッシュ中 - ::Help + QtC::Help Go to Help Mode ヘルプモードに移行 @@ -32820,7 +32820,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::ProjectExplorer + QtC::ProjectExplorer Local File Path ローカルファイルのパス @@ -32839,7 +32839,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Utils + QtC::Utils No Valid Settings Found 有効な設定が見つかりません @@ -32858,7 +32858,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::ProjectExplorer + QtC::ProjectExplorer <p>No .user settings file created by this instance of Qt Creator was found.</p><p>Did you work with this project on another machine or using a different settings path before?</p><p>Do you still want to load the settings file "%1"?</p> <p>この Qt Creator で作成された .user 設定ファイルが見つかりません。</p><p>他のマシン上でこのプロジェクトの作業を行ったか、以前は異なるパスでこの設定ファイルを使用していましたか?</p><p>この設定ファイル "%1" を読み込みますか?</p> @@ -32964,7 +32964,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Qnx + QtC::Qnx The following errors occurred while activating the QNX configuration: QNX 設定のアクティベート中に以下のエラーが発生しました: @@ -33018,14 +33018,14 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Qnx + QtC::Qnx QNX QNX - ::RemoteLinux + QtC::RemoteLinux Remote executable: リモート実行ファイル: @@ -33056,7 +33056,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::ProjectExplorer + QtC::ProjectExplorer Cannot open task file %1: %2 タスクファイル %1 を開けません: %2 @@ -33071,7 +33071,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::TextEditor + QtC::TextEditor Downloading Highlighting Definitions ハイライト定義をダウンロード中 @@ -33146,7 +33146,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Tracing + QtC::Tracing Collapse category カテゴリを折りたたむ @@ -33161,7 +33161,7 @@ API バージョンが %1 以上の SDK をインストールしてください - ::Android + QtC::Android Sign package パッケージに署名する @@ -33240,7 +33240,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::Autotest + QtC::Autotest Form フォーム @@ -33379,7 +33379,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::ClangCodeModel + QtC::ClangCodeModel Warnings 警告 @@ -33456,7 +33456,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::Core + QtC::Core Terminal: ターミナル: @@ -33550,7 +33550,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::CppEditor + QtC::CppEditor Configuration to use: 警告オプション設定: @@ -33589,7 +33589,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::QbsProjectManager + QtC::QbsProjectManager Custom Properties カスタムプロパティ @@ -33648,7 +33648,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::Android + QtC::Android Create Templates テンプレートの作成 @@ -33887,7 +33887,7 @@ Android 5 ではローカルの Qt ライブラリをデプロイできません - ::QmlProfiler + QtC::QmlProfiler Flush data while profiling: プロファイル中にデータを送信する: @@ -33924,7 +33924,7 @@ the program. - ::Tracing + QtC::Tracing Details 詳細 @@ -33967,7 +33967,7 @@ the program. - ::QtSupport + QtC::QtSupport Form フォーム @@ -34006,7 +34006,7 @@ the program. - ::Todo + QtC::Todo Add 追加 @@ -34127,10 +34127,10 @@ the program. - ::ProjectExplorer + QtC::ProjectExplorer - ::ExtensionSystem + QtC::ExtensionSystem Plugin meta data not found プラグインのメタデータが見つかりません @@ -34157,7 +34157,7 @@ the program. - ::qmt + QtC::qmt Change 変更 @@ -34668,7 +34668,7 @@ the program. - ::QmlDebug + QtC::QmlDebug Network connection dropped ネットワーク接続がありません @@ -34715,7 +34715,7 @@ the program. - ::Utils + QtC::Utils Cannot create OpenGL context. OpenGL コンテキストが作成できません。 @@ -34786,7 +34786,7 @@ the program. - ::Android + QtC::Android Build Android APK AndroidBuildApkStep default display name @@ -34850,7 +34850,7 @@ the program. - ::Autotest + QtC::Autotest Scanning for Tests テストのスキャン中 @@ -35137,7 +35137,7 @@ Only desktop kits are supported. Make sure the currently active kit is a desktop - ::BareMetal + QtC::BareMetal Enter GDB commands to reset the board and to write the nonvolatile memory. ボードのリセットと不揮発メモリに書き込むための GDB コマンドを入力してください。 @@ -35352,7 +35352,7 @@ Only desktop kits are supported. Make sure the currently active kit is a desktop - ::Bazaar + QtC::Bazaar &Annotate %1 %1 のアノテーション(&A) @@ -35363,7 +35363,7 @@ Only desktop kits are supported. Make sure the currently active kit is a desktop - ::BinEditor + QtC::BinEditor Memory at 0x%1 0x%1 のメモリ @@ -35703,14 +35703,14 @@ clang の実行ファイルを設定してください。 - ::ClearCase + QtC::ClearCase Annotate version "%1" バージョン "%1" のアノテーション - ::CMakeProjectManager + QtC::CMakeProjectManager The build directory is not for %1 but for %2 このビルドディレクトリは %2 向けで %1 向けではありません @@ -36022,7 +36022,7 @@ clang の実行ファイルを設定してください。 - ::Core + QtC::Core Existing files 上書き時のエラー @@ -36458,7 +36458,7 @@ Do you want to check them out now? - ::Core + QtC::Core Current theme: %1 現在のテーマ: %1 @@ -36469,7 +36469,7 @@ Do you want to check them out now? - ::CppEditor + QtC::CppEditor &Refactor リファクタリング(&R) @@ -36504,14 +36504,14 @@ Do you want to check them out now? - ::CVS + QtC::CVS Annotate revision "%1" リビジョン "%1" のアノテーション - ::Debugger + QtC::Debugger Use Customized Settings カスタム設定を使用する @@ -36877,7 +36877,7 @@ Setting breakpoints by file name and line number may fail. - ::Utils + QtC::Utils Views ビュー @@ -36912,7 +36912,7 @@ Setting breakpoints by file name and line number may fail. - ::Debugger + QtC::Debugger Option "%1" is missing the parameter. オプション "%1" に必要なパラメータが不足しています。 @@ -37100,7 +37100,7 @@ Affected are breakpoints %1 - ::Designer + QtC::Designer Widget box ウィジェットボックス @@ -37207,7 +37207,7 @@ Affected are breakpoints %1 - ::ProjectExplorer + QtC::ProjectExplorer "data" for a "Form" page needs to be unset or an empty object. "Form" ページの "data" は未設定か空オブジェクトである必要があります。 @@ -38228,7 +38228,7 @@ Preselects a desktop Qt for building the application if available. - ::DiffEditor + QtC::DiffEditor Context lines: コンテキスト行: @@ -38345,7 +38345,7 @@ Preselects a desktop Qt for building the application if available. - ::FakeVim + QtC::FakeVim Unknown option: %1 不明なオプション: %1 @@ -38596,7 +38596,7 @@ Preselects a desktop Qt for building the application if available. - ::Git + QtC::Git &Blame %1 "%1" の編集者を表示(&B) @@ -38647,7 +38647,7 @@ Leave empty to search through the file system. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -38655,14 +38655,14 @@ Leave empty to search through the file system. - ::Help + QtC::Help Unknown or unsupported content. 不明かサポート対象外のコンテンツです。 - ::ImageViewer + QtC::ImageViewer x Multiplication, as in 32x32 @@ -38748,14 +38748,14 @@ Would you like to overwrite it? - ::Macros + QtC::Macros Text Editing Macros テキストエディタマクロ - ::Mercurial + QtC::Mercurial &Annotate %1 %1 のアノテーション(&A) @@ -38766,7 +38766,7 @@ Would you like to overwrite it? - ::ModelEditor + QtC::ModelEditor &Remove 図から削除(&R) @@ -38957,14 +38957,14 @@ Would you like to overwrite it? - ::Perforce + QtC::Perforce Annotate change list "%1" チェンジリスト "%1" のアノテーション - ::ProjectExplorer + QtC::ProjectExplorer Synchronize configuration 設定を同期する @@ -39433,7 +39433,7 @@ These files are preserved. - ::Python + QtC::Python Run %1 %1 を実行 @@ -39480,7 +39480,7 @@ These files are preserved. - ::QbsProjectManager + QtC::QbsProjectManager Qbs Qbs @@ -39507,7 +39507,7 @@ These files are preserved. - ::Android + QtC::Android Deploy to device デバイスにデプロイ @@ -39614,7 +39614,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::QmakeProjectManager + QtC::QmakeProjectManager Failed 失敗 @@ -39847,7 +39847,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::QmlJSEditor + QtC::QmlJSEditor Show Qt Quick ToolBar Qt Quick ツールバーを表示します @@ -39891,7 +39891,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::QmlProfiler + QtC::QmlProfiler Duration 持続時間 @@ -40177,7 +40177,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::QtSupport + QtC::QtSupport Qt Versions Qt バージョン @@ -40188,14 +40188,14 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::ResourceEditor + QtC::ResourceEditor %1 Prefix: %2 %1 プレフィックス: %2 - ::Subversion + QtC::Subversion Verbose 冗長 @@ -40233,7 +40233,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::TextEditor + QtC::TextEditor Opening File ファイルを開いています @@ -40744,7 +40744,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::UpdateInfo + QtC::UpdateInfo Daily 毎日 @@ -40771,7 +40771,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::Valgrind + QtC::Valgrind Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. Valgrind 関数プロファイラでは Callgrind ツールを使用してプログラム実行時の関数呼び出しを記録します。 @@ -40942,7 +40942,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::VcsBase + QtC::VcsBase Working... 作業中... @@ -41017,21 +41017,21 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::Help + QtC::Help &Look for: 検索文字列(&L): - ::Core + QtC::Core Spotlight File Name Index Spotlight ファイル名検索 - ::Beautifier + QtC::Beautifier Automatic Formatting on File Save ファイル保存時に自動的に整形する @@ -41054,7 +41054,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::Nim + QtC::Nim Form フォーム @@ -41150,10 +41150,10 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::qmt + QtC::qmt - ::Utils + QtC::Utils Enter one variable per line with the variable name separated from the variable value by "=".<br>Environment variables can be referenced with ${OTHER}. 一行に付き一つの変数をその名と値を "=" で繋ぐ形式で入力してください。<br>他の環境変数は ${OTHER} の形式で参照できます。 @@ -41168,7 +41168,7 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::Autotest + QtC::Autotest Google Tests Google Tests @@ -41215,14 +41215,14 @@ Android パッケージソースディレクトリのファイルはビルドデ - ::Beautifier + QtC::Beautifier ClangFormat Clang フォーマット - ::ClangCodeModel + QtC::ClangCodeModel Inspect available fixits 利用可能な修正の確認 @@ -41303,7 +41303,7 @@ Output: - ::CMakeProjectManager + QtC::CMakeProjectManager CMake configuration set by the kit was overridden in the project. キットで設定された CMake 設定はプロジェクトで上書きされました。 @@ -41314,21 +41314,21 @@ Output: - ::Core + QtC::Core Available filters 利用可能なフィルタ - ::ModelEditor + QtC::ModelEditor Zoom: %1% 拡大率: %1% - ::Nim + QtC::Nim Current Build Target 現在のビルドターゲット @@ -41408,7 +41408,7 @@ Output: - ::QmakeProjectManager + QtC::QmakeProjectManager Files ファイル @@ -41450,7 +41450,7 @@ Output: - ::QmlProfiler + QtC::QmlProfiler Could not re-read events from temporary trace file: %1 一時的なトレース・ファイルからイベントを再読み取りできませんでした: %1 @@ -41887,7 +41887,7 @@ Output: - ::Utils + QtC::Utils Remove File ファイルを削除する @@ -41902,7 +41902,7 @@ Output: - ::Android + QtC::Android Expand All すべて展開 @@ -41925,7 +41925,7 @@ Output: - ::Autotest + QtC::Autotest Seed: シード: @@ -41968,7 +41968,7 @@ Output: - ::Beautifier + QtC::Beautifier Fallback style: フォールバックスタイル: @@ -41979,7 +41979,7 @@ Output: - ::ClangFormat + QtC::ClangFormat Format instead of indenting インデントの代わりにフォーマットを行う @@ -42018,7 +42018,7 @@ Output: - ::ClangTools + QtC::ClangTools Use Global Settings グローバル設定を使用する @@ -42053,7 +42053,7 @@ Output: - ::Core + QtC::Core Group: グループ: @@ -42076,7 +42076,7 @@ Output: - ::CppEditor + QtC::CppEditor Default 既定 @@ -42087,7 +42087,7 @@ Output: - ::Designer + QtC::Designer &Class name: クラス名(&C): @@ -42150,7 +42150,7 @@ Output: - ::Git + QtC::Git Authentication 認証情報 @@ -42161,7 +42161,7 @@ Output: - ::Ios + QtC::Ios Devices デバイス @@ -42188,7 +42188,7 @@ Output: - ::MesonProjectManager + QtC::MesonProjectManager Apply Configuration Changes 設定の変更を適用 @@ -42215,14 +42215,14 @@ Output: - ::Nim + QtC::Nim Path パス - ::PerfProfiler + QtC::PerfProfiler Additional arguments: 追加の引数: @@ -42362,7 +42362,7 @@ Output: - ::QmlJSEditor + QtC::QmlJSEditor Automatic Formatting on File Save ファイル保存時に自動的に整形する @@ -42381,7 +42381,7 @@ Output: - ::ScxmlEditor + QtC::ScxmlEditor + + @@ -42470,10 +42470,10 @@ Output: - ::Tracing + QtC::Tracing - ::PerfProfiler + QtC::PerfProfiler Function 関数 @@ -42496,7 +42496,7 @@ Output: - ::QmlProfiler + QtC::QmlProfiler Total Time 合計時間 @@ -42591,7 +42591,7 @@ Output: - ::Utils + QtC::Utils ADS::DockWidgetTab @@ -42701,7 +42701,7 @@ Output: - ::ExtensionSystem + QtC::ExtensionSystem %1 > About Plugins %1 > プラグインについて @@ -42732,7 +42732,7 @@ Output: - ::LanguageServerProtocol + QtC::LanguageServerProtocol Cannot decode content with "%1". Falling back to "%2". コンテンツを "%1" でデコードできません。"%2" にフォールバックします。 @@ -42763,14 +42763,14 @@ Output: - ::LanguageClient + QtC::LanguageClient Error %1 エラー: %1 - ::LanguageServerProtocol + QtC::LanguageServerProtocol No ID set in "%1". "%1"に ID が設定されていません。 @@ -42789,10 +42789,10 @@ Output: - ::qmt + QtC::qmt - ::QmlDebug + QtC::QmlDebug Debug connection opened. デバッグ接続を開きました。 @@ -42879,7 +42879,7 @@ Output: - ::Tracing + QtC::Tracing Could not open %1 for writing. 書き込み用に %1 を開けません。 @@ -42896,7 +42896,7 @@ The trace data is lost. - ::Utils + QtC::Utils File format not supported. 未対応のファイル形式です。 @@ -42997,7 +42997,7 @@ in "%2". - ::Android + QtC::Android Clean Environment 環境変数なし @@ -43036,7 +43036,7 @@ in "%2". - ::Autotest + QtC::Autotest Testing 自動テスト @@ -43231,10 +43231,10 @@ in "%2". - ::Android + QtC::Android - ::BuildConfiguration + QtC::BuildConfiguration Build ビルド @@ -43267,7 +43267,7 @@ The name of the release build configuration created by default for a qmake proje - ::BareMetal + QtC::BareMetal Deploy to BareMetal Device ベアメタルデバイスにデプロイ @@ -43562,14 +43562,14 @@ The name of the release build configuration created by default for a qmake proje - ::ProjectExplorer + QtC::ProjectExplorer %2 exited with code %1 %2 はコード %1 で終了しました - ::BareMetal + QtC::BareMetal Version バージョン @@ -43724,7 +43724,7 @@ The name of the release build configuration created by default for a qmake proje - ::Bazaar + QtC::Bazaar Verbose 冗長表示 @@ -43771,7 +43771,7 @@ The name of the release build configuration created by default for a qmake proje - ::Beautifier + QtC::Beautifier &Artistic Style &Artistic スタイル @@ -43794,7 +43794,7 @@ The name of the release build configuration created by default for a qmake proje - ::BinEditor + QtC::BinEditor Copy 0x%1 0x%1をコピー @@ -43805,14 +43805,14 @@ The name of the release build configuration created by default for a qmake proje - ::BinEditor + QtC::BinEditor Zoom: %1% 拡大率: %1% - ::Qdb + QtC::Qdb Device "%1" %2 デバイス "%1" %2 @@ -43931,7 +43931,7 @@ The name of the release build configuration created by default for a qmake proje - ::ClangCodeModel + QtC::ClangCodeModel Requires changing "%1" to "%2" "%1"を"%2 "に変更する必要があります @@ -43981,7 +43981,7 @@ The name of the release build configuration created by default for a qmake proje - ::ClangCodeModel + QtC::ClangCodeModel <No Symbols> <シンボルなし> @@ -44032,7 +44032,7 @@ The name of the release build configuration created by default for a qmake proje - ::ClangFormat + QtC::ClangFormat Open Used .clang-format Configuration File 使用した clang-format 設定ファイルを開く @@ -44043,7 +44043,7 @@ The name of the release build configuration created by default for a qmake proje - ::ClangTools + QtC::ClangTools Clear クリア @@ -44132,7 +44132,7 @@ Output: - ::CMakeProjectManager + QtC::CMakeProjectManager Changing Build Directory ビルドディレクトリの変更 @@ -44160,14 +44160,14 @@ Output: - ::Conan + QtC::Conan Additional arguments: 追加の引数: - ::Core + QtC::Core Text Encoding 文字コードの指定 @@ -44258,7 +44258,7 @@ Output: - ::Cppcheck + QtC::Cppcheck Diagnostic 診断 @@ -44285,7 +44285,7 @@ Output: - ::CppEditor + QtC::CppEditor Synchronize with Editor エディタと同期 @@ -44348,7 +44348,7 @@ Output: - ::CtfVisualizer + QtC::CtfVisualizer Title タイトル @@ -44387,7 +44387,7 @@ Output: - ::Debugger + QtC::Debugger The debugger to use for this kit. このキットで使用するデバッガです。 @@ -44438,10 +44438,10 @@ Output: - ::ProjectExplorer + QtC::ProjectExplorer - ::Debugger + QtC::Debugger Cannot debug: Local executable is not set. デバッグエラー: ローカル実行ファイルが設定されていません。 @@ -44596,7 +44596,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::DiffEditor + QtC::DiffEditor Modified 変更 @@ -44607,10 +44607,10 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::GenericProjectManager + QtC::GenericProjectManager - ::Git + QtC::Git Refresh 更新 @@ -44721,14 +44721,14 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Help + QtC::Help Zoom: %1% 拡大率: %1% - ::ImageViewer + QtC::ImageViewer File: ファイル: @@ -44739,7 +44739,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::IncrediBuild + QtC::IncrediBuild Miscellaneous その他 @@ -44758,7 +44758,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Ios + QtC::Ios iOS Settings iOS の設定 @@ -44829,7 +44829,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::LanguageClient + QtC::LanguageClient Copy to Clipboard クリップボードにコピーする @@ -44932,7 +44932,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::McuSupport + QtC::McuSupport Qt for MCUs Demos Qt for MCUs のデモ @@ -44987,7 +44987,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::MesonProjectManager + QtC::MesonProjectManager Configure 設定する @@ -45055,7 +45055,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Nim + QtC::Nim Nim SnippetProvider @@ -45067,10 +45067,10 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Perforce + QtC::Perforce - ::PerfProfiler + QtC::PerfProfiler Result 結果 @@ -45161,7 +45161,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::ProjectExplorer + QtC::ProjectExplorer Source ソース @@ -45240,10 +45240,10 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Autotest + QtC::Autotest - ::ProjectExplorer + QtC::ProjectExplorer <empty> <空> @@ -45310,7 +45310,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Python + QtC::Python Manage... 管理... @@ -45337,7 +45337,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::QbsProjectManager + QtC::QbsProjectManager Change... 変更... @@ -45352,7 +45352,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::QmakeProjectManager + QtC::QmakeProjectManager Run 実行 @@ -46543,7 +46543,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::QmlJSEditor + QtC::QmlJSEditor Code Model Warning コードモデルの警告 @@ -46581,7 +46581,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::QmlProfiler + QtC::QmlProfiler Callee 呼び出し先 @@ -46592,17 +46592,17 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::QmlProjectManager + QtC::QmlProjectManager - ::Qnx + QtC::Qnx QCC QCC - ::QtSupport + QtC::QtSupport Qt version Qt バージョン @@ -46706,7 +46706,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::RemoteLinux + QtC::RemoteLinux Command: コマンド: @@ -46777,7 +46777,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::ScxmlEditor + QtC::ScxmlEditor Modify Color Themes... 色のテーマを変更する... @@ -47264,7 +47264,7 @@ Row: %4, Column: %5 - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1: %2. ポート %1 を開けませんでした: %2。 @@ -47298,24 +47298,24 @@ Row: %4, Column: %5 - ::Subversion + QtC::Subversion - ::TextEditor + QtC::TextEditor Show Diagnostic Settings 診断設定を表示する - ::Todo + QtC::Todo To-Do To-Do - ::UpdateInfo + QtC::UpdateInfo Update Update @@ -47323,7 +47323,7 @@ Row: %4, Column: %5 - ::Valgrind + QtC::Valgrind Profiling プロファイル中 @@ -47364,7 +47364,7 @@ Row: %4, Column: %5 - ::VcsBase + QtC::VcsBase &Undo 元に戻す(&U) @@ -47379,7 +47379,7 @@ Row: %4, Column: %5 - ::Welcome + QtC::Welcome Locator クイックアクセス diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index 80f04938e3f..7f3516a8c0c 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -2,7 +2,7 @@ - ::ExtensionSystem + QtC::ExtensionSystem Name: Nazwa: @@ -61,7 +61,7 @@ - ::Utils + QtC::Utils Do not ask again Nie pytaj ponownie @@ -208,7 +208,7 @@ - ::Core + QtC::Core New Project Nowy projekt @@ -294,7 +294,7 @@ - ::CodePaster + QtC::CodePaster Refresh Odśwież @@ -313,7 +313,7 @@ - ::CVS + QtC::CVS CVS CVS @@ -360,7 +360,7 @@ - ::Designer + QtC::Designer Class Klasa @@ -379,7 +379,7 @@ - ::Git + QtC::Git Branches Gałęzie @@ -614,7 +614,7 @@ - ::Perforce + QtC::Perforce Change Number Numer zmiany @@ -717,7 +717,7 @@ - ::ProjectExplorer + QtC::ProjectExplorer Editor settings: Ustawienia edytora: @@ -916,7 +916,7 @@ - ::QmakeProjectManager + QtC::QmakeProjectManager Form Formularz @@ -1133,7 +1133,7 @@ - ::Subversion + QtC::Subversion Authentication Autoryzacja @@ -1184,7 +1184,7 @@ - ::TextEditor + QtC::TextEditor Bold Pogrubiony @@ -1303,7 +1303,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Dodaj zakładkę @@ -1349,7 +1349,7 @@ - ::Help + QtC::Help Choose Topic Wybierz temat @@ -1376,7 +1376,7 @@ - ::ResourceEditor + QtC::ResourceEditor Add Dodaj @@ -1437,7 +1437,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Wybierz symbol> @@ -1448,7 +1448,7 @@ - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. Wtyczka "%1" występuje dwukrotnie w testach. @@ -1645,7 +1645,7 @@ Przyczyna: %3 - ::Utils + QtC::Utils The class name must not contain namespace delimiters. Nazwa klasy nie może zawierać separatorów przestrzeni nazw. @@ -1872,7 +1872,7 @@ Przyczyna: %3 - ::Bookmarks + QtC::Bookmarks Move Up Przenieś do góry @@ -1955,7 +1955,7 @@ Przyczyna: %3 - ::CMakeProjectManager + QtC::CMakeProjectManager Build directory: Katalog wersji: @@ -2010,7 +2010,7 @@ Przyczyna: %3 - ::Core + QtC::Core File Generation Failure Błąd w trakcie generowania pliku @@ -2080,7 +2080,7 @@ Przyczyna: %3 - ::Core + QtC::Core Open File With... Otwórz plik przy pomocy... @@ -2577,7 +2577,7 @@ Kontynuować? - ::CodePaster + QtC::CodePaster &Code Pasting Wklejanie &kodu @@ -2624,7 +2624,7 @@ Kontynuować? - ::CppEditor + QtC::CppEditor C++ Symbols in Current Document Symbole C++ w bieżącym dokumencie @@ -2725,7 +2725,7 @@ Kontynuować? - ::CVS + QtC::CVS &CVS &CVS @@ -3016,7 +3016,7 @@ Kontynuować? - ::Debugger + QtC::Debugger Marker File: Plik znacznika: @@ -5034,7 +5034,7 @@ Więcej szczegółów w /etc/sysctl.d/10-ptrace.conf - ::Designer + QtC::Designer Qt Designer Form Class Klasa formularza Qt Designer @@ -5105,7 +5105,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. - ::FakeVim + QtC::FakeVim Use FakeVim Używaj FakeVim @@ -5232,7 +5232,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. - ::GenericProjectManager + QtC::GenericProjectManager Make GenericMakestep display name. @@ -5285,7 +5285,7 @@ Przebudowanie projektu może pomóc w ich odnalezieniu. - ::Git + QtC::Git Browse &History... Przeglądaj &historię... @@ -6183,7 +6183,7 @@ Commit now? - ::Help + QtC::Help Documentation Dokumentacja @@ -6496,7 +6496,7 @@ Dodaj, zmodyfikuj lub usuń filtry dokumentów, które determinują zestaw dokum - ::Perforce + QtC::Perforce &Perforce &Perforce @@ -6862,7 +6862,7 @@ Dodaj, zmodyfikuj lub usuń filtry dokumentów, które determinują zestaw dokum - ::ProjectExplorer + QtC::ProjectExplorer Configuration is faulty. Check the Issues view for details. Błędna konfiguracja. Sprawdź szczegóły w widoku "Problemy budowania". @@ -7136,7 +7136,7 @@ Wykluczenia: %2 - ::Core + QtC::Core File System System plików @@ -7155,7 +7155,7 @@ Wykluczenia: %2 - ::ProjectExplorer + QtC::ProjectExplorer Custom Process Step item in combobox @@ -7987,7 +7987,7 @@ do projektu "%2". - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> <Nowa klasa> @@ -8287,7 +8287,7 @@ do projektu "%2". - ::QmakeProjectManager + QtC::QmakeProjectManager Class Information Informacje o klasie @@ -8358,14 +8358,14 @@ Wstępnie wybiera wersję desktopową Qt do budowania aplikacji (jeśli jest dos - ::Core + QtC::Core Locator Lokalizator - ::ResourceEditor + QtC::ResourceEditor &Undo &Cofnij @@ -8452,7 +8452,7 @@ Wstępnie wybiera wersję desktopową Qt do budowania aplikacji (jeśli jest dos - ::Subversion + QtC::Subversion Subversion Command Komenda Subversion @@ -8679,7 +8679,7 @@ Wstępnie wybiera wersję desktopową Qt do budowania aplikacji (jeśli jest dos - ::TextEditor + QtC::TextEditor Searching Przeszukiwanie @@ -9363,7 +9363,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych - ::VcsBase + QtC::VcsBase Email E-mail @@ -9438,7 +9438,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych - ::Bookmarks + QtC::Bookmarks Show Bookmark Pokaż zakładkę @@ -9469,7 +9469,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych - ::Help + QtC::Help Open Link in Window Otwórz odsyłacz w oknie @@ -9483,7 +9483,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych - ::CppEditor + QtC::CppEditor C++ Classes, Enums and Functions Klasy, typy wyliczeniowe i funkcje C++ @@ -9577,7 +9577,7 @@ Nie zostanie zastosowane do białych znaków w komentarzach i ciągach znakowych - ::Git + QtC::Git Stashes Odłożone zmiany @@ -9659,7 +9659,7 @@ Możesz odłożyć zmiany lub je porzucić. - ::Mercurial + QtC::Mercurial General Information Ogólne informacje @@ -9983,7 +9983,7 @@ Możesz odłożyć zmiany lub je porzucić. - ::QmakeProjectManager + QtC::QmakeProjectManager Specify basic information about the test class for which you want to generate skeleton source code file. Podaj podstawowe informacje o klasie testowej, dla której ma zostać wygenerowany szkielet pliku z kodem źródłowym. @@ -10030,7 +10030,7 @@ Możesz odłożyć zmiany lub je porzucić. - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. Nie można usunąć katalogu "%1". @@ -10081,7 +10081,7 @@ Możesz odłożyć zmiany lub je porzucić. - ::ExtensionSystem + QtC::ExtensionSystem None Brak @@ -10197,7 +10197,7 @@ wyłączy również następujące wtyczki: - ::QmlJS + QtC::QmlJS 'int' or 'real' "int" lub "real" @@ -10234,7 +10234,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Utils + QtC::Utils File has been removed Plik został usunięty @@ -10269,7 +10269,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake kit Uruchom zestaw CMake @@ -10289,7 +10289,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Core + QtC::Core Command Mappings Mapy komend @@ -10406,7 +10406,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::CodePaster + QtC::CodePaster Code Pasting Wklejanie kodu @@ -10421,7 +10421,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::VcsBase + QtC::VcsBase CVS Commit Editor Edytor poprawek CVS @@ -10544,14 +10544,14 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Debugger + QtC::Debugger CDB CDB - ::GenericProjectManager + QtC::GenericProjectManager Make Make @@ -10566,7 +10566,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Help + QtC::Help Error loading page Błąd ładowania strony @@ -10597,7 +10597,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Mercurial + QtC::Mercurial Commit Editor Edytor poprawek @@ -10820,7 +10820,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Perforce + QtC::Perforce No executable specified Nie podano programu do uruchomienia @@ -10856,7 +10856,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::ProjectExplorer + QtC::ProjectExplorer untitled File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. @@ -10908,7 +10908,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::ProjectExplorer + QtC::ProjectExplorer URI: URI: @@ -11051,7 +11051,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Core + QtC::Core Open Otwórz @@ -11086,7 +11086,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::ProjectExplorer + QtC::ProjectExplorer Project Projekt @@ -11189,7 +11189,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -11267,7 +11267,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::QmlJSEditor + QtC::QmlJSEditor Rename Symbol Under Cursor Zmień nazwę symbolu pod kursorem @@ -11319,7 +11319,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file %1. Błąd ładowania pliku projektu %1. @@ -11368,7 +11368,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::QtSupport + QtC::QtSupport No qmake path set Nie ustawiono ścieżki do qmake @@ -11453,7 +11453,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Unit Test Test jednostkowy Qt @@ -11468,14 +11468,14 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::TextEditor + QtC::TextEditor Text Editor Edytor tekstu - ::VcsBase + QtC::VcsBase Choose Repository Directory Wybierz katalog repozytorium @@ -11605,7 +11605,7 @@ Dla projektów CMake, upewnij się, że zmienna QML_IMPORT_PATH jest obecna w CM - ::Utils + QtC::Utils Central Widget Centralny Widżet @@ -11645,7 +11645,7 @@ które można ustawić poniżej. - ::CodePaster + QtC::CodePaster Cannot open %1: %2 Nie można otworzyć %1: %2 @@ -11676,7 +11676,7 @@ które można ustawić poniżej. - ::Debugger + QtC::Debugger Python Error Błąd Pythona @@ -11711,7 +11711,7 @@ które można ustawić poniżej. - ::ProjectExplorer + QtC::ProjectExplorer Enter the name of the session: Podaj nazwę sesji: @@ -11725,7 +11725,7 @@ które można ustawić poniżej. - ::QmlJSEditor + QtC::QmlJSEditor No file specified. Nie podano pliku. @@ -11742,7 +11742,7 @@ które można ustawić poniżej. - ::QmakeProjectManager + QtC::QmakeProjectManager Reading Project "%1" Odczyt projektu "%1" @@ -11765,7 +11765,7 @@ które można ustawić poniżej. - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -11778,7 +11778,7 @@ które można ustawić poniżej. - ::QmakeProjectManager + QtC::QmakeProjectManager The build directory needs to be at the same level as the source directory. Katalog przeznaczony do budowania musi być na tym samym poziomie co katalog ze źródłami. @@ -11890,7 +11890,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::CppEditor + QtC::CppEditor Rewrite Using %1 Przepisz używając %1 @@ -12017,7 +12017,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -12025,7 +12025,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Tekst @@ -12168,14 +12168,14 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::ClassView + QtC::ClassView Show Subprojects Pokaż podprojekty - ::Help + QtC::Help Add Dodaj @@ -12194,7 +12194,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::ImageViewer + QtC::ImageViewer Image Viewer Przeglądarka plików graficznych @@ -12229,7 +12229,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::QmakeProjectManager + QtC::QmakeProjectManager Library: Biblioteka: @@ -12304,7 +12304,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Ukrywa ten pasek narzędzi. @@ -12335,7 +12335,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot oczekiwano dwóch liczb oddzielonych kropką @@ -12346,7 +12346,7 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::Utils + QtC::Utils The command "%1" finished successfully. Komenda "%1" poprawnie zakończona. @@ -12385,14 +12385,14 @@ Identyfikatory muszą rozpoczynać się małą literą. - ::ClassView + QtC::ClassView Class View Widok klas - ::Core + QtC::Core Activate %1 View Uaktywnij widok %1 @@ -12409,7 +12409,7 @@ Lista serwera: %2. - ::CodePaster + QtC::CodePaster Checking connection Sprawdzanie połączenia @@ -12420,7 +12420,7 @@ Lista serwera: %2. - ::CppEditor + QtC::CppEditor No type hierarchy available Brak dostępnej hierarchii typów @@ -12499,7 +12499,7 @@ Flagi: %3 - ::Debugger + QtC::Debugger The console process "%1" could not be started. Nie można uruchomić procesu konsolowego "%1". @@ -12660,7 +12660,7 @@ Możesz zostać poproszony o podzielenie się zawartością tego loga podczas tw - ::Git + QtC::Git Set the environment variable HOME to "%1" (%2). @@ -12686,7 +12686,7 @@ zamiast w jego katalogu instalacyjnym. - ::Help + QtC::Help Copy Full Path to Clipboard Skopiuj pełną ścieżkę do schowka @@ -12697,7 +12697,7 @@ zamiast w jego katalogu instalacyjnym. - ::ProjectExplorer + QtC::ProjectExplorer %1 Steps %1 is the name returned by BuildStepList::displayName @@ -12853,7 +12853,7 @@ zamiast w jego katalogu instalacyjnym. - ::QmlJSEditor + QtC::QmlJSEditor Move Component into Separate File Przenieś komponent do oddzielnego pliku @@ -12904,7 +12904,7 @@ zamiast w jego katalogu instalacyjnym. - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library Dodaj bibliotekę @@ -13013,7 +13013,7 @@ Adds the library and include paths to the .pro file. - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring Zatrzymaj monitorowanie @@ -13024,7 +13024,7 @@ Adds the library and include paths to the .pro file. - ::TextEditor + QtC::TextEditor Generic Highlighter Ogólne podświetlanie @@ -13119,7 +13119,7 @@ Adds the library and include paths to the .pro file. - ::ProjectExplorer + QtC::ProjectExplorer Cannot start process: %1 Nie można uruchomić procesu: %1 @@ -13162,14 +13162,14 @@ Adds the library and include paths to the .pro file. - ::QmlJSEditor + QtC::QmlJSEditor Show All Bindings Pokaż wszystkie powiązania - ::CppEditor + QtC::CppEditor Add %1 Declaration Dodaj deklarację %1 @@ -13192,7 +13192,7 @@ Adds the library and include paths to the .pro file. - ::Bazaar + QtC::Bazaar General Information Ogólne informacje @@ -13229,7 +13229,7 @@ Poprawki utworzone lokalnie nie są wrzucane do głównej gałęzi, dopóki nie - ::Bazaar + QtC::Bazaar Form Formularz @@ -13359,7 +13359,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Revert Odwróć zmiany @@ -13370,7 +13370,7 @@ Local pulls are not applied to the master branch. - ::Core + QtC::Core Form Formularz @@ -13529,7 +13529,7 @@ Local pulls are not applied to the master branch. - ::Macros + QtC::Macros Form Formularz @@ -13572,7 +13572,7 @@ Local pulls are not applied to the master branch. - ::QmlJS + QtC::QmlJS Errors while loading qmltypes from %1: %2 @@ -13731,7 +13731,7 @@ Local pulls are not applied to the master branch. - ::Utils + QtC::Utils <UNSET> <USUNIĘTO> @@ -13760,7 +13760,7 @@ Local pulls are not applied to the master branch. - ::Valgrind + QtC::Valgrind Location Położenie @@ -13859,14 +13859,14 @@ Local pulls are not applied to the master branch. - ::Debugger + QtC::Debugger Analyzer Analizator - ::Bazaar + QtC::Bazaar Bazaar Bazaar @@ -14049,21 +14049,21 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Commit Editor Edytor poprawek - ::Bazaar + QtC::Bazaar Bazaar Command Komenda Bazaar - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake Uruchom CMake @@ -14078,7 +14078,7 @@ Local pulls are not applied to the master branch. - ::Core + QtC::Core Uncategorized Nieskategoryzowane @@ -14296,7 +14296,7 @@ do systemu kontroli wersji (%2) - ::CppEditor + QtC::CppEditor Expand All Rozwiń wszystko @@ -14307,7 +14307,7 @@ do systemu kontroli wersji (%2) - ::Debugger + QtC::Debugger <html><body><p>The remote CDB needs to load the matching Qt Creator CDB extension (<code>%1</code> or <code>%2</code>, respectively).</p><p>Copy it onto the remote machine and set the environment variable <code>%3</code> to point to its folder.</p><p>Launch the remote CDB as <code>%4 &lt;executable&gt;</code> to use TCP/IP as communication protocol.</p><p>Enter the connection parameters as:</p><pre>%5</pre></body></html> <html><body><p>Zdalny CDB musi załadować odpowiednie rozszerzenie Qt Creator (<code>%1</code> albo odpowiednio <code>%2</code>).</p><p>Skopiuj to na zdalną maszynę i ustaw zmienną środowiskową <code>%3</code> wskazując na jego katalog.</p><p>Uruchom zdalny CDB jako <code>%4 &lt;plik wykonywalny&gt;</code> aby użyć protokołu TCP/IP.</p><p>Podaj parametry połączenia jako:</p><pre>%5</pre></body></html> @@ -14857,7 +14857,7 @@ Ponowić próbę? - ::Git + QtC::Git Use the patience algorithm for calculating the differences. Użyj algorytmu "patience" przy pokazywaniu różnic. @@ -14884,7 +14884,7 @@ Ponowić próbę? - ::Macros + QtC::Macros Text Editing Macros Makra do edycji tekstu @@ -14935,7 +14935,7 @@ Ponowić próbę? - ::ProjectExplorer + QtC::ProjectExplorer GCC GCC @@ -15069,7 +15069,7 @@ Ponowić próbę? - ::QmlJSEditor + QtC::QmlJSEditor Expand All Rozwiń wszystko @@ -15080,14 +15080,14 @@ Ponowić próbę? - ::QmlJSTools + QtC::QmlJSTools QML Functions Funkcje QML - ::QmlProjectManager + QtC::QmlProjectManager Arguments: Argumenty: @@ -15098,7 +15098,7 @@ Ponowić próbę? - ::QmakeProjectManager + QtC::QmakeProjectManager Subdirs Project Projekt z podkatalogami @@ -15126,7 +15126,7 @@ Ponowić próbę? - ::TextEditor + QtC::TextEditor Error Błąd @@ -15161,7 +15161,7 @@ Ponowić próbę? - ::VcsBase + QtC::VcsBase Annotate "%1" Dołącz adnotację do "%1" @@ -15208,14 +15208,14 @@ Ponowić próbę? - ::Macros + QtC::Macros Macros Makra - ::CppEditor + QtC::CppEditor Form Formularz @@ -15457,7 +15457,7 @@ if (a && - ::Git + QtC::Git Add Remote Dodaj zdalne repozytorium @@ -15500,7 +15500,7 @@ if (a && - ::QmlProfiler + QtC::QmlProfiler QML Profiler Profiler QML @@ -15535,7 +15535,7 @@ if (a && - ::QtSupport + QtC::QtSupport Version name: Nazwa wersji: @@ -15562,7 +15562,7 @@ if (a && - ::Valgrind + QtC::Valgrind Suppression File: Plik tłumienia: @@ -15733,7 +15733,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Configuration Konfiguracja @@ -16097,7 +16097,7 @@ With cache simulation, further event counters are enabled: - ::Utils + QtC::Utils Refusing to remove root directory. Odmowa usunięcia katalogu głównego. @@ -16160,7 +16160,7 @@ With cache simulation, further event counters are enabled: - ::Valgrind + QtC::Valgrind Callee Zawołana @@ -16343,7 +16343,7 @@ With cache simulation, further event counters are enabled: - ::Core + QtC::Core &Show Details &Pokaż szczegóły @@ -16358,7 +16358,7 @@ With cache simulation, further event counters are enabled: - ::CppEditor + QtC::CppEditor Global Settings @@ -16378,7 +16378,7 @@ With cache simulation, further event counters are enabled: - ::ImageViewer + QtC::ImageViewer Play Animation Odtwórz animację @@ -16389,7 +16389,7 @@ With cache simulation, further event counters are enabled: - ::ProjectExplorer + QtC::ProjectExplorer <custom> <własny> @@ -16480,7 +16480,7 @@ With cache simulation, further event counters are enabled: - ::QmlJSTools + QtC::QmlJSTools Code Style Styl kodu @@ -16504,7 +16504,7 @@ With cache simulation, further event counters are enabled: - ::QmlProfiler + QtC::QmlProfiler The QML Profiler can be used to find performance bottlenecks in applications using QML. Profiler QML może być używany do znajdowania wąskich gardeł w wydajności aplikacji QML. @@ -16596,7 +16596,7 @@ Do you want to save the data first? - ::QmakeProjectManager + QtC::QmakeProjectManager Could not parse Makefile. Błąd parsowania pliku Makefile. @@ -16656,7 +16656,7 @@ Do you want to save the data first? - ::QtSupport + QtC::QtSupport Device type is not supported by Qt version. Typ urządzenia nie jest obsługiwany przez wersję Qt. @@ -16803,7 +16803,7 @@ Do you want to save the data first? - ::RemoteLinux + QtC::RemoteLinux %1 (on Remote Device) %1 (na zdalnym urządzeniu) @@ -16815,7 +16815,7 @@ Do you want to save the data first? - ::TextEditor + QtC::TextEditor Global Settings @@ -16831,7 +16831,7 @@ Do you want to save the data first? - ::Valgrind + QtC::Valgrind All functions with an inclusive cost ratio higher than %1 (%2 are hidden) Wszystkie funkcje ze współczynnikiem łącznego kosztu wyższym niż %1 (ilość ukrytych: %2) @@ -16972,14 +16972,14 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu - ::Welcome + QtC::Welcome Welcome Powitanie - ::Git + QtC::Git Branch Name: Nazwa gałęzi: @@ -17050,7 +17050,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu - ::GenericProjectManager + QtC::GenericProjectManager Files Pliki @@ -17061,7 +17061,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu - ::Git + QtC::Git Local Branches Lokalne gałęzie @@ -17076,7 +17076,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu - ::QmlJSTools + QtC::QmlJSTools &QML/JS &QML/JS @@ -17087,7 +17087,7 @@ Kiedy zostaje wykryty problem, aplikacja jest zatrzymywana i może zostać zdebu - ::RemoteLinux + QtC::RemoteLinux New Generic Linux Device Configuration Setup Nowa konfiguracja ogólnego urządzenia linuksowego @@ -17184,7 +17184,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::ExtensionSystem + QtC::ExtensionSystem Qt Creator - Plugin loader messages Qt Creator - komunikaty ładowania wtyczek @@ -17199,7 +17199,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::QmlProfiler + QtC::QmlProfiler Memory Usage Zajętość pamięci @@ -17338,7 +17338,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::Utils + QtC::Utils Out of memory. Brak pamięci. @@ -17349,7 +17349,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::Core + QtC::Core Launching a file browser failed Nie można uruchomić przeglądarki plików @@ -17420,7 +17420,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::Debugger + QtC::Debugger C++ exception Wyjątek C++ @@ -17447,7 +17447,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::ProjectExplorer + QtC::ProjectExplorer Unsupported Shared Settings File Nieobsługiwany plik z dzielonymi ustawieniami @@ -17458,14 +17458,14 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick - ::RemoteLinux + QtC::RemoteLinux No deployment action necessary. Skipping. Instalacja nie jest wymagana. Zostanie pominięta. @@ -17768,7 +17768,7 @@ Dodatkowo, przetestowane zostanie połączenie z urządzeniem. - ::TextEditor + QtC::TextEditor Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. Zmodyfikuj zawartość podglądu, aby zobaczyć, jak bieżące ustawienia zostaną zastosowane do własnych fragmentów kodu. Zmiany w podglądzie nie wpływają na bieżące ustawienia. @@ -17863,7 +17863,7 @@ Wykluczenia: %3 - ::UpdateInfo + QtC::UpdateInfo Updater Aktualizator @@ -17886,7 +17886,7 @@ Wykluczenia: %3 - ::Core + QtC::Core Creates qm translation files that can be used by an application from the translator's ts files Tworzy pliki qm z tłumaczeniami, na podstawie plików ts tłumacza, które mogą być użyte w aplikacji @@ -18056,7 +18056,7 @@ Wykluczenia: %3 - ::Android + QtC::Android Create a keystore and a certificate @@ -18203,7 +18203,7 @@ Wykluczenia: %3 - ::Core + QtC::Core Registered MIME Types Zarejestrowane typy MIME @@ -18254,7 +18254,7 @@ Wykluczenia: %3 - ::CodePaster + QtC::CodePaster Form Formularz @@ -18365,7 +18365,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Headers Nagłówki @@ -18448,7 +18448,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::Debugger + QtC::Debugger Behavior Zachowanie @@ -18555,7 +18555,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::ProjectExplorer + QtC::ProjectExplorer Form Formularz @@ -18626,7 +18626,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::Tracing + QtC::Tracing Selection Selekcja @@ -18645,7 +18645,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::QmakeProjectManager + QtC::QmakeProjectManager Make arguments: Argumenty make'a: @@ -18676,14 +18676,14 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::QtSupport + QtC::QtSupport Debugging Helper Build Log Log kompilacji programów pomocniczych debuggera - ::RemoteLinux + QtC::RemoteLinux Form Formularz @@ -18833,7 +18833,7 @@ Przedrostki te, w dodatku do nazwy bieżącego pliku, używane są do przełącz - ::TextEditor + QtC::TextEditor Form Formularz @@ -19295,7 +19295,7 @@ Wpływa na wcięcia przeniesionych linii. - ::Todo + QtC::Todo Keyword Słowo kluczowe @@ -19322,7 +19322,7 @@ Wpływa na wcięcia przeniesionych linii. - ::Todo + QtC::Todo Form Formularz @@ -19357,7 +19357,7 @@ Wpływa na wcięcia przeniesionych linii. - ::VcsBase + QtC::VcsBase Clean Repository Wyczyść repozytorium @@ -19416,7 +19416,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -19687,7 +19687,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. - ::Utils + QtC::Utils "%1" is an invalid ELF object (%2) "%1" nie jest poprawnym obiektem ELF (%2) @@ -19758,7 +19758,7 @@ Sprawdź dokumentację SSH i zmienną środowiskową SSH_ASKPASS. - ::Android + QtC::Android Keystore password is too short. @@ -20034,7 +20034,7 @@ Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - ::Bookmarks + QtC::Bookmarks Alt+Meta+M Alt+Meta+M @@ -20045,14 +20045,14 @@ Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMake target Zbudowanie programu CMake'owego - ::Core + QtC::Core Could not save the files. error message @@ -20096,7 +20096,7 @@ Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes Plik docelowy uległ zmianie, nie można zastosować zmian @@ -20135,7 +20135,7 @@ Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - ::Debugger + QtC::Debugger &Port: &Port: @@ -20402,7 +20402,7 @@ Wersje Qt można dodać w: Opcje > Budowanie i uruchamianie > Wersje Qt. - ::Git + QtC::Git untracked nieśledzony @@ -20720,7 +20720,7 @@ were not verified among remotes in %3. Select different folder? - ::ProjectExplorer + QtC::ProjectExplorer Local PC Lokalny PC @@ -20895,7 +20895,7 @@ were not verified among remotes in %3. Select different folder? - ::QmlJSEditor + QtC::QmlJSEditor Add a Comment to Suppress This Message Dodaj komentarz aby zlikwidować ten komunikat @@ -20920,7 +20920,7 @@ were not verified among remotes in %3. Select different folder? - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal Typ będzie tylko wtedy dostępny w edytorach QML, gdy jego nazwa będzie literałem łańcuchowym @@ -20939,7 +20939,7 @@ poinstruuje Qt Creatora o URI. - ::QmlProfiler + QtC::QmlProfiler Debug connection opened Otwarto połączenie debugowe @@ -21014,21 +21014,21 @@ poinstruuje Qt Creatora o URI. - ::Qnx + QtC::Qnx Preparing remote side... Przygotowywanie zdalnej strony... - ::Qnx + QtC::Qnx Deploy to QNX Device Zainstaluj na urządzeniu QNX - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -21040,21 +21040,21 @@ poinstruuje Qt Creatora o URI. - ::Qnx + QtC::Qnx Path to Qt libraries on device: Ścieżka do bibliotek Qt na urządzeniu: - ::Qnx + QtC::Qnx %1 on QNX Device %1 na urządzeniu QNX - ::QtSupport + QtC::QtSupport Examples Przykłady @@ -21109,7 +21109,7 @@ poinstruuje Qt Creatora o URI. - ::RemoteLinux + QtC::RemoteLinux Generic Linux Linuksowy @@ -21160,7 +21160,7 @@ poinstruuje Qt Creatora o URI. - ::ResourceEditor + QtC::ResourceEditor Add Files Dodaj pliki @@ -21219,7 +21219,7 @@ poinstruuje Qt Creatora o URI. - ::TextEditor + QtC::TextEditor Open Documents Otwarte dokumenty @@ -21236,7 +21236,7 @@ poinstruuje Qt Creatora o URI. - ::Todo + QtC::Todo Description Opis @@ -21251,7 +21251,7 @@ poinstruuje Qt Creatora o URI. - ::Todo + QtC::Todo To-Do Entries Wpisy "To-Do" @@ -21286,7 +21286,7 @@ poinstruuje Qt Creatora o URI. - ::VcsBase + QtC::VcsBase Open URL in Browser... Otwórz URL w przeglądarce... @@ -21305,7 +21305,7 @@ poinstruuje Qt Creatora o URI. - ::ClearCase + QtC::ClearCase Check Out Kopia robocza @@ -21455,14 +21455,14 @@ poinstruuje Qt Creatora o URI. - ::Android + QtC::Android NDK Root: Korzeń NDK: - ::ClearCase + QtC::ClearCase Select &activity: Wybierz &aktywność: @@ -21793,7 +21793,7 @@ poinstruuje Qt Creatora o URI. - ::Debugger + QtC::Debugger Start Debugger Uruchom debugger @@ -21878,14 +21878,14 @@ You can choose another communication channel here, such as a serial line or cust - ::ProjectExplorer + QtC::ProjectExplorer Name: Nazwa: - ::ResourceEditor + QtC::ResourceEditor The file name is empty. Nazwa pliku jest pusta. @@ -21900,7 +21900,7 @@ You can choose another communication channel here, such as a serial line or cust - ::ClearCase + QtC::ClearCase Check &Out @@ -21911,14 +21911,14 @@ You can choose another communication channel here, such as a serial line or cust - ::Core + QtC::Core Open with VCS (%1) Otwórz przy pomocy VCS (%1) - ::Debugger + QtC::Debugger None Brak @@ -21993,7 +21993,7 @@ You can choose another communication channel here, such as a serial line or cust - ::Perforce + QtC::Perforce &Edit &Edycja @@ -22004,7 +22004,7 @@ You can choose another communication channel here, such as a serial line or cust - ::ProjectExplorer + QtC::ProjectExplorer Unnamed Nienazwany @@ -22163,7 +22163,7 @@ You can choose another communication channel here, such as a serial line or cust - ::QmakeProjectManager + QtC::QmakeProjectManager The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. Mkspec, który należy użyć do budowania projektów qmake.<br>To ustawienie zostanie zignorowane dla innych systemów budowania. @@ -22190,7 +22190,7 @@ You can choose another communication channel here, such as a serial line or cust - ::QtSupport + QtC::QtSupport The Qt library to use for all projects using this kit.<br>A Qt version is required for qmake-based projects and optional when using other build systems. Biblioteka Qt, która zostanie użyta do budowania wszystkich projektów dla tego zestawu narzędzi.<br>Wersja Qt jest wymagana dla projektów bazujących na qmake i opcjonalna dla innych systemów budowania. @@ -22297,7 +22297,7 @@ You can choose another communication channel here, such as a serial line or cust - ::ProjectExplorer + QtC::ProjectExplorer Variables in the current run environment Zmienne w bieżącym środowisku uruchamiania @@ -22308,7 +22308,7 @@ You can choose another communication channel here, such as a serial line or cust - ::Core + QtC::Core Files Without Write Permissions Pliki bez prawa do zapisu @@ -22335,7 +22335,7 @@ You can choose another communication channel here, such as a serial line or cust - ::Debugger + QtC::Debugger <html><head/><body><p>The debugger is not configured to use the public Microsoft Symbol Server.<br/>This is recommended for retrieval of the symbols of the operating system libraries.</p><p><span style=" font-style:italic;">Note:</span> It is recommended, that if you use the Microsoft Symbol Server, to also use a local symbol cache.<br/>A fast internet connection is required for this to work smoothly,<br/>and a delay might occur when connecting for the first time and caching the symbols.</p><p>What would you like to set up?</p></body></html> <html><head/><body><p>Debugger nie jest skonfigurowany do użycia publicznego Microsoft Symbol Servera.<br/>Zalecane jest pobranie symboli dla bibliotek systemu operacyjnego. </p><p><span style=" font-style:italic;"><i>Uwaga:</i> Zalecane jest używanie lokalnego cache'a z symbolami wraz z Microsoft Symbol Serverem.<br/>Wymagane jest szybkie połączenie z internetem do płynnego działania.<br>Może wystąpić opóźnienie przy pierwszym połączeniu i cache'owaniu symboli.</p><p>Czy skonfigurować?</p></body></html> @@ -22354,7 +22354,7 @@ You can choose another communication channel here, such as a serial line or cust - ::Git + QtC::Git Local Changes Found. Choose Action: Wykryto lokalne zmiany. Wybierz akcję: @@ -22457,7 +22457,7 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::Mercurial + QtC::Mercurial Password: Hasło: @@ -22468,7 +22468,7 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::ProjectExplorer + QtC::ProjectExplorer Machine type: Typ maszyny: @@ -22491,7 +22491,7 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::QbsProjectManager + QtC::QbsProjectManager Build variant: Wariant wersji: @@ -22885,7 +22885,7 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::VcsBase + QtC::VcsBase Subversion Submit Utwórz poprawkę w Subversion @@ -22926,14 +22926,14 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::ExtensionSystem + QtC::ExtensionSystem Continue Kontynuuj - ::Utils + QtC::Utils XML error on line %1, col %2: %3 Błąd XML w linii %1, w kolumnie %2: %3 @@ -22944,7 +22944,7 @@ Można używać nazw częściowych, jeśli są one unikalne. - ::QmlJS + QtC::QmlJS Cannot find file %1. Brak pliku %1. @@ -23283,7 +23283,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Android + QtC::Android GDB server Serwer GDB @@ -23462,7 +23462,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Bookmarks + QtC::Bookmarks Note text: Tekst notatki: @@ -23473,7 +23473,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Core + QtC::Core (%1) (%1) @@ -23492,7 +23492,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::CppEditor + QtC::CppEditor Shift+F2 Shift+F2 @@ -23676,7 +23676,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::CVS + QtC::CVS &Edit &Edycja @@ -23687,7 +23687,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Debugger + QtC::Debugger Symbol Paths Ścieżki z symbolami @@ -23710,7 +23710,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 Kolor na pozycji (%1,%2): czerwień: %3, zieleń: %4, błękit: %5, przeźroczystość: %6 @@ -23733,7 +23733,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Debugger + QtC::Debugger Run in Terminal is not supported with the LLDB backend. Uruchamianie w terminalu nie jest obsługiwane przez back-end LLDB. @@ -23772,7 +23772,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::DiffEditor + QtC::DiffEditor Diff Editor Edytor różnic @@ -23827,7 +23827,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Utils + QtC::Utils Delete Usunięto @@ -23842,7 +23842,7 @@ Więcej informacji w dokumentacji "Checking Code Syntax". - ::Git + QtC::Git Sha1 Sha1 @@ -23961,7 +23961,7 @@ Zdalny: %4 - ::ProjectExplorer + QtC::ProjectExplorer Custom Własny @@ -24061,7 +24061,7 @@ Zdalny: %4 - ::QbsProjectManager + QtC::QbsProjectManager Parsing the Qbs project. Parsowanie projektu Qbs. @@ -24675,7 +24675,7 @@ Zdalny: %4 - ::QmlProjectManager + QtC::QmlProjectManager System Environment Środowisko systemowe @@ -24686,7 +24686,7 @@ Zdalny: %4 - ::Qnx + QtC::Qnx %1 found. Znaleziono %1. @@ -24709,7 +24709,7 @@ Zdalny: %4 - ::QtSupport + QtC::QtSupport Full path to the host bin directory of the current project's Qt version. Pełna ścieżka do źródłowego podkatalogu "bin" w katalogu instalacji bieżącej wersji Qt. @@ -24724,7 +24724,7 @@ Zdalny: %4 - ::RemoteLinux + QtC::RemoteLinux Clean Environment Czyste środowisko @@ -24751,7 +24751,7 @@ Zdalny: %4 - ::TextEditor + QtC::TextEditor Displays context-sensitive help or type information on mouseover. Pokazuje pomoc kontekstową lub informację o typie po najechaniu kursorem myszy. @@ -24766,7 +24766,7 @@ Zdalny: %4 - ::Android + QtC::Android Create new AVD Utwórz nowe AVD @@ -24889,7 +24889,7 @@ Zdalny: %4 - ::BareMetal + QtC::BareMetal Set up GDB Server or Hardware Debugger Ustaw serwer GDB lub debugger sprzętowy @@ -24908,7 +24908,7 @@ Zdalny: %4 - ::Core + QtC::Core Add the file to version control (%1) Dodaj plik do systemu kontroli wersji (%1) @@ -24919,7 +24919,7 @@ Zdalny: %4 - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives Dodatkowe dyrektywy preprocesora C++ @@ -24962,7 +24962,7 @@ Zdalny: %4 - ::Ios + QtC::Ios Base arguments: Podstawowe argumenty: @@ -24981,7 +24981,7 @@ Zdalny: %4 - ::ProjectExplorer + QtC::ProjectExplorer Custom Parser Własny parser @@ -25095,7 +25095,7 @@ Zdalny: %4 - ::UpdateInfo + QtC::UpdateInfo Configure Filters Konfiguracja filtrów @@ -25501,7 +25501,7 @@ Zdalny: %4 - ::Android + QtC::Android Deploy to Android device or emulator Zainstaluj na urządzeniu lub emulatorze Android @@ -25645,7 +25645,7 @@ Czy odinstalować istniejący pakiet? - ::BareMetal + QtC::BareMetal Bare Metal Bare Metal @@ -25660,7 +25660,7 @@ Czy odinstalować istniejący pakiet? - ::CppEditor + QtC::CppEditor Include Hierarchy Hierarchia dołączeń @@ -25694,7 +25694,7 @@ Czy odinstalować istniejący pakiet? - ::Debugger + QtC::Debugger Not recognized Nierozpoznany @@ -25746,7 +25746,7 @@ Czy odinstalować istniejący pakiet? - ::Ios + QtC::Ios iOS build iOS BuildStep display name. @@ -25992,7 +25992,7 @@ Czy odinstalować istniejący pakiet? - ::Macros + QtC::Macros Playing Macro Odtwarzanie makra @@ -26007,7 +26007,7 @@ Czy odinstalować istniejący pakiet? - ::ProjectExplorer + QtC::ProjectExplorer ICC ICC @@ -26096,7 +26096,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -26114,7 +26114,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::ProjectExplorer + QtC::ProjectExplorer <span style=" font-weight:600;">No valid kits found.</span> <span style=" font-weight:600;">Brak poprawnych zestawów narzędzi.</span> @@ -26152,7 +26152,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::QmakeProjectManager + QtC::QmakeProjectManager The .pro file "%1" is currently being parsed. Trwa parsowanie pliku .pro "%1". @@ -26261,7 +26261,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::QmlProfiler + QtC::QmlProfiler Cannot open temporary trace file to store events. @@ -26320,21 +26320,21 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 Niepoprawny główny element: %1 - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx &Compiler path: Ścieżka do &kompilatora: @@ -26350,7 +26350,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available. Ostrzeżenie: brak"slog2info" na urządzeniu, komunikaty debugowe nie będą dostępne. @@ -26361,21 +26361,21 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::RemoteLinux + QtC::RemoteLinux Exit code is %1. stderr: Kod wyjściowy: %1. stderr: - ::UpdateInfo + QtC::UpdateInfo Update Uaktualnij - ::Valgrind + QtC::Valgrind Valgrind Valgrind @@ -26386,7 +26386,7 @@ Proszę zamknąć wszystkie instancje tej aplikacji przed uruchomieniem budowani - ::Bazaar + QtC::Bazaar Uncommit Wycofaj poprawkę @@ -26422,7 +26422,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Beautifier + QtC::Beautifier Form Formularz @@ -26548,7 +26548,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Core + QtC::Core &Search Wy&szukaj @@ -26656,7 +26656,7 @@ Aby uaktywnić ten filtr, wpisz w lokalizatorze powyższy skrót i po spacji pod - ::QmlJS + QtC::QmlJS Parsing QML Files Parsowanie plików QML @@ -26743,7 +26743,7 @@ Zbuduj aplikację qmldump na stronie z opcjami wersji Qt. - ::Utils + QtC::Utils Filter Filtr @@ -26754,7 +26754,7 @@ Zbuduj aplikację qmldump na stronie z opcjami wersji Qt. - ::Android + QtC::Android Could not run: %1 Nie można uruchomić: %1 @@ -26777,7 +26777,7 @@ Zbuduj aplikację qmldump na stronie z opcjami wersji Qt. - ::Beautifier + QtC::Beautifier Beautifier Upiększacz @@ -26843,7 +26843,7 @@ Zbuduj aplikację qmldump na stronie z opcjami wersji Qt. - ::ClangCodeModel + QtC::ClangCodeModel Location: %1 Parent folder for proposed #include completion @@ -26885,7 +26885,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::Core + QtC::Core Shift+Enter Shift+Enter @@ -27206,7 +27206,7 @@ Czy przerwać ją? - ::Debugger + QtC::Debugger Attach to Process Not Yet Started Dołącz do nieuruchomionego procesu @@ -27261,7 +27261,7 @@ Czy przerwać ją? - ::ProjectExplorer + QtC::ProjectExplorer Manage... Zarządzaj... @@ -27276,14 +27276,14 @@ Czy przerwać ją? - ::QmlDesigner + QtC::QmlDesigner Error Błąd - ::Qnx + QtC::Qnx Project source directory: Katalog ze źródłami projektu: @@ -27294,7 +27294,7 @@ Czy przerwać ją? - ::Qnx + QtC::Qnx No free ports for debugging. Brak wolnych portów do debugowania. @@ -27305,14 +27305,14 @@ Czy przerwać ją? - ::TextEditor + QtC::TextEditor Unused variable Nieużywana zmienna - ::VcsBase + QtC::VcsBase Name of the version control system in use by the current project. Nazwa systemu kontroli wersji używana w bieżącym projekcie. @@ -27463,7 +27463,7 @@ Czy przerwać ją? - ::Utils + QtC::Utils Proxy Credentials Pośrednie listy uwierzytelniające @@ -27490,7 +27490,7 @@ Czy przerwać ją? - ::Android + QtC::Android Sign package Podpisz pakiet @@ -27579,7 +27579,7 @@ Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5. - ::Ios + QtC::Ios Reset to Default Przywróć domyślny @@ -27594,14 +27594,14 @@ Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5. - ::ProjectExplorer + QtC::ProjectExplorer Files to deploy: Pliki do zainstalowania: - ::Android + QtC::Android Create Templates Utwórz szablony @@ -27753,7 +27753,7 @@ Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5. - ::Tracing + QtC::Tracing Jump to previous event. Skocz do poprzedniego zdarzenia. @@ -27784,7 +27784,7 @@ Instalowanie lokalnych bibliotek Qt nie jest kompatybilne z Androidem 5. - ::Qnx + QtC::Qnx Qt library to deploy: Biblioteka Qt do zainstalowania: @@ -27835,7 +27835,7 @@ Czy kontynuować instalację? - ::Qnx + QtC::Qnx Form Formularz @@ -27896,7 +27896,7 @@ Czy kontynuować instalację? - ::QtSupport + QtC::QtSupport Form Formularz @@ -27935,7 +27935,7 @@ Czy kontynuować instalację? - ::RemoteLinux + QtC::RemoteLinux Local executable: Lokalny plik wykonywalny: @@ -28007,7 +28007,7 @@ Czy kontynuować instalację? - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 Zmiana stanu gniazda na %1 @@ -28037,7 +28037,7 @@ Czy kontynuować instalację? - ::Utils + QtC::Utils Infinite recursion error Błąd: nieskończona pętla @@ -28076,7 +28076,7 @@ Czy kontynuować instalację? - ::Android + QtC::Android Build Android APK AndroidBuildApkStep default display name @@ -28151,7 +28151,7 @@ Zainstaluj SDK o wersji %1 lub wyższej. - ::BareMetal + QtC::BareMetal Enter GDB commands to reset the board and to write the nonvolatile memory. Wprowadź komendy GDB resetujące płytę i zapisujące do nieulotnej pamięci. @@ -28195,7 +28195,7 @@ Zainstaluj SDK o wersji %1 lub wyższej. - ::Bazaar + QtC::Bazaar &Annotate %1 Dołącz &adnotację do %1 @@ -28206,7 +28206,7 @@ Zainstaluj SDK o wersji %1 lub wyższej. - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Edytor plików binarnych nie może otwierać pustych plików. @@ -28233,14 +28233,14 @@ Zainstaluj SDK o wersji %1 lub wyższej. - ::ClearCase + QtC::ClearCase Annotate version "%1" Dołącz adnotację do wersji "%1" - ::Core + QtC::Core Failed to open an editor for "%1". Nie można otworzyć edytora dla "%1". @@ -28657,7 +28657,7 @@ Do you want to check them out now? - ::Core + QtC::Core Exit Full Screen Wyłącz tryb pełnoekranowy @@ -28668,7 +28668,7 @@ Do you want to check them out now? - ::CppEditor + QtC::CppEditor &Refactor &Refaktoryzacja @@ -28683,14 +28683,14 @@ Do you want to check them out now? - ::CVS + QtC::CVS Annotate revision "%1" Dołącz adnotację do wersji "%1" - ::Debugger + QtC::Debugger Use Debugging Helper Używaj programu pomocniczego debuggera @@ -28880,7 +28880,7 @@ Dotyczy to następujących pułapek: %1 - ::Designer + QtC::Designer Widget box Panel widżetów @@ -28987,7 +28987,7 @@ Dotyczy to następujących pułapek: %1 - ::ProjectExplorer + QtC::ProjectExplorer "data" for a "Form" page needs to be unset or an empty object. "data" na stronie "Form" powinna pozostać nieustawiona lub być pustym obiektem. @@ -29885,7 +29885,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::EmacsKeys + QtC::EmacsKeys Delete Character Usuń znak @@ -29972,7 +29972,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::FakeVim + QtC::FakeVim Unknown option: %1 Nieznana opcja: %1 @@ -30236,7 +30236,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Git + QtC::Git &Blame %1 @@ -30291,7 +30291,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -30299,7 +30299,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Help + QtC::Help Open in Help Mode Otwórz w trybie pomocy @@ -30418,7 +30418,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Mercurial + QtC::Mercurial &Annotate %1 Dołącz &adnotację do %1 @@ -30429,14 +30429,14 @@ Use this only if you are prototyping. You cannot create a full application with - ::Perforce + QtC::Perforce Annotate change list "%1" Dołącz adnotację do listy zmian "%1" - ::ProjectExplorer + QtC::ProjectExplorer Local File Path Ścieżka do lokalnego pliku @@ -30789,7 +30789,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Utils + QtC::Utils No Valid Settings Found Brak poprawnych ustawień @@ -30808,7 +30808,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::ProjectExplorer + QtC::ProjectExplorer <p>No .user settings file created by this instance of Qt Creator was found.</p><p>Did you work with this project on another machine or using a different settings path before?</p><p>Do you still want to load the settings file "%1"?</p> <p>Brak pliku .user z ustawieniami, utworzonego przez tego Qt Creatora.</p><p>Czy pracowałeś z tym projektem na innej maszynie lub używałeś innej ścieżki do ustawień?</p><p>Czy załadować plik "%1" z ustawieniami?</p> @@ -30847,7 +30847,7 @@ Use this only if you are prototyping. You cannot create a full application with - ::Android + QtC::Android Deploy to device Zainstaluj na urządzeniu @@ -31018,7 +31018,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::QmlJSEditor + QtC::QmlJSEditor Show Qt Quick ToolBar Pokaż pasek narzędzi Qt Quick @@ -31041,7 +31041,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Qnx + QtC::Qnx The following errors occurred while activating the QNX configuration: Wystąpiły następujące błędy podczas aktywowania konfiguracji QNX: @@ -31072,21 +31072,21 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Qnx + QtC::Qnx Attach to remote QNX application... Dołącz do zdalnej aplikacji QNX... - ::Qnx + QtC::Qnx QNX QNX - ::RemoteLinux + QtC::RemoteLinux The remote executable must be set in order to run a custom remote run configuration. W celu uruchomienia własnej, zdalnej konfiguracji uruchamiania, należy ustawić zdalny plik wykonywalny. @@ -31101,17 +31101,17 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::ResourceEditor + QtC::ResourceEditor - ::Subversion + QtC::Subversion Annotate revision "%1" Dołącz adnotację do wersji "%1" - ::ProjectExplorer + QtC::ProjectExplorer Cannot open task file %1: %2 Nie można otworzyć pliku z zadaniem %1: %2 @@ -31126,7 +31126,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::TextEditor + QtC::TextEditor Downloading Highlighting Definitions Pobieranie definicji podświetleń @@ -31177,7 +31177,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::VcsBase + QtC::VcsBase Open "%1" Otwórz "%1" @@ -31244,21 +31244,21 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Help + QtC::Help &Look for: Wy&szukaj: - ::Tracing + QtC::Tracing [unknown] [nieznany] - ::QbsProjectManager + QtC::QbsProjectManager Custom Properties Własne właściwości @@ -31317,7 +31317,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Todo + QtC::Todo Excluded Files Wyłączone pliki @@ -31411,7 +31411,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Utils + QtC::Utils UNKNOWN NIEZNANY @@ -31442,7 +31442,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Android + QtC::Android OpenGL enabled OpenGL odblokowany @@ -31453,7 +31453,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::BareMetal + QtC::BareMetal Work directory: Katalog roboczy: @@ -31636,7 +31636,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Tool: Narzędzie CMake: @@ -31736,7 +31736,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Core + QtC::Core Keyboard Shortcuts Skróty klawiszowe @@ -31831,7 +31831,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::CppEditor + QtC::CppEditor Sort Alphabetically Posortuj alfabetycznie @@ -31842,7 +31842,7 @@ Pliki z katalogu źródłowego pakietu Android są kopiowane do katalogu budowan - ::Debugger + QtC::Debugger Attempting to interrupt. Próba przerwania. @@ -32085,7 +32085,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::DiffEditor + QtC::DiffEditor Context lines: Linie z kontekstem: @@ -32172,7 +32172,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::ImageViewer + QtC::ImageViewer Image format not supported. Nieobsługiwany format pliku graficznego. @@ -32187,7 +32187,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::ProjectExplorer + QtC::ProjectExplorer Feature list is set and not of type list. Ustawiono listę funkcjonalności, lecz wartość nie jest typu listy. @@ -32246,7 +32246,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::Python + QtC::Python Run %1 Uruchom %1 @@ -32269,7 +32269,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::QbsProjectManager + QtC::QbsProjectManager Qbs Qbs @@ -32284,7 +32284,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::QmlProfiler + QtC::QmlProfiler Duration Czas trwania @@ -32307,7 +32307,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::ResourceEditor + QtC::ResourceEditor %1 Prefix: %2 %1 Przedrostek: %2 @@ -32341,7 +32341,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::TextEditor + QtC::TextEditor &Undo &Cofnij @@ -32800,7 +32800,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::UpdateInfo + QtC::UpdateInfo Daily Codziennie @@ -32827,7 +32827,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::VcsBase + QtC::VcsBase Working... Przetwarzanie... @@ -32886,14 +32886,14 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::Debugger + QtC::Debugger Anonymous Function Anonimowa funkcja - ::Core + QtC::Core System System @@ -33102,7 +33102,7 @@ Ustawianie pułapek w liniach plików może się nie udać. - ::QmlProfiler + QtC::QmlProfiler Flush data while profiling: Przepychaj dane podczas profilowania: @@ -33161,7 +33161,7 @@ itself takes time. - ::qmt + QtC::qmt Change Zmień @@ -33588,14 +33588,14 @@ itself takes time. - ::Utils + QtC::Utils Cannot create OpenGL context. Nie można utworzyć kontekstu OpenGL. - ::CMakeProjectManager + QtC::CMakeProjectManager No cmake tool set. Nie ustawiono narzędzia cmake. @@ -33606,7 +33606,7 @@ itself takes time. - ::CppEditor + QtC::CppEditor The file name. Nazwa pliku. @@ -33617,7 +33617,7 @@ itself takes time. - ::ModelEditor + QtC::ModelEditor &Remove &Usuń @@ -33784,7 +33784,7 @@ itself takes time. - ::ProjectExplorer + QtC::ProjectExplorer Synchronize configuration Zsynchronizuj konfigurację @@ -34078,7 +34078,7 @@ Te pliki są zabezpieczone. - ::QmlJSEditor + QtC::QmlJSEditor This file should only be edited in <b>Design</b> mode. Ten plik powinien być modyfikowany jedynie w trybie <b>Design</b>. @@ -34089,7 +34089,7 @@ Te pliki są zabezpieczone. - ::QmlProfiler + QtC::QmlProfiler Analyzer Analizator @@ -34100,7 +34100,7 @@ Te pliki są zabezpieczone. - ::Autotest + QtC::Autotest General Ogólne @@ -34252,7 +34252,7 @@ Te pliki są zabezpieczone. - ::CppEditor + QtC::CppEditor Configuration to use: Użyta konfiguracja: @@ -34314,7 +34314,7 @@ Te pliki są zabezpieczone. - ::qmt + QtC::qmt Create Diagram Utwórz diagram @@ -34365,7 +34365,7 @@ Te pliki są zabezpieczone. - ::Autotest + QtC::Autotest &Tests &Testy @@ -34898,7 +34898,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::CMakeProjectManager + QtC::CMakeProjectManager Failed to create temporary directory "%1". Nie można utworzyć katalogu tymczasowego "%1". @@ -35134,7 +35134,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::Core + QtC::Core Current theme: %1 Bieżący motyw: %1 @@ -35145,7 +35145,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::TextEditor + QtC::TextEditor Create Getter and Setter Member Functions Dodaj metodę zwracającą (getter) i ustawiającą (setter) @@ -35172,7 +35172,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::CppEditor + QtC::CppEditor Warnings for questionable constructs Ostrzeżenia o niejasnych konstrukcjach @@ -35191,7 +35191,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::Debugger + QtC::Debugger Use Customized Settings Użyj własnych ustawień @@ -35258,7 +35258,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::Utils + QtC::Utils &Views &Widoki @@ -35281,7 +35281,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::Debugger + QtC::Debugger <not in scope> Value of variable in Debugger Locals display for variables out of scope (stopped above initialization). @@ -35294,7 +35294,7 @@ Ustaw prawdziwy plik wykonywalny Clang. - ::Git + QtC::Git Tree (optional) Drzewo (opcjonalnie) @@ -35321,7 +35321,7 @@ Może pozostać puste w celu wyszukania w systemie plików. - ::ImageViewer + QtC::ImageViewer File: Plik: @@ -35399,7 +35399,7 @@ Czy nadpisać go? - ::ModelEditor + QtC::ModelEditor Select Custom Configuration Folder Wybierz katalog z własną konfiguracją @@ -35414,7 +35414,7 @@ Czy nadpisać go? - ::ProjectExplorer + QtC::ProjectExplorer Initialization: Inicjalizacja: @@ -35425,7 +35425,7 @@ Czy nadpisać go? - ::QmlProfiler + QtC::QmlProfiler <program> <program> @@ -35488,14 +35488,14 @@ Czy nadpisać go? - ::QtSupport + QtC::QtSupport [Inexact] [niedokładny] - ::Valgrind + QtC::Valgrind Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. Valgrind Function Profiler używa narzędzia Callgrind do śledzenia wywołań funkcji w trakcie działania programu. @@ -35658,7 +35658,7 @@ Czy nadpisać go? - ::Beautifier + QtC::Beautifier Automatic Formatting on File Save Automatyczne formatowanie przy zachowywaniu plików @@ -35681,7 +35681,7 @@ Czy nadpisać go? - ::Nim + QtC::Nim Form Formularz @@ -35739,7 +35739,7 @@ Czy nadpisać go? - ::TextEditor + QtC::TextEditor Activate completion: Uaktywniaj uzupełnianie: @@ -35936,7 +35936,7 @@ po naciśnięciu klawisza backspace - ::Utils + QtC::Utils Enter one variable per line with the variable name separated from the variable value by "=".<br>Environment variables can be referenced with ${OTHER}. W każdej linii podaj jedną zmienną. Nazwa zmiennej powinna być oddzielona od wartości zmiennej przy użyciu "=".<br>Wartość zmiennej może odwoływać się do innych zmiennych w następujący sposób: ${INNA_ZMIENNA}. @@ -35951,7 +35951,7 @@ po naciśnięciu klawisza backspace - ::Autotest + QtC::Autotest Google Test Google Test @@ -36014,7 +36014,7 @@ po naciśnięciu klawisza backspace - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. Nie można zachować stylów. %1 nie istnieje. @@ -36069,7 +36069,7 @@ po naciśnięciu klawisza backspace - ::ClangCodeModel + QtC::ClangCodeModel Inspect available fixits @@ -36143,14 +36143,14 @@ Komunikat: - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Editor Edytor CMake - ::Core + QtC::Core Click and type the new key sequence. Kliknij i wpisz nową sekwencję klawiszy. @@ -36193,21 +36193,21 @@ Komunikat: - ::CppEditor + QtC::CppEditor No include hierarchy available Brak dostępnej hierarchii dołączeń - ::ModelEditor + QtC::ModelEditor Zoom: %1% Powiększenie:%1% - ::Nim + QtC::Nim Current Build Target Bieżący cel budowania @@ -36275,7 +36275,7 @@ Komunikat: - ::ProjectExplorer + QtC::ProjectExplorer Executable: Plik wykonywalny: @@ -36302,7 +36302,7 @@ w ścieżce. - ::QmakeProjectManager + QtC::QmakeProjectManager Files Pliki @@ -36344,7 +36344,7 @@ w ścieżce. - ::QmlProfiler + QtC::QmlProfiler Unknown Message %1 Nieznany komunikat %1 @@ -36551,14 +36551,14 @@ w ścieżce. - ::Qnx + QtC::Qnx Deploy Qt libraries... Instaluj biblioteki Qt... - ::Qnx + QtC::Qnx QNX Device Urządzenie QNX @@ -36569,7 +36569,7 @@ w ścieżce. - ::Autotest + QtC::Autotest Break on failure while debugging Zatrzymuj na błędach podczas debugowania @@ -36727,7 +36727,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::QmlProfiler + QtC::QmlProfiler Total Time Czas całkowity @@ -36762,7 +36762,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::ScxmlEditor + QtC::ScxmlEditor Frame Ramka @@ -36927,7 +36927,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::qmt + QtC::qmt Unacceptable null object. Niedopuszczalny zerowy obiekt. @@ -36958,7 +36958,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::Android + QtC::Android No free ports available on host for QML debugging. Brak wolnych portów w hoście do debugowania QML. @@ -36993,14 +36993,14 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::Autotest + QtC::Autotest Test Settings Ustawienia testu - ::BinEditor + QtC::BinEditor Memory at 0x%1 Pamięć w 0x%1 @@ -37103,7 +37103,7 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::ClangCodeModel + QtC::ClangCodeModel Clang Code Model: Error: The clangbackend executable "%1" does not exist. Model kodu Clang: Błąd: Plik wykonywalny "%1" clangbackendu nie istnieje. @@ -37126,14 +37126,14 @@ Uwaga: podczas używania zwykłego formatu tekstowego może brakować niektóryc - ::CppEditor + QtC::CppEditor C++ Indexer: Skipping file "%1" because it is too big. Indekser C++: plik "%1" posiada zbyt duży rozmiar, zostanie on pominięty. - ::Debugger + QtC::Debugger No Nie @@ -37248,7 +37248,7 @@ Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno dział - ::DiffEditor + QtC::DiffEditor Saved Zachowany @@ -37295,7 +37295,7 @@ Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno dział - ::ProjectExplorer + QtC::ProjectExplorer Project Settings Ustawienia projektu @@ -37378,7 +37378,7 @@ Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno dział - ::QbsProjectManager + QtC::QbsProjectManager C and C++ compiler paths differ. C compiler may not work. Ścieżki do kompilatorów C i C++ są różne, Kompilator C może działać niepoprawnie. @@ -37389,7 +37389,7 @@ Wskakiwanie do wnętrza modułu lub ustawianie pułapek w plikach powinno dział - ::QmakeProjectManager + QtC::QmakeProjectManager "%1" is used by qmake, but "%2" is configured in the kit. Please update your kit or choose a mkspec for qmake that matches your target environment better. @@ -37417,7 +37417,7 @@ Zmień konfigurację zestawu narzędzi lub wybierz mkspec qmake'a pasujący - ::ScxmlEditor + QtC::ScxmlEditor Modify Color Themes... Modyfikuj motywy kolorów... @@ -37880,7 +37880,7 @@ Wiersz: %4, kolumna: %5 - ::TextEditor + QtC::TextEditor <b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible. <b>Błąd:</b> Nie można odkodować "%1" używając kodowania "%2". Edycja nie jest możliwa. @@ -37899,7 +37899,7 @@ Wiersz: %4, kolumna: %5 - ::ScxmlEditor + QtC::ScxmlEditor Zoom In Powiększ @@ -38054,7 +38054,7 @@ Wiersz: %4, kolumna: %5 - ::Git + QtC::Git Authentication Autoryzacja @@ -38077,7 +38077,7 @@ Wiersz: %4, kolumna: %5 - ::Ios + QtC::Ios Form Formularz @@ -38324,7 +38324,7 @@ Błąd: %2 - ::QmlJSEditor + QtC::QmlJSEditor Form Formularz @@ -38511,7 +38511,7 @@ Błąd: %2 - ::Android + QtC::Android Cannot create AVD. Invalid input. Nie można utworzyć AVD. Niepoprawne wejście. @@ -38546,14 +38546,14 @@ Błąd: %2 - ::Autotest + QtC::Autotest inherited dziedziczony - ::Bazaar + QtC::Bazaar Ignore Whitespace Ignoruj białe znaki @@ -38604,14 +38604,14 @@ Błąd: %2 - ::Beautifier + QtC::Beautifier Uncrustify file (*.cfg) Plik uncrustify (*.cfg) - ::BinEditor + QtC::BinEditor Zoom: %1% Powiększenie:%1% @@ -38636,7 +38636,7 @@ Błąd: %2 - ::CMakeProjectManager + QtC::CMakeProjectManager Default The name of the build configuration created by default for a cmake project. @@ -38829,14 +38829,14 @@ Błąd: %2 - ::Core + QtC::Core Empty search term Pusty tekst do wyszukania - ::CodePaster + QtC::CodePaster Password: Hasło: @@ -38851,7 +38851,7 @@ Błąd: %2 - ::CppEditor + QtC::CppEditor Note: Multiple parse contexts are available for this file. Choose the preferred one from the editor toolbar. @@ -38886,7 +38886,7 @@ Błąd: %2 - ::CVS + QtC::CVS Ignore Whitespace Ignoruj białe znaki @@ -38897,7 +38897,7 @@ Błąd: %2 - ::Debugger + QtC::Debugger Name Nazwa @@ -38933,14 +38933,14 @@ Błąd: %2 - ::DiffEditor + QtC::DiffEditor Calculating diff Sporządzanie różnic - ::Ios + QtC::Ios %1 - Free Provisioning Team : %2 @@ -38966,7 +38966,7 @@ Termin wygaśnięcia: %3 - ::Mercurial + QtC::Mercurial Ignore Whitespace Ignoruj białe znaki @@ -38977,7 +38977,7 @@ Termin wygaśnięcia: %3 - ::Nim + QtC::Nim Scanning for Nim files Skanowanie w poszukiwaniu plików Nim @@ -39000,14 +39000,14 @@ Termin wygaśnięcia: %3 - ::Perforce + QtC::Perforce Ignore Whitespace Ignoruj białe znaki - ::ProjectExplorer + QtC::ProjectExplorer Failed to retrieve MSVC Environment from "%1": %2 @@ -39059,7 +39059,7 @@ Termin wygaśnięcia: %3 - ::ProjectExplorer + QtC::ProjectExplorer Build Step Krok budowania @@ -39076,7 +39076,7 @@ Termin wygaśnięcia: %3 - ::QmakeProjectManager + QtC::QmakeProjectManager Headers Nagłówki @@ -39252,7 +39252,7 @@ Termin wygaśnięcia: %3 - ::QmlProfiler + QtC::QmlProfiler Could not re-read events from temporary trace file. Saving failed. @@ -39263,7 +39263,7 @@ Termin wygaśnięcia: %3 - ::QtSupport + QtC::QtSupport Search in Examples... Szukaj w przykładach... @@ -39281,7 +39281,7 @@ Termin wygaśnięcia: %3 - ::Subversion + QtC::Subversion Verbose Gadatliwy @@ -39292,14 +39292,14 @@ Termin wygaśnięcia: %3 - ::TextEditor + QtC::TextEditor Internal Wewnętrzny - ::Welcome + QtC::Welcome New to Qt? Nowicjusz? @@ -39330,7 +39330,7 @@ Termin wygaśnięcia: %3 - ::Android + QtC::Android Widget Widżet @@ -39364,7 +39364,7 @@ Termin wygaśnięcia: %3 - ::Ios + QtC::Ios Create Simulator Utwórz symulator @@ -39407,7 +39407,7 @@ Błąd: %5 - ::QbsProjectManager + QtC::QbsProjectManager Install root: Korzeń instalacji: @@ -39437,14 +39437,14 @@ Błąd: %5 - ::Utils + QtC::Utils File might be locked. Plik może być zablokowany. - ::Beautifier + QtC::Beautifier AStyle (*.astylerc) AStyle (*.astylerc) @@ -39506,14 +39506,14 @@ Błąd: %5 - ::Core + QtC::Core <type here> <wpisz tutaj> - ::Debugger + QtC::Debugger Breakpoint Pułapka @@ -39568,7 +39568,7 @@ Błąd: %5 - ::Git + QtC::Git Refresh Remote Servers Odśwież zdalne serwery @@ -39579,7 +39579,7 @@ Błąd: %5 - ::Ios + QtC::Ios Starting remote process. Uruchamianie zdalnego procesu. @@ -39606,14 +39606,14 @@ Błąd: %5 - ::ModelEditor + QtC::ModelEditor Update Include Dependencies Uaktualnij zależności - ::Nim + QtC::Nim Nim SnippetProvider @@ -39621,7 +39621,7 @@ Błąd: %5 - ::ProjectExplorer + QtC::ProjectExplorer Checking available ports... Sprawdzanie dostępnych portów... @@ -39680,7 +39680,7 @@ Błąd: %5 - ::QbsProjectManager + QtC::QbsProjectManager Change... Zmień... @@ -39706,7 +39706,7 @@ Błąd: %5 - ::QmlJSEditor + QtC::QmlJSEditor Library at %1 Biblioteka w %1 @@ -39721,7 +39721,7 @@ Błąd: %5 - ::RemoteLinux + QtC::RemoteLinux Creating remote socket... Tworzenie zdalnych gniazd... @@ -39736,14 +39736,14 @@ Błąd: %5 - ::TextEditor + QtC::TextEditor Other annotations: Inne adnotacje: - ::Valgrind + QtC::Valgrind Profiling Profilowanie @@ -39794,7 +39794,7 @@ Błąd: %5 - ::VcsBase + QtC::VcsBase Processing diff Przetwarzanie różnic diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index caefaf60694..902bc8e6e3f 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -184,14 +184,14 @@ - ::Android + QtC::Android Widget - ::QmlJSEditor + QtC::QmlJSEditor Add a Comment to Suppress This Message Добавьте комментарий для подавления этого сообщения @@ -426,7 +426,7 @@ - ::Debugger + QtC::Debugger Analyzer Анализатор @@ -499,7 +499,7 @@ - ::Android + QtC::Android Build Android APK AndroidBuildApkStep default display name @@ -2381,7 +2381,7 @@ To hide a sticky splash screen, invoke QtAndroid::hideSplashScreen(). - ::Autotest + QtC::Autotest Testing Тестирование @@ -3258,7 +3258,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::Android + QtC::Android Autogen Display name for AutotoolsProjectManager::AutogenStep id. @@ -3332,7 +3332,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::BareMetal + QtC::BareMetal Enter GDB commands to reset the board and to write the nonvolatile memory. Введите команды GDB для сброса платы и записи в энергонезависимую память. @@ -3991,14 +3991,14 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::Core + QtC::Core Unable to create the directory %1. Невозможно создать каталог %1. - ::LanguageServerProtocol + QtC::LanguageServerProtocol Cannot decode content with "%1". Falling back to "%2". Нельзя преобразовать содержимое с помощью «%1». Возврат к «%2». @@ -4009,7 +4009,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::QtSupport + QtC::QtSupport Name: Название: @@ -4064,7 +4064,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::Bazaar + QtC::Bazaar General Information Основная информация @@ -4101,7 +4101,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Ignore Whitespace Игнорировать пробелы @@ -4112,7 +4112,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar &Annotate %1 &Аннотация %1 @@ -4123,7 +4123,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Verbose Подробно @@ -4170,7 +4170,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Annotate Current File Аннотация текущего файла (annotate) @@ -4321,14 +4321,14 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Commit Editor Редактор фиксаций - ::Bazaar + QtC::Bazaar Configuration Настройка @@ -4380,7 +4380,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Bazaar Command Команда Bazaar @@ -4391,7 +4391,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Dialog @@ -4473,7 +4473,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Revert Откатить @@ -4518,7 +4518,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Beautifier + QtC::Beautifier Beautifier Стилизатор @@ -4756,7 +4756,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Двоичный редактор не может открывать пустые файлы. @@ -4891,14 +4891,14 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::BinEditor + QtC::BinEditor Zoom: %1% Масштаб: %1% - ::Bookmarks + QtC::Bookmarks Add Bookmark Добавить закладку @@ -5112,7 +5112,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Autotest + QtC::Autotest Boost Test Тест Boost @@ -5131,7 +5131,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Qdb + QtC::Qdb Boot2Qt: %1 Boot2Qt: %1 @@ -5209,7 +5209,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Debugger + QtC::Debugger Breakpoint Точка останова @@ -5294,7 +5294,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Tracing + QtC::Tracing Jump to previous event. Перейти к предыдущему событию. @@ -5317,7 +5317,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Modules Модули CMake @@ -6041,7 +6041,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::CppEditor + QtC::CppEditor Only virtual functions can be marked 'final' Только виртуальные функции могут иметь атрибут «final» @@ -6067,7 +6067,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Autotest + QtC::Autotest Catch Test Тест Catch @@ -6174,10 +6174,10 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Autotest + QtC::Autotest - ::Tracing + QtC::Tracing Collapse category Категория сворачивания @@ -6230,7 +6230,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::ClangCodeModel + QtC::ClangCodeModel Code Model Warning Предупреждение модели кода @@ -6333,7 +6333,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::CppEditor + QtC::CppEditor Checks for questionable constructs Проверки на сомнительные конструкции @@ -6356,7 +6356,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangCodeModel + QtC::ClangCodeModel Clazy Issue Проблема Clazy @@ -6367,7 +6367,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangFormat + QtC::ClangFormat Apply Применить @@ -6500,7 +6500,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangTools + QtC::ClangTools Category: Категория: @@ -7025,7 +7025,7 @@ Set a valid executable first. - ::ClangCodeModel + QtC::ClangCodeModel Could not retrieve build directory. Не удалось получить каталог сборки. @@ -7036,7 +7036,7 @@ Set a valid executable first. - ::ClassView + QtC::ClassView Show Subprojects Показать подпроекты @@ -7047,7 +7047,7 @@ Set a valid executable first. - ::ClearCase + QtC::ClearCase Select &activity: Выбрать &активность: @@ -7515,7 +7515,7 @@ Set a valid executable first. - ::CodePaster + QtC::CodePaster Code Pasting Вставка кода @@ -7740,7 +7740,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Code Style Стиль кода @@ -7876,7 +7876,7 @@ p, li { white-space: pre-wrap; } - ::CompilationDatabaseProjectManager + QtC::CompilationDatabaseProjectManager Change Root Directory Сменить корневой каталог @@ -7929,7 +7929,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Open Link Открыть ссылку @@ -7940,7 +7940,7 @@ p, li { white-space: pre-wrap; } - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Текст @@ -8015,7 +8015,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Show Left Sidebar Показать левую боковую панель @@ -10802,7 +10802,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Too few arguments Слишком мало параметров @@ -11924,7 +11924,7 @@ Flags: %3 - ::Cppcheck + QtC::Cppcheck Cppcheck Cppcheck @@ -12055,7 +12055,7 @@ Flags: %3 - ::CtfVisualizer + QtC::CtfVisualizer Title Заголовок @@ -12212,7 +12212,7 @@ Do you want to display them anyway? - ::ProjectExplorer + QtC::ProjectExplorer Parser for toolchain %1 Разборщик для инструментария %1 @@ -12239,7 +12239,7 @@ Do you want to display them anyway? - ::CVS + QtC::CVS Annotate revision "%1" Аннотация ревизии «%1» @@ -12566,7 +12566,7 @@ Do you want to display them anyway? - ::QmlProfiler + QtC::QmlProfiler Debug Message Отладочное сообщение @@ -12589,7 +12589,7 @@ Do you want to display them anyway? - ::Debugger + QtC::Debugger Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -16923,7 +16923,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency Не удалось добавить зависимость @@ -16968,7 +16968,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Designer + QtC::Designer Designer Дизайнер @@ -17119,7 +17119,7 @@ Rebuilding the project might help. - ::Ios + QtC::Ios %1 - Free Provisioning Team : %2 %1 - Свободная провизионная команда: %2 @@ -17145,7 +17145,7 @@ Rebuilding the project might help. - ::Utils + QtC::Utils Delete Удалено @@ -17160,7 +17160,7 @@ Rebuilding the project might help. - ::DiffEditor + QtC::DiffEditor Diff Editor Редактор изменений @@ -17378,7 +17378,7 @@ Rebuilding the project might help. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Dialog @@ -17452,14 +17452,14 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer Editor Редактор - ::EmacsKeys + QtC::EmacsKeys Delete Character Удалить символ @@ -17553,7 +17553,7 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer Environment Среда @@ -17595,7 +17595,7 @@ Rebuilding the project might help. - ::ExtensionSystem + QtC::ExtensionSystem Name: Название: @@ -17923,7 +17923,7 @@ will also disable the following plugins: - ::FakeVim + QtC::FakeVim Unknown option: %1 Неизвестный параметр: %1 @@ -18314,7 +18314,7 @@ will also disable the following plugins: - ::Core + QtC::Core File Properties Свойства файла @@ -18398,7 +18398,7 @@ will also disable the following plugins: - ::Tracing + QtC::Tracing others другие @@ -18628,14 +18628,14 @@ when they are not required, which will improve performance in most cases. - ::TextEditor + QtC::TextEditor Unused variable Неиспользуемая переменная - ::Designer + QtC::Designer Widget box Панель виджетов @@ -18742,7 +18742,7 @@ when they are not required, which will improve performance in most cases. - ::Autotest + QtC::Autotest Google Test Google Test @@ -18771,7 +18771,7 @@ See also Google Test settings. - ::GenericProjectManager + QtC::GenericProjectManager Files Файлы @@ -18833,7 +18833,7 @@ See also Google Test settings. - ::Git + QtC::Git Authentication Авторизация @@ -21130,7 +21130,7 @@ Leave empty to search through the file system. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -21348,7 +21348,7 @@ Leave empty to search through the file system. - ::Help + QtC::Help Help Справка @@ -21866,7 +21866,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Valgrind + QtC::Valgrind Process %1 Процесс %1 @@ -22073,14 +22073,14 @@ Add, modify, and remove document filters, which determine the documentation set - ::LanguageClient + QtC::LanguageClient Got unsupported markup hover content: Получен неподдерживаемый форматированный текст под курсором: - ::BareMetal + QtC::BareMetal IAREW %1 (%2, %3) IAREW %1 (%2, %3) @@ -22166,7 +22166,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ImageViewer + QtC::ImageViewer Image Viewer Просмотр изображений @@ -22382,7 +22382,7 @@ Would you like to overwrite them? - ::IncrediBuild + QtC::IncrediBuild Miscellaneous Разное @@ -22632,7 +22632,7 @@ Ids must begin with a lowercase letter. - ::Ios + QtC::Ios Deploy on iOS Развернуть на iOS @@ -23268,7 +23268,7 @@ Error: %5 - ::LanguageServerProtocol + QtC::LanguageServerProtocol Could not parse JSON message "%1". Не удалось разобрать сообщение JSON «%1». @@ -23279,7 +23279,7 @@ Error: %5 - ::Utils + QtC::Utils Null Null @@ -23318,7 +23318,7 @@ Error: %5 - ::BareMetal + QtC::BareMetal KEIL %1 (%2, %3) KEIL %1 (%2, %3) @@ -23343,7 +23343,7 @@ Error: %5 - ::LanguageClient + QtC::LanguageClient Language Client Языковый клиент @@ -23494,7 +23494,7 @@ Error: %5 - ::LanguageServerProtocol + QtC::LanguageServerProtocol HoverContent should be either MarkedString, MarkupContent, or QList<MarkedString>. HoverContent должен быть или MarkedString, или MarkupContent, или QList<MarkedString>. @@ -23801,14 +23801,14 @@ Error: %5 - ::Core + QtC::Core Locator Быстрый поиск - ::ClangTools + QtC::ClangTools File "%1" does not exist or is not readable. Файл «%1» не существует или не читается. @@ -23842,7 +23842,7 @@ Error: %5 - ::Macros + QtC::Macros Macros Сценарии @@ -23945,7 +23945,7 @@ Error: %5 - ::QmlProfiler + QtC::QmlProfiler Memory Usage Использование памяти @@ -24233,7 +24233,7 @@ Error: %5 - ::Marketplace + QtC::Marketplace Marketplace Магазин @@ -24248,7 +24248,7 @@ Error: %5 - ::McuSupport + QtC::McuSupport Flash and run CMake parameters: Параметры CMake для прошивки и запуска: @@ -24335,7 +24335,7 @@ Error: %5 - ::Mercurial + QtC::Mercurial Password: Пароль: @@ -24675,7 +24675,7 @@ Error: %5 - ::MesonProjectManager + QtC::MesonProjectManager Form @@ -24925,7 +24925,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::LanguageClient + QtC::LanguageClient Select MIME Types Выбрать MIME-типы @@ -24936,7 +24936,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::ModelEditor + QtC::ModelEditor Zoom: %1% Масштаб: %1% @@ -25186,7 +25186,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::ModelEditor + QtC::ModelEditor Modeling Моделирование @@ -25335,7 +25335,7 @@ If set to false, the target will be moved straight to the current mouse position - ::Nim + QtC::Nim Nim Nim @@ -25541,7 +25541,7 @@ If set to false, the target will be moved straight to the current mouse position - ::Core + QtC::Core Meta+O Meta+O @@ -25774,7 +25774,7 @@ If set to false, the target will be moved straight to the current mouse position - ::PerfProfiler + QtC::PerfProfiler Could not start device process. Не удалось запустить процесс устройства. @@ -26351,7 +26351,7 @@ You might find further explanations in the Application Output view. - ::Perforce + QtC::Perforce Change Number Номер правки @@ -26841,7 +26841,7 @@ You might find further explanations in the Application Output view. - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. Модуль «%1» указан для тестирования дважды. @@ -26991,7 +26991,7 @@ You might find further explanations in the Application Output view. - ::QtSupport + QtC::QtSupport [Inexact] Prefix used for output from the cumulative evaluation of project files. @@ -27030,7 +27030,7 @@ You might find further explanations in the Application Output view. - ::ProjectExplorer + QtC::ProjectExplorer Project Environment Среда проекта @@ -28468,7 +28468,7 @@ What should Qt Creator do now? - ::Core + QtC::Core Open "%1" Открыть «%1» @@ -28547,7 +28547,7 @@ What should Qt Creator do now? - ::ProjectExplorer + QtC::ProjectExplorer Platform codegen flags: Флаги генерации кода для платформы: @@ -32499,7 +32499,7 @@ App ID: %2 - ::Python + QtC::Python REPL REPL @@ -32914,14 +32914,14 @@ Copy the path to the source files to the clipboard? - ::Android + QtC::Android Images (*.png *.jpg *.webp *.svg) Изображения (*.png *.jpg *.webp *.svg) - ::QbsProjectManager + QtC::QbsProjectManager Generated files Созданные файлы @@ -33297,7 +33297,7 @@ The affected files are: - ::Qdb + QtC::Qdb Flash wizard "%1" failed to start. Не удалось запустить программатор «%1». @@ -33496,7 +33496,7 @@ The affected files are: - ::QmakeProjectManager + QtC::QmakeProjectManager Failed Сбой @@ -34276,7 +34276,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -34289,7 +34289,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 Состояние сокета изменилось на %1 @@ -34322,7 +34322,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QmlDesigner + QtC::QmlDesigner Error Ошибка @@ -35233,7 +35233,7 @@ Neither the path to the library nor the path to its includes is added to the .pr - ::QmlJSEditor + QtC::QmlJSEditor QML/JS Editing Редактирование QML/JS @@ -37017,7 +37017,7 @@ This is independent of the visibility property in QML. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Скрывает эту панель. @@ -37048,14 +37048,14 @@ This is independent of the visibility property in QML. - ::Debugger + QtC::Debugger Anonymous Function Анонимная функция - ::QmlJSEditor + QtC::QmlJSEditor Code Model Warning Предупреждение модели кода @@ -37066,7 +37066,7 @@ This is independent of the visibility property in QML. - ::QmlJS + QtC::QmlJS Hit maximal recursion depth in AST visit Достигнута максимальная глубина рекурсии обработки AST @@ -37219,7 +37219,7 @@ Please build the qmldump application on the Qt version options page. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 Ошибка XML в строке %1, поз. %2: %3 @@ -37230,7 +37230,7 @@ Please build the qmldump application on the Qt version options page. - ::QmlJS + QtC::QmlJS Cannot find file %1. Не удалось найти файл %1. @@ -37701,7 +37701,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick @@ -37898,7 +37898,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::QmlJSTools + QtC::QmlJSTools Code Style Стиль кода @@ -37950,7 +37950,7 @@ the QML editor know about a likely URI. - ::QmlProjectManager + QtC::QmlProjectManager <Current File> <Текущий файл> @@ -38068,7 +38068,7 @@ the QML editor know about a likely URI. - ::QmlPreview + QtC::QmlPreview QML Preview Предпросмотр QML @@ -38147,7 +38147,7 @@ the QML editor know about a likely URI. - ::QmlProfiler + QtC::QmlProfiler Unknown Message %1 Неизвестное сообщение %1 @@ -38781,7 +38781,7 @@ Saving failed. - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file %1. Ошибка при загрузке файла проекта %1. @@ -38861,14 +38861,14 @@ Saving failed. - ::Qnx + QtC::Qnx Remote QNX process %1 Внешний процесс QNX %1 - ::Qnx + QtC::Qnx The following errors occurred while activating the QNX configuration: При активации конфигурации QNX возникли следующие ошибки: @@ -38899,7 +38899,7 @@ Saving failed. - ::Qnx + QtC::Qnx Project source directory: Каталог исходного кода проекта: @@ -38910,14 +38910,14 @@ Saving failed. - ::Qnx + QtC::Qnx Deploy to QNX Device Развернуть на устройство QNX - ::Qnx + QtC::Qnx Qt library to deploy: Библиотека Qt для развёртывания: @@ -38968,7 +38968,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx QNX QNX @@ -38983,7 +38983,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Checking that files can be created in /var/run... Проверка возможности создавать файлы в /var/run... @@ -39022,28 +39022,28 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx New QNX Device Configuration Setup Настройка новой конфигурации устройства QNX - ::Qnx + QtC::Qnx Attach to remote QNX application... Подключиться к приложению QNX... - ::Qnx + QtC::Qnx Preparing remote side... Подготовка удалённой стороны... - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -39055,7 +39055,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Executable on device: Программа на устройстве: @@ -39074,7 +39074,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Generate kits Создать комплекты @@ -39131,14 +39131,14 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx &Compiler path: Путь к &компилятору: @@ -39154,7 +39154,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available. Предупреждение: «slog2info» не найдена на устройстве, вывод отладчика недоступен. @@ -39165,7 +39165,7 @@ Are you sure you want to continue? - ::ResourceEditor + QtC::ResourceEditor Remove Удалить @@ -39207,7 +39207,7 @@ Are you sure you want to continue? - ::Debugger + QtC::Debugger ptrace: Operation not permitted. @@ -39261,7 +39261,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::QtSupport + QtC::QtSupport Qt Versions Профили Qt @@ -39696,7 +39696,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Autotest + QtC::Autotest Qt Test Qt Test @@ -39707,7 +39707,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::QtSupport + QtC::QtSupport No qmake path set Путь к qmake не указан @@ -39793,7 +39793,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::CppEditor + QtC::CppEditor Extract Function Извлечь функцию @@ -39812,7 +39812,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Autotest + QtC::Autotest Quick Test Тест Quick @@ -39858,7 +39858,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Tracing + QtC::Tracing Edit note Изменить заметку @@ -39888,14 +39888,14 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. Невозможно применить рефакторинг. - ::RemoteLinux + QtC::RemoteLinux Deploy to Remote Linux Host Развернуть на удалённую машину с Linux @@ -40638,7 +40638,7 @@ If you do not have a private key yet, you can also create one here. - ::ResourceEditor + QtC::ResourceEditor Invalid file location Неверное размещение файла @@ -40804,7 +40804,7 @@ If you do not have a private key yet, you can also create one here. - ::Tracing + QtC::Tracing [unknown] [неизвестная] @@ -40826,10 +40826,10 @@ If you do not have a private key yet, you can also create one here. - ::Autotest + QtC::Autotest - ::ScxmlEditor + QtC::ScxmlEditor Unknown Неизвестное @@ -40843,7 +40843,7 @@ If you do not have a private key yet, you can also create one here. - ::ScxmlEditor + QtC::ScxmlEditor Frame Рамка @@ -41547,7 +41547,7 @@ Row: %4, Column: %5 - ::BareMetal + QtC::BareMetal SDCC %1 (%2, %3) SDCC %1 (%2, %3) @@ -41565,7 +41565,7 @@ Row: %4, Column: %5 - ::Tracing + QtC::Tracing Selection Выделение @@ -41584,7 +41584,7 @@ Row: %4, Column: %5 - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1: %2. Не удалось открыть порт %1: %2. @@ -41945,7 +41945,7 @@ Row: %4, Column: %5 - ::Utils + QtC::Utils Elapsed time: %1. Прошло времени: %1. @@ -41966,7 +41966,7 @@ Row: %4, Column: %5 - ::Subversion + QtC::Subversion Authentication Авторизация @@ -42225,7 +42225,7 @@ Row: %4, Column: %5 - ::LanguageClient + QtC::LanguageClient Find References with %1 for: Найти ссылки с %1 для: @@ -42347,7 +42347,7 @@ Row: %4, Column: %5 - ::ProjectExplorer + QtC::ProjectExplorer No kit defined in this project. Для данного проекта не задан комплект. @@ -42450,7 +42450,7 @@ Row: %4, Column: %5 - ::Autotest + QtC::Autotest %1 (none) %1 (нет) @@ -42551,7 +42551,7 @@ Row: %4, Column: %5 - ::TextEditor + QtC::TextEditor Text Editor Текстовый редактор @@ -45109,7 +45109,7 @@ Will not be applied to whitespace in comments and strings. - ::Tracing + QtC::Tracing Could not open %1 for writing. Не удалось открыть %1 для записи. @@ -45156,7 +45156,7 @@ The trace data is lost. - ::Todo + QtC::Todo Keyword Ключевое слово @@ -45183,7 +45183,7 @@ The trace data is lost. - ::Todo + QtC::Todo Keywords Ключевые слова @@ -45214,7 +45214,7 @@ The trace data is lost. - ::Todo + QtC::Todo Description Описание @@ -45229,7 +45229,7 @@ The trace data is lost. - ::Todo + QtC::Todo To-Do Entries Записи To-Do @@ -45264,7 +45264,7 @@ The trace data is lost. - ::Todo + QtC::Todo Excluded Files Исключаемые файлы @@ -45291,7 +45291,7 @@ The trace data is lost. - ::Help + QtC::Help Filter Фильтр @@ -45310,7 +45310,7 @@ The trace data is lost. - ::UpdateInfo + QtC::UpdateInfo Configure Filters Настройка фильтров @@ -45406,7 +45406,7 @@ The trace data is lost. - ::Utils + QtC::Utils File format not supported. Формат файла не поддерживается. @@ -46226,7 +46226,7 @@ To disable a variable, prefix the line with "#". - ::VcsBase + QtC::VcsBase CVS Commit Editor Редактор фиксаций CVS @@ -46353,7 +46353,7 @@ To disable a variable, prefix the line with "#". - ::Valgrind + QtC::Valgrind Callee Вызываемое @@ -47221,7 +47221,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Version Control Контроль версий @@ -47705,14 +47705,14 @@ What do you want to do? - ::CppEditor + QtC::CppEditor ...searching overrides ... поиск переопределений - ::WebAssembly + QtC::WebAssembly Effective emrun call: Команда запуска emrun: @@ -47752,7 +47752,7 @@ What do you want to do? - ::Welcome + QtC::Welcome Would you like to take a quick UI tour? This tour highlights important user interface elements and shows how they are used. To take the tour later, select Help > UI Tour. Желаете познакомиться с интерфейсом программы? Всего за минуту вы узнаете, где и как используются наиболее важные элементы интерфейса пользователя. Ознакомиться можно и позже, для этого нужно зайти в Справка > Знакомство. @@ -48214,7 +48214,7 @@ What do you want to do? - ::qmt + QtC::qmt Show Definition Показать определение diff --git a/share/qtcreator/translations/qtcreator_sl.ts b/share/qtcreator/translations/qtcreator_sl.ts index dd4c4b51408..dd8be439e7b 100644 --- a/share/qtcreator/translations/qtcreator_sl.ts +++ b/share/qtcreator/translations/qtcreator_sl.ts @@ -37,7 +37,7 @@ - ::Debugger + QtC::Debugger Start Debugger Zaženi razhroščevalnik @@ -91,7 +91,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Razveljavi @@ -102,7 +102,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Dodaj zaznamek @@ -237,7 +237,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Build Zgradi @@ -429,7 +429,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <izberite simbol> @@ -455,7 +455,7 @@ - ::CodePaster + QtC::CodePaster &Code Pasting &Lepljenje kode @@ -613,7 +613,7 @@ - ::TextEditor + QtC::TextEditor Insert the common prefix of available completion items. Vstavi skupni začetek razpoložljivih možnosti za dokončanje. @@ -672,7 +672,7 @@ - ::Help + QtC::Help Open Link Odpri povezavo @@ -683,7 +683,7 @@ - ::Core + QtC::Core File Generation Failure Napaka ustvarjanja datoteke @@ -1458,7 +1458,7 @@ Ali jih želite nadomestiti? - ::CppEditor + QtC::CppEditor Enter Class Name Vnesite ime razreda @@ -1605,7 +1605,7 @@ Ali jih želite nadomestiti? - ::Debugger + QtC::Debugger General Splošno @@ -3475,7 +3475,7 @@ To lahko privede do napačnih rezultatov. - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency Ni moč dodati odvisnosti @@ -3490,7 +3490,7 @@ To lahko privede do napačnih rezultatov. - ::Designer + QtC::Designer The file name is empty. Ime datoteke je prazno. @@ -3723,7 +3723,7 @@ Morda lahko pomaga ponovna gradnja projekta. - ::Help + QtC::Help Remove Odstrani @@ -3746,7 +3746,7 @@ Morda lahko pomaga ponovna gradnja projekta. - ::ExtensionSystem + QtC::ExtensionSystem Name: Ime: @@ -3931,7 +3931,7 @@ Razlog: %3 - ::FakeVim + QtC::FakeVim Use Vim-style Editing Uporabi urejanje v slogu Vim-a @@ -4206,7 +4206,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Core + QtC::Core Search for... Poišči … @@ -4341,7 +4341,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Debugger + QtC::Debugger This is the slowest but safest option. To je najpočasnejša in najvarnejša možnost. @@ -4495,7 +4495,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::ProjectExplorer + QtC::ProjectExplorer Override %1: Povozi %1: @@ -4510,7 +4510,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::GenericProjectManager + QtC::GenericProjectManager Build Zgradi @@ -4602,7 +4602,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Git + QtC::Git Would you like to delete the <b>unmerged</b> branch '%1'? Ali želite izbrisati <b>nezdruženo</b> vejo »%1«? @@ -5651,7 +5651,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Help + QtC::Help Print Document Natisni dokument @@ -5878,7 +5878,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Core + QtC::Core Filters Filtri @@ -5889,7 +5889,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::ProjectExplorer + QtC::ProjectExplorer MyMain @@ -5910,7 +5910,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Core + QtC::Core Open File With... Odpri datoteko v … @@ -5921,7 +5921,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Perforce + QtC::Perforce Change Number Številka spremembe @@ -6370,7 +6370,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' does not exist. Vstavek »%1« ne obstaja. @@ -6449,7 +6449,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::ProjectExplorer + QtC::ProjectExplorer Starting: "%1" %2 Zaganjanje: »%1« %2 @@ -6735,7 +6735,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::Core + QtC::Core File System Datotečni sistem @@ -6746,7 +6746,7 @@ enojen »Vstopi« za oddajo signala pa vas bo privedel neposredno do ustrezne pr - ::ProjectExplorer + QtC::ProjectExplorer Session Manager Upravljalnik sej @@ -7435,7 +7435,7 @@ v sistem za nadzor različic (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Additional arguments: Dodatni argumenti: @@ -7462,7 +7462,7 @@ v sistem za nadzor različic (%2)? - ::ResourceEditor + QtC::ResourceEditor Add Dodaj @@ -7489,7 +7489,7 @@ v sistem za nadzor različic (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Console Application Konzolni program Qt @@ -8002,7 +8002,7 @@ Preselects a desktop Qt for building the application if available. - ::ResourceEditor + QtC::ResourceEditor Qt Resource file Datoteka z viri za Qt @@ -8029,7 +8029,7 @@ Preselects a desktop Qt for building the application if available. - ::Core + QtC::Core Save Changes Shrani spremembe @@ -8044,7 +8044,7 @@ Preselects a desktop Qt for building the application if available. - ::ResourceEditor + QtC::ResourceEditor Add Files Dodaj datoteke @@ -8170,7 +8170,7 @@ Preselects a desktop Qt for building the application if available. - ::Debugger + QtC::Debugger &Arguments: &Argumenti: @@ -8257,7 +8257,7 @@ Preselects a desktop Qt for building the application if available. - ::Subversion + QtC::Subversion Authentication Overjanje @@ -8560,7 +8560,7 @@ Preselects a desktop Qt for building the application if available. - ::TextEditor + QtC::TextEditor %1 found najdenih: %1 @@ -9314,7 +9314,7 @@ Naslednji nabori znakov so verjetno ustrezni: - ::Help + QtC::Help Filter Filter @@ -9341,7 +9341,7 @@ Naslednji nabori znakov so verjetno ustrezni: - ::VcsBase + QtC::VcsBase Version Control Nadzor različic @@ -9495,7 +9495,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Dialog Pogovorno okno @@ -9659,7 +9659,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Form Obrazec @@ -9686,7 +9686,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS CVS CVS @@ -9733,7 +9733,7 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer Form Obrazec @@ -9861,7 +9861,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Form Obrazec @@ -9972,7 +9972,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Name: Ime: @@ -10041,7 +10041,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::ProjectExplorer + QtC::ProjectExplorer Build and Run Gradnja in zagon @@ -10132,7 +10132,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::QmakeProjectManager + QtC::QmakeProjectManager Form Obrazec @@ -10295,7 +10295,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::TextEditor + QtC::TextEditor Bold Polkrepko @@ -10326,7 +10326,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::VcsBase + QtC::VcsBase WizardPage StranČarovnika @@ -10385,7 +10385,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Welcome + QtC::Welcome <b>Qt LGPL Support</b><br /><font color='gray'>Buy commercial Qt support</font> <b>Podpora za Qt</b><br /><font color='gray'>Kupite komercialno podporo za Qt</font> @@ -10442,7 +10442,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Utils + QtC::Utils The class name must not contain namespace delimiters. Ime razreda ne sme vsebovati ločil imenskega prostora. @@ -10660,7 +10660,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::CMakeProjectManager + QtC::CMakeProjectManager Select Working Directory Izberite delovno mapo @@ -10754,7 +10754,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Core + QtC::Core Preferences Nastavitve @@ -10765,7 +10765,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::CodePaster + QtC::CodePaster No Server defined in the CodePaster preferences. V nastavitvah za CodePaster ni določenega nobenega strežnika. @@ -10796,7 +10796,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::CppEditor + QtC::CppEditor Methods in Current Document Metode v trenutnem dokumentu @@ -10850,7 +10850,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::CVS + QtC::CVS Checks out a CVS repository and tries to load the contained project. Prevzame skladišče CVS in poskusi naložiti vsebovani projekt. @@ -11177,7 +11177,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Debugger + QtC::Debugger The gdb process could not be stopped: %1 @@ -11216,14 +11216,14 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Designer + QtC::Designer untitled brez naslova - ::Git + QtC::Git Clones a Git repository and tries to load the contained project. Sklonira skladišče Git in poskusi naložiti vsebovani projekt. @@ -11302,7 +11302,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Help + QtC::Help General Settings Splošne nastavitve @@ -11341,7 +11341,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::Core + QtC::Core Generic Directory Filter Splošen filter map @@ -11421,7 +11421,7 @@ Za uporabo v polje Iskalnika vtipkajte to bližnjico in presledek ter nato iskan - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? Zagon programa ni uspel. Morda je napačna pot ali pa dovoljenja. @@ -11567,7 +11567,7 @@ Razlog: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> <nov razred> @@ -11630,7 +11630,7 @@ Razlog: %2 - ::RemoteLinux + QtC::RemoteLinux Warning: Cannot locate the symbol file belonging to %1. @@ -11786,7 +11786,7 @@ Razlog: %2 - ::Subversion + QtC::Subversion Checks out a Subversion repository and tries to load the contained project. Prevzame skladišče Subversion in poskusi naložiti vsebovani projekt. @@ -11809,7 +11809,7 @@ Razlog: %2 - ::TextEditor + QtC::TextEditor Not a color scheme file. Ni datoteka z barvno shemo. @@ -11824,7 +11824,7 @@ Razlog: %2 - ::VcsBase + QtC::VcsBase Cannot Open Project Ni moč odpreti projekta @@ -11907,14 +11907,14 @@ Razlog: %2 - ::Welcome + QtC::Welcome News && Support Novice in podpora - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake target Zaženi cilj CMake @@ -11929,7 +11929,7 @@ Razlog: %2 - ::Core + QtC::Core Command Mappings Preslikava ukazov @@ -11972,7 +11972,7 @@ Razlog: %2 - ::CodePaster + QtC::CodePaster &Path: &Pot: @@ -11991,7 +11991,7 @@ Razlog: %2 - ::Git + QtC::Git Stashes Zapisi na strani @@ -12113,7 +12113,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::Mercurial + QtC::Mercurial General Information Splošni podatki @@ -12240,7 +12240,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::ProjectExplorer + QtC::ProjectExplorer DoubleTabWidget DoubleTabWidget @@ -12318,7 +12318,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Besedilo @@ -12474,7 +12474,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::RemoteLinux + QtC::RemoteLinux SSH Key Configuration Nastavitev ključa SSH @@ -12589,7 +12589,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::QmakeProjectManager + QtC::QmakeProjectManager Setup targets for your project Nastavite cilje za svoj projekt @@ -12687,7 +12687,7 @@ Spremembe lahko zapišete na stran ali pa jih zavržete. - ::VcsBase + QtC::VcsBase Clean Repository Počisti skladišče @@ -13375,7 +13375,7 @@ okoljsko spremenljivko SSH_ASKPASS. - ::ExtensionSystem + QtC::ExtensionSystem None Brez @@ -13390,7 +13390,7 @@ okoljsko spremenljivko SSH_ASKPASS. - ::QmlJS + QtC::QmlJS unknown value for enum neznana vrednost za oštevilčenje @@ -13573,7 +13573,7 @@ okoljsko spremenljivko SSH_ASKPASS. - ::Utils + QtC::Utils Locked Zaklenjeno @@ -13628,7 +13628,7 @@ okoljsko spremenljivko SSH_ASKPASS. - ::BinEditor + QtC::BinEditor Memory at 0x%1 Pomnilnik na 0x%1 @@ -13737,7 +13737,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::CMakeProjectManager + QtC::CMakeProjectManager Desktop CMake Default target display name @@ -13761,7 +13761,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Core + QtC::Core Command Ukaz @@ -13827,7 +13827,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::CodePaster + QtC::CodePaster Code Pasting Prilepljanje kode @@ -13882,7 +13882,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::CppEditor + QtC::CppEditor Rewrite Using %1 Preoblikuj z uporabo »%1« @@ -13961,7 +13961,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::VcsBase + QtC::VcsBase CVS Commit Editor Urejevalnik zapisov za CVS @@ -14088,14 +14088,14 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::CVS + QtC::CVS Annotate revision "%1" Dodaj opombo za revizijo »%1« - ::Debugger + QtC::Debugger CDB CDB @@ -14158,7 +14158,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Designer + QtC::Designer This file can only be edited in <b>Design</b> mode. Datoteko je moč urejati le v načinu <b>Oblikovanje</b>. @@ -14173,7 +14173,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::FakeVim + QtC::FakeVim [New] [novo] @@ -14200,7 +14200,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Core + QtC::Core &Find/Replace &Najdi in zamenjaj @@ -14223,7 +14223,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::GenericProjectManager + QtC::GenericProjectManager Make Make @@ -14234,7 +14234,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Git + QtC::Git Error: Git timed out after %1s. Napaka: po %1 s je Git-u potekel čas. @@ -14249,7 +14249,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Help + QtC::Help (Untitled) (neimenovano) @@ -14264,7 +14264,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Mercurial + QtC::Mercurial Clones a Mercurial repository and tries to load the contained project. Sklonira skladišče Mercurial in poskusi naložiti vsebovani projekt. @@ -14527,7 +14527,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Perforce + QtC::Perforce No executable specified Določen ni noben program. @@ -14568,7 +14568,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::ProjectExplorer + QtC::ProjectExplorer Location Mesto @@ -14605,7 +14605,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::ProjectExplorer + QtC::ProjectExplorer Details Default short title for custom wizard page to be shown in the progress pane of the wizard. @@ -14712,7 +14712,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::ProjectExplorer + QtC::ProjectExplorer Dependencies Odvisnosti @@ -14730,7 +14730,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::Core + QtC::Core Open Odpri @@ -14837,7 +14837,7 @@ Desetiška predznačena vrednost (najprej veliki konec): %4 - ::ProjectExplorer + QtC::ProjectExplorer Select active build configuration Izberite aktivne nastavitve gradnje @@ -14914,7 +14914,7 @@ cilj »%1«? - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -14922,7 +14922,7 @@ cilj »%1«? - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -14955,7 +14955,7 @@ cilj »%1«? - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -15124,7 +15124,7 @@ cilj »%1«? - ::QmlEditorWidgets + QtC::QmlEditorWidgets Open File Odpri datoteko @@ -15357,7 +15357,7 @@ ID-ji se morajo začeti z malo črko. - ::QmlJSEditor + QtC::QmlJSEditor Do you want to enable the experimental Qt Quick Designer? Ali želite omogočiti preizkusni Qt Quick Designer? @@ -15448,7 +15448,7 @@ ID-ji se morajo začeti z malo črko. - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file %1. Napaka pri nalaganju projektne datoteke %1. @@ -15569,7 +15569,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::RemoteLinux + QtC::RemoteLinux Could not find make command '%1' in the build environment V okolju za gradnjo ni bilo moč najti ukaza make »%1« @@ -15662,7 +15662,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QmakeProjectManager + QtC::QmakeProjectManager Evaluating Vrednotenje @@ -15689,7 +15689,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -15704,7 +15704,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QmakeProjectManager + QtC::QmakeProjectManager Qmake does not support build directories below the source directory. QMake ne podpira map za gradnjo v mapi z izvorno kodo. @@ -15715,7 +15715,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QtSupport + QtC::QtSupport No qmake path set Nastavljene ni nobene poti do qmake @@ -15825,7 +15825,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QmakeProjectManager + QtC::QmakeProjectManager Modules Moduli @@ -15848,21 +15848,21 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::Subversion + QtC::Subversion Annotate revision "%1" Dodaj opombo za revizijo »%1« - ::TextEditor + QtC::TextEditor Text Editor Urejevalnik besedil - ::VcsBase + QtC::VcsBase The file '%1' could not be deleted. Datoteke »%1« ni bilo moč izbrisati. @@ -16124,7 +16124,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QmlJSEditor + QtC::QmlJSEditor Failed to preview Qt Quick file Prikaz datoteke Qt Quick ni uspel @@ -16137,7 +16137,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Form Obrazec @@ -16319,7 +16319,7 @@ Projekte programov QML izvede pregledovalnik QML in jih ni potrebno zgraditi. - ::Bazaar + QtC::Bazaar General Information Splošni podatki @@ -16356,7 +16356,7 @@ Krajevnih zapisov se v vejo »master« ne potisne dokler ni izvršen običajen z - ::Bazaar + QtC::Bazaar By default, branch will fail if the target directory exists, but does not already have a control directory. This flag will allow branch to proceed. @@ -16548,7 +16548,7 @@ Krajevnih potegov se v vejo »master« ne uveljavi. - ::Bazaar + QtC::Bazaar Revert Povrnitev @@ -16559,7 +16559,7 @@ Krajevnih potegov se v vejo »master« ne uveljavi. - ::ClassView + QtC::ClassView Form Obrazec @@ -16570,7 +16570,7 @@ Krajevnih potegov se v vejo »master« ne uveljavi. - ::Core + QtC::Core Form Obrazec @@ -16745,7 +16745,7 @@ Krajevnih potegov se v vejo »master« ne uveljavi. - ::CppEditor + QtC::CppEditor Form Obrazec @@ -16926,7 +16926,7 @@ se poravnali z naslednjo vrstico - ::Debugger + QtC::Debugger &Condition: &Pogoj: @@ -17090,7 +17090,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::Debugger + QtC::Debugger Start Remote Engine Zaženi oddaljen pogon @@ -17117,7 +17117,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::Git + QtC::Git Dialog Pogovorno okno @@ -17168,7 +17168,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::Help + QtC::Help Filter configuration Nastavitev filtra @@ -17187,7 +17187,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::ImageViewer + QtC::ImageViewer Image Viewer Pregledovalniku slik @@ -17218,7 +17218,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::Macros + QtC::Macros Form Obrazec @@ -17261,7 +17261,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::ProjectExplorer + QtC::ProjectExplorer Language: Jezik: @@ -17313,7 +17313,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::QmlJSEditor + QtC::QmlJSEditor Dialog Pogovorno okno @@ -17356,7 +17356,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::QmlProfiler + QtC::QmlProfiler No QML events recorded Zabeleženega ni nobenega dogodka QML @@ -17378,7 +17378,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::QmlProfiler + QtC::QmlProfiler Dialog Pogovorno okno @@ -17397,7 +17397,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::QmakeProjectManager + QtC::QmakeProjectManager Library: Knjižnica: @@ -17492,7 +17492,7 @@ GDB omogoča navedbo zaporedja ukazov, ki so ločeni z »\n«. - ::RemoteLinux + QtC::RemoteLinux Details of Certificate Podrobnosti potrdila @@ -17557,7 +17557,7 @@ Starejše različice so pri gradnji ustreznih datotek SIS omejene. - ::QmakeProjectManager + QtC::QmakeProjectManager Dialog Pogovorno okno @@ -17730,7 +17730,7 @@ Potreben je Qt 4.7.4 ali novejši in nabor komponent za vašo različico Qt. - ::QtSupport + QtC::QtSupport Used to extract QML type information from library-based plugins. Uporabljeno za ugotovitev podatkov o vrsti QML iz vstavkov na osnovi knjižnic. @@ -17813,7 +17813,7 @@ Potreben je Qt 4.7.4 ali novejši in nabor komponent za vašo različico Qt. - ::RemoteLinux + QtC::RemoteLinux WizardPage StranČarovnika @@ -18280,7 +18280,7 @@ Potreben je Qt 4.7.4 ali novejši in nabor komponent za vašo različico Qt. - ::TextEditor + QtC::TextEditor Cleanup actions which are automatically performed right before the file is saved to disk. Dejanja čiščenja, ki se samodejno izvedejo tik pred shranjevanjem datoteke na disk. @@ -18435,7 +18435,7 @@ Potreben je Qt 4.7.4 ali novejši in nabor komponent za vašo različico Qt. - ::TextEditor + QtC::TextEditor Form Obrazec @@ -18587,7 +18587,7 @@ Vpliva na zamik nadaljevalnih vrstic. - ::Valgrind + QtC::Valgrind Dialog Pogovorno okno @@ -18738,7 +18738,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::VcsBase + QtC::VcsBase Configure Nastavi ... @@ -19229,7 +19229,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::ProjectExplorer + QtC::ProjectExplorer Manage Sessions... Upravljanje s sejami ... @@ -19259,7 +19259,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::Core + QtC::Core Tags: Oznake: @@ -19299,7 +19299,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::ProjectExplorer + QtC::ProjectExplorer Recently Edited Projects Nazadnje urejeni projekti @@ -19329,7 +19329,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Skrij to orodjarno. @@ -19356,7 +19356,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot pričakovani sta bili dve števili ločeni s piko @@ -19383,7 +19383,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::ProjectExplorer + QtC::ProjectExplorer Cannot start process: %1 Procesa ni moč zagnati: %1 @@ -19426,7 +19426,7 @@ S simulacijo predpomnilnika so omogočeni dodatni števci dogodkov: - ::Utils + QtC::Utils C++ C++ @@ -19630,7 +19630,7 @@ Seznam za strežnik je: %2. - ::Utils + QtC::Utils Invalid channel id %1 Neveljavna identifikacija kanala: %1 @@ -19721,7 +19721,7 @@ Seznam za strežnik je: %2. - ::Debugger + QtC::Debugger Analyzer Analizator @@ -19859,7 +19859,7 @@ Seznam za strežnik je: %2. - ::Bazaar + QtC::Bazaar Ignore whitespace Prezri presledke @@ -20042,7 +20042,7 @@ Seznam za strežnik je: %2. - ::Bazaar + QtC::Bazaar Clones a Bazaar branch and tries to load the contained project. Sklonira vejo Bazaar in poskusi naložiti vsebovani projekt. @@ -20053,7 +20053,7 @@ Seznam za strežnik je: %2. - ::Bazaar + QtC::Bazaar Location Mesto @@ -20068,21 +20068,21 @@ Seznam za strežnik je: %2. - ::Bazaar + QtC::Bazaar Commit Editor Urejevalnik zapisov - ::Bazaar + QtC::Bazaar Bazaar Command Ukaz Bazaar - ::BinEditor + QtC::BinEditor Cannot open %1: %2 Ni moč odpreti %1: %2 @@ -20093,14 +20093,14 @@ Seznam za strežnik je: %2. - ::ClassView + QtC::ClassView Class View Prikaz razredov - ::CMakeProjectManager + QtC::CMakeProjectManager Changes to cmake files are shown in the project tree after building. Spremembe datotek *.cmake so v drevesu projektov vidne po gradnji. @@ -20111,7 +20111,7 @@ Seznam za strežnik je: %2. - ::Core + QtC::Core Uncategorized Brez kategorije @@ -20281,7 +20281,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::CodePaster + QtC::CodePaster <Unknown> Unknown user of paste. @@ -20298,7 +20298,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::CppEditor + QtC::CppEditor Expected a namespace-name Pričakovano ime imenskega prostora @@ -20382,7 +20382,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::CVS + QtC::CVS Ignore whitespace Prezri presledke @@ -20393,7 +20393,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::Debugger + QtC::Debugger There is no CDB binary available for binaries in format '%1' Za programe formata »%1« ni na voljo nobenega programa CDB @@ -21451,7 +21451,7 @@ Ali želite poskusiti znova? - ::FakeVim + QtC::FakeVim Action Dejanje @@ -21470,7 +21470,7 @@ Ali želite poskusiti znova? - ::GenericProjectManager + QtC::GenericProjectManager Hide files matching: Skrij datoteke, ki se ujemajo z: @@ -21511,7 +21511,7 @@ Datoteke se ohrani. - ::Git + QtC::Git Local Branches Krajevne veje @@ -21592,7 +21592,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -21637,7 +21637,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::Help + QtC::Help Show Sidebar Prikaži stranski pas @@ -21656,7 +21656,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::ImageViewer + QtC::ImageViewer Cannot open image file %1 Slikovne datoteke %1 ni moč odpreti @@ -21703,7 +21703,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::Macros + QtC::Macros Macros Makroji @@ -21762,7 +21762,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::Mercurial + QtC::Mercurial Ignore whitespace Prezri presledke @@ -21773,14 +21773,14 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::Perforce + QtC::Perforce Ignore whitespace Prezri presledke - ::ProjectExplorer + QtC::ProjectExplorer <custom> <po meri> @@ -21860,7 +21860,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::ProjectExplorer + QtC::ProjectExplorer error: Task is of type: error @@ -21956,7 +21956,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::Welcome + QtC::Welcome %1 (last session) %1 (zadnja seja) @@ -21971,7 +21971,7 @@ ključe SSH išče na tem mestu in ne v mapi, kjer je nameščen. - ::ProjectExplorer + QtC::ProjectExplorer PID %1 PID %1 @@ -22264,7 +22264,7 @@ neposredno dostopati do objektov izvodov komponent QML in lastnosti. - ::QmlJSEditor + QtC::QmlJSEditor New %1 Nov %1 @@ -22465,7 +22465,7 @@ neposredno dostopati do objektov izvodov komponent QML in lastnosti. - ::QmlJSTools + QtC::QmlJSTools Methods and functions Metode in funkcije @@ -22543,7 +22543,7 @@ S strani z možnostmi za različice Qt zgradite razhroščevalne pomočnike. - ::QmlProfiler + QtC::QmlProfiler QML Profiler QML Profiler @@ -22726,7 +22726,7 @@ Raje uporabite gumb za ustavitev. - ::QmlProjectManager + QtC::QmlProjectManager Manage Qt versions Upravljanje različic Qt ... @@ -22797,7 +22797,7 @@ Raje uporabite gumb za ustavitev. - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library Dodajanje knjižnice @@ -23096,7 +23096,7 @@ V datoteko *.pro se ne doda niti poti do knjižnice niti poti do vključitev. - ::RemoteLinux + QtC::RemoteLinux The certificate "%1" has already expired and cannot be used. Expiration date: %2. @@ -23520,7 +23520,7 @@ Da preprečite to popravljanje, uporabite potrdilo razvijalca ali pa kak drug na - ::QmakeProjectManager + QtC::QmakeProjectManager SBSv2 build log Dnevnik gradnje SBS 2 @@ -23608,7 +23608,7 @@ Da preprečite to popravljanje, uporabite potrdilo razvijalca ali pa kak drug na - ::QmakeProjectManager + QtC::QmakeProjectManager Add build from: Dodaj gradnjo it: @@ -23724,7 +23724,7 @@ V naprej izbere Qt za simulator in razpoložljive ciljne mobilne naprave. - ::QmakeProjectManager + QtC::QmakeProjectManager Automatically Rotate Orientation Samodejno spreminjaj usmeritev @@ -23837,7 +23837,7 @@ Program lahko zgradite in ga razmestite na namizju ali na mobilnih platformah. N - ::QtSupport + QtC::QtSupport Name: Ime: @@ -23908,7 +23908,7 @@ Program lahko zgradite in ga razmestite na namizju ali na mobilnih platformah. N - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt 4.7.1 or newer. Na voljo samo za Qt 4.7.1 ali novejši. @@ -23941,7 +23941,7 @@ Razlog: %2 - ::ProjectExplorer + QtC::ProjectExplorer qmldump could not be built in any of the directories: - %1 @@ -23961,7 +23961,7 @@ Razlog: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt for Desktop or Qt for Qt Simulator. Na voljo samo za Qt za namizje in Qt za Qt Simulator. @@ -23972,7 +23972,7 @@ Razlog: %2 - ::ProjectExplorer + QtC::ProjectExplorer QMLObserver could not be built in any of the directories: - %1 @@ -23985,7 +23985,7 @@ Razlog: %2 - ::QtSupport + QtC::QtSupport <specify a name> <vnesite ime> @@ -24085,7 +24085,7 @@ Razlog: %2 - ::RemoteLinux + QtC::RemoteLinux Operation canceled by user, cleaning up... Uporabnik je preklical postopek, čiščenje ... @@ -25449,14 +25449,14 @@ Ali jih želite dodati v projekt? - ::Subversion + QtC::Subversion Ignore whitespace Prezri presledke - ::ProjectExplorer + QtC::ProjectExplorer Stop monitoring Ustavi nadziranje @@ -25485,7 +25485,7 @@ Ali jih želite dodati v projekt? - ::TextEditor + QtC::TextEditor CTRL+D CTRL+D @@ -25667,7 +25667,7 @@ Preverite pravice za dostop do mape. - ::Valgrind + QtC::Valgrind Profiling Profiliranje @@ -26263,7 +26263,7 @@ Preverite pravice za dostop do mape. - ::VcsBase + QtC::VcsBase Command used for reverting diff chunks Ukaz za povračanje delčkov razlik @@ -26318,7 +26318,7 @@ Preverite pravice za dostop do mape. - ::Welcome + QtC::Welcome Welcome Dobrodošli @@ -26423,7 +26423,7 @@ Preverite pravice za dostop do mape. - ::CppEditor + QtC::CppEditor This change cannot be undone. Te spremembe ni moč razveljaviti. @@ -26438,7 +26438,7 @@ Preverite pravice za dostop do mape. - ::Debugger + QtC::Debugger The function "%1()" failed: %2 Function call failed @@ -26595,7 +26595,7 @@ Preverite pravice za dostop do mape. - ::Designer + QtC::Designer Error saving %1 Napaka shranjevanja %1 @@ -26610,7 +26610,7 @@ Preverite pravice za dostop do mape. - ::Git + QtC::Git Git Commit Git – zapis @@ -26807,7 +26807,7 @@ Preverite pravice za dostop do mape. - ::ProjectExplorer + QtC::ProjectExplorer <UNSET> <ni nastavljeno> @@ -26909,10 +26909,10 @@ Preverite pravice za dostop do mape. - ::QmlProjectManager + QtC::QmlProjectManager - ::QmakeProjectManager + QtC::QmakeProjectManager <specify a name> <vnesite ime> @@ -27164,7 +27164,7 @@ p, li { white-space: pre-wrap; } - ::VcsBase + QtC::VcsBase Would you like to remove this file from the version control system (%1)? Note: This might remove the local file. @@ -27196,7 +27196,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::ProjectExplorer + QtC::ProjectExplorer Form Obrazec @@ -27223,7 +27223,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::Welcome + QtC::Welcome Tutorials Vodniki @@ -27401,7 +27401,7 @@ Vedite: to lahko odstrani krajevno datoteko. - ::Debugger + QtC::Debugger Port specification missing. Manjka določitev vrat. @@ -27612,14 +27612,14 @@ Vedite: to lahko odstrani krajevno datoteko. - ::Welcome + QtC::Welcome Getting Started Začnite tu - ::RemoteLinux + QtC::RemoteLinux Executable file: %1 Izvršljiva datoteka: %1 @@ -27784,7 +27784,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Debugger + QtC::Debugger Internal name Notranje ime @@ -27795,7 +27795,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::ProjectExplorer + QtC::ProjectExplorer Add target Dodaj cilj @@ -28486,7 +28486,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::QmlJS + QtC::QmlJS The file is not module file. Datoteka ni datoteka modula. @@ -28509,7 +28509,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::BinEditor + QtC::BinEditor Image Viewer Pregledovalnik slik @@ -28527,7 +28527,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Core + QtC::Core Error sending input Napaka pri pošiljanju vhoda @@ -28585,7 +28585,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Debugger + QtC::Debugger Unable to load the debugger engine library '%1': %2 Ni moč naložiti knjižnice razhroščevalnega pogona »%1«: %2 @@ -28611,7 +28611,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Debugger + QtC::Debugger Select binary and toolchains Izberite program in verige orodij @@ -28626,7 +28626,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Git + QtC::Git (no branch) (brez vej) @@ -28646,7 +28646,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::Mercurial + QtC::Mercurial Executing: %1 %2 @@ -28663,7 +28663,7 @@ Preverite, ali je telefon priključen in ali App TRK teče. - ::ProjectExplorer + QtC::ProjectExplorer Change build configuration && continue Spremeni nastavitve za gradnjo in nadaljuj @@ -29162,7 +29162,7 @@ Preverite nastavitve projekta. - ::QmlJSEditor + QtC::QmlJSEditor <Select Symbol> <izberite simbol> @@ -29173,7 +29173,7 @@ Preverite nastavitve projekta. - ::QmlProjectManager + QtC::QmlProjectManager Import Existing QML Directory Uvoz obstoječe mape s QML @@ -29212,7 +29212,7 @@ Preverite nastavitve projekta. - ::QmakeProjectManager + QtC::QmakeProjectManager Testing configuration... Preizkušanje nastavitve … @@ -29453,7 +29453,7 @@ Preverite nastavitve projekta. - ::RemoteLinux + QtC::RemoteLinux Default Privzeto @@ -29492,7 +29492,7 @@ Preverite nastavitve projekta. - ::QmakeProjectManager + QtC::QmakeProjectManager New configuration Nova nastavitev diff --git a/share/qtcreator/translations/qtcreator_uk.ts b/share/qtcreator/translations/qtcreator_uk.ts index 2780beb7ab7..8095a783176 100644 --- a/share/qtcreator/translations/qtcreator_uk.ts +++ b/share/qtcreator/translations/qtcreator_uk.ts @@ -2,7 +2,7 @@ - ::Debugger + QtC::Debugger Analyzer Аналізатор @@ -231,14 +231,14 @@ - ::Core + QtC::Core Unable to create the directory %1. Неможливо створити теку %1. - ::QtSupport + QtC::QtSupport The compiler '%1' (%2) cannot produce code for the Qt version '%3' (%4). Компілятор '%1' (%2) не може генерувати код для Qt версії '%3' (%4). @@ -333,7 +333,7 @@ - ::Bazaar + QtC::Bazaar General Information Загальна інформація @@ -689,14 +689,14 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Bazaar Command Команда Bazaar - ::Bazaar + QtC::Bazaar Dialog Діалог @@ -784,7 +784,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Revert @@ -795,7 +795,7 @@ Local pulls are not applied to the master branch. - ::Bookmarks + QtC::Bookmarks Add Bookmark Додати закладку @@ -1003,7 +1003,7 @@ Local pulls are not applied to the master branch. - ::CMakeProjectManager + QtC::CMakeProjectManager Default The name of the build configuration created by default for a cmake project. @@ -1269,7 +1269,7 @@ Local pulls are not applied to the master branch. - ::CppEditor + QtC::CppEditor <Select Symbol> <Оберіть символ> @@ -1280,7 +1280,7 @@ Local pulls are not applied to the master branch. - ::ClassView + QtC::ClassView Form Форма @@ -1295,7 +1295,7 @@ Local pulls are not applied to the master branch. - ::CodePaster + QtC::CodePaster Code Pasting Вставка коду @@ -1445,7 +1445,7 @@ Local pulls are not applied to the master branch. - ::ProjectExplorer + QtC::ProjectExplorer Code Style Стиль коду @@ -1486,7 +1486,7 @@ Local pulls are not applied to the master branch. - ::Help + QtC::Help Open Link Відкрити посилання @@ -1497,7 +1497,7 @@ Local pulls are not applied to the master branch. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Текст @@ -1600,7 +1600,7 @@ Local pulls are not applied to the master branch. - ::Core + QtC::Core Show Sidebar Показати бічну панель @@ -2982,7 +2982,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Add %1 Declaration Додати оголошення %1 @@ -3768,7 +3768,7 @@ Flags: %3 - ::Debugger + QtC::Debugger Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -6760,7 +6760,7 @@ Do you want to retry? - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency Неможливо додати залежність @@ -6778,14 +6778,14 @@ Do you want to retry? - ::ProjectExplorer + QtC::ProjectExplorer Dependencies Залежності - ::Designer + QtC::Designer The generated header of the form '%1' could not be found. Rebuilding the project might help. @@ -6956,7 +6956,7 @@ Rebuilding the project might help. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Dialog Діалог @@ -7030,7 +7030,7 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer Editor Редактор @@ -7078,7 +7078,7 @@ Rebuilding the project might help. - ::ExtensionSystem + QtC::ExtensionSystem Name: Назва: @@ -7419,7 +7419,7 @@ will also disable the following plugins: - ::FakeVim + QtC::FakeVim Unknown option: Невідома опція: @@ -7618,7 +7618,7 @@ will also disable the following plugins: - ::GlslEditor + QtC::GlslEditor New %1 Новий %1 @@ -7657,7 +7657,7 @@ will also disable the following plugins: - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -7830,7 +7830,7 @@ These files are preserved. - ::Git + QtC::Git Location Розташування @@ -9487,7 +9487,7 @@ You can choose between stashing the changes or discarding them. - ::Help + QtC::Help Help Довідка @@ -9983,7 +9983,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ImageViewer + QtC::ImageViewer Image Viewer Переглядач зображень @@ -10163,14 +10163,14 @@ Ids must begin with a lowercase letter. - ::Core + QtC::Core Locator Локатор - ::Macros + QtC::Macros Macros Макроси @@ -10273,7 +10273,7 @@ Ids must begin with a lowercase letter. - ::QmlProfiler + QtC::QmlProfiler Memory Usage Вживання пам'яті @@ -10412,7 +10412,7 @@ Ids must begin with a lowercase letter. - ::Mercurial + QtC::Mercurial Cloning Клонування @@ -11266,7 +11266,7 @@ Ids must begin with a lowercase letter. - ::Perforce + QtC::Perforce Change Number @@ -11784,10 +11784,10 @@ Ids must begin with a lowercase letter. - ::Core + QtC::Core - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' is specified twice for testing. Додаток для тестування '%1' вказано двічі. @@ -11930,7 +11930,7 @@ Ids must begin with a lowercase letter. - ::ProjectExplorer + QtC::ProjectExplorer Build & Run Збірка та запуск @@ -12751,7 +12751,7 @@ Ids must begin with a lowercase letter. - ::Core + QtC::Core Open Відкрити @@ -12810,7 +12810,7 @@ Ids must begin with a lowercase letter. - ::ProjectExplorer + QtC::ProjectExplorer &Compiler path: Шлях до &компілятора: @@ -14670,7 +14670,7 @@ This is independent of the visibility property in QML. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Сховати цю панель інструментів. @@ -14705,7 +14705,7 @@ This is independent of the visibility property in QML. - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot очікувались два числа розділених крапкою @@ -14918,7 +14918,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick @@ -15075,7 +15075,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlJSTools + QtC::QmlJSTools Code Style Стиль коду @@ -15131,7 +15131,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlProjectManager + QtC::QmlProjectManager <Current File> <Поточний файл> @@ -15201,7 +15201,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlProfiler + QtC::QmlProfiler QML Profiler Профайлер QML @@ -15306,7 +15306,7 @@ Do you want to save the data first? - ::QmlProjectManager + QtC::QmlProjectManager Failed opening project '%1': Project is not a file Збій відкриття проекту '%1': Проект не є файлом @@ -15380,7 +15380,7 @@ Do you want to save the data first? - ::ResourceEditor + QtC::ResourceEditor Add Додати @@ -15411,7 +15411,7 @@ Do you want to save the data first? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Versions Версії Qt @@ -16566,7 +16566,7 @@ Reason: %2 - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -16579,7 +16579,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Qmake does not support build directories below the source directory. Qmake не підтримує тек збірки нижче теки з кодом. @@ -16619,7 +16619,7 @@ Reason: %2 - ::Debugger + QtC::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. Знайдено застарілу версію бібліотеки помічника зневадження (%1); необхідна версія %2. @@ -16763,7 +16763,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::QtSupport + QtC::QtSupport Used to extract QML type information from library-based plugins. Використовується для отримання інформації про типи QML з додатків-бібліотек. @@ -17102,7 +17102,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Tracing + QtC::Tracing Duration: Тривалість: @@ -17143,7 +17143,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::RemoteLinux + QtC::RemoteLinux Deploy to Remote Linux Host Розгорнути на віддалений вузол Linux @@ -17685,7 +17685,7 @@ Remote stderr was: '%1' - ::ResourceEditor + QtC::ResourceEditor Creates a Qt Resource file (.qrc) that you can add to a Qt Widget Project. Створення файлу ресурсів Qt (.qrc), який ви можете додати до проекту Qt Widget. @@ -17877,7 +17877,7 @@ with a password, which you can enter below. - ::Subversion + QtC::Subversion Trust Server Certificate Довіряти сертифікату сервера @@ -18179,7 +18179,7 @@ with a password, which you can enter below. - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring Зупинити стеження @@ -18209,7 +18209,7 @@ with a password, which you can enter below. - ::TextEditor + QtC::TextEditor Text Editor Текстовий редактор @@ -19293,7 +19293,7 @@ Will not be applied to whitespace in comments and strings. - ::Help + QtC::Help Choose Topic Оберіть тему @@ -19331,7 +19331,7 @@ Will not be applied to whitespace in comments and strings. - ::UpdateInfo + QtC::UpdateInfo Updater Оновлючач @@ -19374,7 +19374,7 @@ Will not be applied to whitespace in comments and strings. - ::Utils + QtC::Utils Do not ask again Не питати знову @@ -20043,7 +20043,7 @@ Will not be applied to whitespace in comments and strings. - ::VcsBase + QtC::VcsBase CVS Commit Editor @@ -20166,7 +20166,7 @@ Will not be applied to whitespace in comments and strings. - ::Valgrind + QtC::Valgrind Callee @@ -20714,7 +20714,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase '%1' failed (exit code %2). @@ -20740,7 +20740,7 @@ With cache simulation, further event counters are enabled: - ::Welcome + QtC::Welcome News && Support Новини та підтримка @@ -20799,7 +20799,7 @@ With cache simulation, further event counters are enabled: - ::Core + QtC::Core Registered MIME Types Зареєстровані типи MIME @@ -20838,7 +20838,7 @@ With cache simulation, further event counters are enabled: - ::CodePaster + QtC::CodePaster Form Форма @@ -20953,7 +20953,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Header suffix: Суфікс для заголовку: @@ -21052,7 +21052,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::CVS + QtC::CVS Configuration Конфігурація @@ -21099,7 +21099,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::Debugger + QtC::Debugger &Port: &Порт: @@ -21142,7 +21142,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::ProjectExplorer + QtC::ProjectExplorer Form Форма @@ -21188,7 +21188,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::Tracing + QtC::Tracing Selection Виділення @@ -21207,7 +21207,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::QmakeProjectManager + QtC::QmakeProjectManager Make arguments: Аргументи make: @@ -21286,14 +21286,14 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::QtSupport + QtC::QtSupport Debugging Helper Build Log Журнал збирання помічника зневадження - ::RemoteLinux + QtC::RemoteLinux Authentication type: Спосіб авторизації: @@ -21432,7 +21432,7 @@ These prefixes are used in addition to current file name on Switch Header/Source - ::TextEditor + QtC::TextEditor Form Форма @@ -21900,7 +21900,7 @@ Influences the indentation of continuation lines. - ::Todo + QtC::Todo Form Форма @@ -21935,7 +21935,7 @@ Influences the indentation of continuation lines. - ::VcsBase + QtC::VcsBase WizardPage Сторінка майстра @@ -22052,7 +22052,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Develop Розробка @@ -22079,7 +22079,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QtSupport + QtC::QtSupport Search in Examples... Шукати в прикладах... @@ -22137,7 +22137,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QtSupport + QtC::QtSupport Search in Tutorials... Шукати в посібниках... @@ -22166,7 +22166,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Rename Перейменувати @@ -22185,7 +22185,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Utils + QtC::Utils Add Додати @@ -22309,7 +22309,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Android + QtC::Android Autogen Display name for AutotoolsProjectManager::AutogenStep id. @@ -22445,14 +22445,14 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMake target Зібрати ціль CMake - ::Core + QtC::Core Could not save the files. error message @@ -22496,7 +22496,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::CppEditor + QtC::CppEditor Extract Function Виділити функцію @@ -22527,7 +22527,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::CVS + QtC::CVS Location Розташування @@ -22862,7 +22862,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Debugger + QtC::Debugger Type Formats Форматування типів @@ -22881,7 +22881,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Git + QtC::Git untracked @@ -22940,7 +22940,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Edit Environment Редагування середовища @@ -22971,7 +22971,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QmlJSEditor + QtC::QmlJSEditor Wrap Component in Loader @@ -22992,7 +22992,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QmlProfiler + QtC::QmlProfiler <program> <програма> @@ -23007,7 +23007,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QmakeProjectManager + QtC::QmakeProjectManager Cancel Скасувати @@ -23066,7 +23066,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QtSupport + QtC::QtSupport Examples Приклади @@ -23157,7 +23157,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::TextEditor + QtC::TextEditor %1 found %1 знайдено @@ -23178,7 +23178,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Todo + QtC::Todo Description Опис @@ -23193,7 +23193,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Todo + QtC::Todo To-Do Entries Записи To-Do @@ -23240,7 +23240,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::VcsBase + QtC::VcsBase Cannot Open Project Неможливо відкрити проект @@ -23640,7 +23640,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Android + QtC::Android Kit: Комплект: @@ -23865,7 +23865,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ClearCase + QtC::ClearCase Check Out @@ -24019,7 +24019,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Core + QtC::Core Remove File Видалити файл @@ -24038,7 +24038,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Device Configuration Wizard Selection Вибір майстра конфігурації пристрою @@ -24109,14 +24109,14 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Qnx + QtC::Qnx Packages to deploy: Пакунки до розгортання: - ::Qnx + QtC::Qnx IP or host name of the device IP або назва вузла пристрою @@ -24159,7 +24159,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Qnx + QtC::Qnx WizardPage Сторінка майстра @@ -24178,7 +24178,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Qnx + QtC::Qnx Device: Пристрій: @@ -24189,7 +24189,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Qnx + QtC::Qnx SDK: SDK: @@ -24211,7 +24211,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Todo + QtC::Todo Keyword Ключове слово @@ -24238,7 +24238,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -24517,7 +24517,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Utils + QtC::Utils Adjust Column Widths to Contents Підігнати ширину стовпців до змісту @@ -24666,7 +24666,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Android + QtC::Android Cannot create a new AVD. No sufficiently recent Android SDK available. Please install an SDK of at least API version %1. @@ -25129,7 +25129,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::Bookmarks + QtC::Bookmarks Alt+Meta+M Alt+Meta+M @@ -25140,7 +25140,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::ClearCase + QtC::ClearCase Select &activity: @@ -25479,7 +25479,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Executable: Виконуваний модуль CMake: @@ -25522,7 +25522,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::Core + QtC::Core Meta+O Meta+O @@ -25537,7 +25537,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes Не вдалось застосувати зміни, оскільки цільовий файл було змінено @@ -25580,7 +25580,7 @@ To add the Qt versions, select Options > Build & Run > Qt Versions. - ::Debugger + QtC::Debugger Delete Breakpoint Видалити точку перепину @@ -26600,7 +26600,7 @@ Stepping into the module or setting breakpoints by file and is expected to work. - ::Git + QtC::Git Apply in: Застосувати в: @@ -26890,7 +26890,7 @@ were not verified among remotes in %3. Select different folder? - ::RemoteLinux + QtC::RemoteLinux Error Creating Debian Project Templates Помилка створення шаблонів проекту Debian @@ -26981,7 +26981,7 @@ Do you want to add them to the project?</html> - ::Perforce + QtC::Perforce &Edit @@ -26992,7 +26992,7 @@ Do you want to add them to the project?</html> - ::ProjectExplorer + QtC::ProjectExplorer Local PC Локальний комп'ютер @@ -27367,7 +27367,7 @@ Remote stderr was: %1 - ::QmlJSEditor + QtC::QmlJSEditor Split Initializer @@ -27378,7 +27378,7 @@ Remote stderr was: %1 - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal @@ -27395,7 +27395,7 @@ Qt Creator know about a likely URI. - ::QmlProfiler + QtC::QmlProfiler Qt Creator Qt Creator @@ -27475,7 +27475,7 @@ Do you want to retry? - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer Переглядач QML @@ -27486,14 +27486,14 @@ Do you want to retry? - ::Qnx + QtC::Qnx Starting: "%1" %2 Запуск: "%1" %2 - ::Qnx + QtC::Qnx Launching application failed Збій запуску програми @@ -27504,21 +27504,21 @@ Do you want to retry? - ::Qnx + QtC::Qnx <b>Deploy packages</b> <b>Розгортання пакунків</b> - ::Qnx + QtC::Qnx Deploy Package Розгорнути пакунок - ::Qnx + QtC::Qnx Setup Finished Налаштування завершено @@ -27533,7 +27533,7 @@ Do you want to retry? - ::Qnx + QtC::Qnx BlackBerry %1 Qt Version is meant for BlackBerry @@ -27553,7 +27553,7 @@ Do you want to retry? - ::Qnx + QtC::Qnx Run on BlackBerry device Запустити на пристрої BlackBerry @@ -27601,21 +27601,21 @@ Do you want to retry? - ::Qnx + QtC::Qnx Path to Qt libraries on device: Шлях до бібліотек Qt на пристрої: - ::Qnx + QtC::Qnx %1 on QNX Device %1 на пристрої QNX - ::QmakeProjectManager + QtC::QmakeProjectManager The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. mkspec, що використовується для збірки проектів за допомогою qmake.<br>Це налаштування ігнорується при використанні інших систем збірки. @@ -27668,7 +27668,7 @@ Do you want to retry? - ::QtSupport + QtC::QtSupport Executable: Виконуваний модуль: @@ -27694,7 +27694,7 @@ Do you want to retry? - ::QtSupport + QtC::QtSupport No executable. Немає виконуваного модуля. @@ -27817,7 +27817,7 @@ cannot be found in the path. - ::RemoteLinux + QtC::RemoteLinux Generic Linux Звичайний Linux @@ -27890,7 +27890,7 @@ cannot be found in the path. - ::ResourceEditor + QtC::ResourceEditor Add Files Додати файли @@ -27965,7 +27965,7 @@ cannot be found in the path. - ::TextEditor + QtC::TextEditor Display context-sensitive help or type information on mouseover. Відображати контекстну довідку або інформацію про тип при наведенні вказівника миші. @@ -27984,7 +27984,7 @@ cannot be found in the path. - ::VcsBase + QtC::VcsBase Open URL in Browser... Відкрити URL переглядачі... @@ -28003,7 +28003,7 @@ cannot be found in the path. - ::Git + QtC::Git Local Changes Found. Choose Action: Знайдені локальні зміни. Оберіть дію: @@ -28038,7 +28038,7 @@ cannot be found in the path. - ::QbsProjectManager + QtC::QbsProjectManager jobs завдань @@ -28501,7 +28501,7 @@ cannot be found in the path. - ::Qnx + QtC::Qnx Permissions Дозволи @@ -28560,14 +28560,14 @@ cannot be found in the path. - ::Qnx + QtC::Qnx CSJ PIN: CSJ PIN: - ::VcsBase + QtC::VcsBase Subversion Submit @@ -28629,14 +28629,14 @@ cannot be found in the path. - ::ExtensionSystem + QtC::ExtensionSystem Continue Продовжити - ::QmlJS + QtC::QmlJS Cannot find file %1. Неможливо знайти файл %1. @@ -28967,7 +28967,7 @@ cannot be found in the path. - ::Android + QtC::Android GDB server Сервер GDB @@ -29002,7 +29002,7 @@ cannot be found in the path. - ::Bookmarks + QtC::Bookmarks Note text: Текст примітки: @@ -29013,7 +29013,7 @@ cannot be found in the path. - ::CMakeProjectManager + QtC::CMakeProjectManager Ninja (%1) Ninja (%1) @@ -29048,7 +29048,7 @@ cannot be found in the path. - ::TextEditor + QtC::TextEditor Create Getter and Setter Member Functions Створити функції-члени для отримання та встановлення значення @@ -29075,7 +29075,7 @@ cannot be found in the path. - ::CppEditor + QtC::CppEditor Parsing Розбір @@ -29090,7 +29090,7 @@ cannot be found in the path. - ::Debugger + QtC::Debugger Behavior Поведінка @@ -29235,7 +29235,7 @@ cannot be found in the path. - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 Колір в %1,%2: червоний: %3 зелений: %4 синій: %5 альфа: %6 @@ -29258,7 +29258,7 @@ cannot be found in the path. - ::DiffEditor + QtC::DiffEditor Diff Editor Редактор різниць @@ -29281,7 +29281,7 @@ cannot be found in the path. - ::Git + QtC::Git Normal Звичайний @@ -29364,7 +29364,7 @@ Remote: %4 - ::ProjectExplorer + QtC::ProjectExplorer Custom Користувацький @@ -29452,7 +29452,7 @@ Remote: %4 - ::QbsProjectManager + QtC::QbsProjectManager Parsing the Qbs project. Розбір проекту Qbs. @@ -30083,7 +30083,7 @@ Remote: %4 - ::QmlJSTools + QtC::QmlJSTools Cu&t Вирі&зати @@ -30137,7 +30137,7 @@ Remote: %4 - ::QmlProjectManager + QtC::QmlProjectManager New Qt Quick UI Project Новий проект Qt Quick UI @@ -30152,7 +30152,7 @@ Remote: %4 - ::Qnx + QtC::Qnx General Загальне @@ -30175,7 +30175,7 @@ Remote: %4 - ::Qnx + QtC::Qnx Location Розташування @@ -30217,7 +30217,7 @@ Remote: %4 - ::QtSupport + QtC::QtSupport Full path to the host bin directory of the current project's Qt version. Повний шлях до host-теки bin версії Qt поточного проекту. @@ -30240,7 +30240,7 @@ Remote: %4 - ::RemoteLinux + QtC::RemoteLinux Local File Path Локальний шлях до файлу @@ -30251,7 +30251,7 @@ Remote: %4 - ::Core + QtC::Core Files Without Write Permissions Файли без дозволу на запис @@ -30278,7 +30278,7 @@ Remote: %4 - ::Debugger + QtC::Debugger Dialog Діалог @@ -30305,7 +30305,7 @@ Remote: %4 - ::Git + QtC::Git Push to Gerrit @@ -30380,7 +30380,7 @@ Partial names can be used if they are unambiguous. - ::ProjectExplorer + QtC::ProjectExplorer Machine type: Тип машини: @@ -30403,7 +30403,7 @@ Partial names can be used if they are unambiguous. - ::QbsProjectManager + QtC::QbsProjectManager Install root: Корінь встановлення: @@ -30418,7 +30418,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Add... Додати... @@ -30441,7 +30441,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Description: Опис: @@ -30472,7 +30472,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Device Environment Середовище пристрою @@ -30507,7 +30507,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Package version: Версія пакунка: @@ -30545,14 +30545,14 @@ Partial names can be used if they are unambiguous. - ::QmlJS + QtC::QmlJS %1 seems not to be encoded in UTF8 or has a BOM. Схоже, що %1 не в кодуванні UTF8 або має BOM. - ::Android + QtC::Android No analyzer tool selected. Інструмент для аналізу не обрано. @@ -30755,7 +30755,7 @@ Partial names can be used if they are unambiguous. - ::Core + QtC::Core Toggle Progress Details Увімк./вимк. поступ @@ -30790,7 +30790,7 @@ Partial names can be used if they are unambiguous. - ::CppEditor + QtC::CppEditor C++ Class Клас C++ @@ -30989,7 +30989,7 @@ Partial names can be used if they are unambiguous. - ::CVS + QtC::CVS &Edit &Редагувати @@ -31000,7 +31000,7 @@ Partial names can be used if they are unambiguous. - ::Debugger + QtC::Debugger Symbol Paths Шляхи до символів @@ -31099,7 +31099,7 @@ Partial names can be used if they are unambiguous. - ::Utils + QtC::Utils Delete Видалено @@ -31114,7 +31114,7 @@ Partial names can be used if they are unambiguous. - ::Git + QtC::Git Working tree Робоче дерево @@ -31153,7 +31153,7 @@ Partial names can be used if they are unambiguous. - ::ProjectExplorer + QtC::ProjectExplorer Run Environment Середовище виконання @@ -31164,7 +31164,7 @@ Partial names can be used if they are unambiguous. - ::Python + QtC::Python Enter Class Name Введіть назву класу @@ -31195,7 +31195,7 @@ Partial names can be used if they are unambiguous. - ::QbsProjectManager + QtC::QbsProjectManager Qbs Install Встановлення Qbs @@ -31258,7 +31258,7 @@ Partial names can be used if they are unambiguous. - ::QmlProjectManager + QtC::QmlProjectManager System Environment Системне середовище @@ -31269,7 +31269,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx <b>Check development mode</b> <b>Перевірка режиму розробки</b> @@ -31280,14 +31280,14 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Error connecting to device: java could not be found in the environment. Помилка підключення до пристрою: не вдалось знайти java в середовищі. - ::Qnx + QtC::Qnx Authentication failed. Please make sure the password for the device is correct. Збій авторизації. Будь ласка, переконайтесь, що пароль для пристрою правильний. @@ -31298,7 +31298,7 @@ Partial names can be used if they are unambiguous. - ::Qnx + QtC::Qnx Welcome to the BlackBerry Development Environment Setup Wizard. This wizard will guide you through the essential steps to deploy a ready-to-go development environment for BlackBerry 10 devices. @@ -31311,14 +31311,14 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx Configure the NDK Path Налаштування шляху до NDK - ::RemoteLinux + QtC::RemoteLinux Not enough free ports on device for debugging. Недостатньо вільних портів для зневадження в пристрої. @@ -31362,14 +31362,14 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. Неможливо застосувати рефакторинг. - ::Core + QtC::Core (%1) (%1) @@ -31384,21 +31384,21 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::QbsProjectManager + QtC::QbsProjectManager %1 in %2 %1 в %2 - ::Qnx + QtC::Qnx Not enough free ports on device for debugging. Недостатньо вільних портів для зневадження в пристрої. - ::Qnx + QtC::Qnx Preparing remote side... Підготовка віддаленої сторони... @@ -31413,14 +31413,14 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx No analyzer tool selected. Інструмент для аналізу не обрано. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 Помилка XML в рядку %1, позиція %2: %3 @@ -31431,7 +31431,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::DiffEditor + QtC::DiffEditor Context Lines: Контекстні рядки: @@ -31442,7 +31442,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::ProjectExplorer + QtC::ProjectExplorer No device configured. Не сконфігуровано жодного пристою. @@ -31461,7 +31461,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx SSH connection error: %1 @@ -31490,7 +31490,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Mercurial + QtC::Mercurial User name: Ім'я користувача: @@ -31512,7 +31512,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Python + QtC::Python Python class Клас Python @@ -31531,14 +31531,14 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::QbsProjectManager + QtC::QbsProjectManager No ':' found in property definition. Не знайдено двокрапку у визначенні властивості. - ::QmlProjectManager + QtC::QmlProjectManager Creates a Qt Quick 1 UI project with a single QML file that contains the main view. You can review Qt Quick 1 UI projects in the QML Viewer and you need not build them. You do not need to have the development environment installed on your computer to create and run this type of project. Requires Qt 4.8 or newer. Створює проект Qt Quick 1 UI з одним файлом QML, що містить головний перегляд. Ви можете оглядати проекти Qt Quick 1 UI в Переглядачі QML не будуючи їх. Вам не потрібне встановлене середовище розробки на вашому комп'ютері, щоб створювати та запускати цей тип проекту. Необхідна Qt 4.8 або новіша. @@ -31617,7 +31617,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Android + QtC::Android Create new AVD Створити новий AVD @@ -31761,7 +31761,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::BareMetal + QtC::BareMetal Form Форма @@ -31790,7 +31790,7 @@ monitor reset - ::Core + QtC::Core Add the file to version control (%1) Додати файл до контролю версій (%1) @@ -31801,7 +31801,7 @@ monitor reset - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives Додаткові директиви препроцесора C++ @@ -31864,7 +31864,7 @@ monitor reset - ::Ios + QtC::Ios Base arguments: Базові аргументи: @@ -31947,7 +31947,7 @@ monitor reset - ::ProjectExplorer + QtC::ProjectExplorer Custom Parser Користувацький обробник @@ -32065,7 +32065,7 @@ monitor reset - ::Qnx + QtC::Qnx Location: Розташування: @@ -32096,7 +32096,7 @@ monitor reset - ::Qnx + QtC::Qnx Form Форма @@ -32115,7 +32115,7 @@ monitor reset - ::Qnx + QtC::Qnx Choose the Location Оберіть розташування @@ -32126,7 +32126,7 @@ monitor reset - ::UpdateInfo + QtC::UpdateInfo Configure Filters Налаштування фільтрів @@ -32519,7 +32519,7 @@ monitor reset - ::Android + QtC::Android Deploy to Android device or emulator Розгортання на пристрій Android або емулятор @@ -32731,7 +32731,7 @@ Do you want to uninstall the existing package next time? - ::BareMetal + QtC::BareMetal Bare Metal Голе залізо @@ -32770,7 +32770,7 @@ Do you want to uninstall the existing package next time? - ::CppEditor + QtC::CppEditor No include hierarchy available Ієрархія заголовків не доступна @@ -32808,7 +32808,7 @@ Do you want to uninstall the existing package next time? - ::Debugger + QtC::Debugger Auto-detected CDB at %1 Автовизначено CDB в %1 @@ -32836,7 +32836,7 @@ Do you want to uninstall the existing package next time? - ::Ios + QtC::Ios iOS build iOS BuildStep display name. @@ -33062,7 +33062,7 @@ Do you want to uninstall the existing package next time? - ::Macros + QtC::Macros Playing Macro Відтворення макросу @@ -33077,7 +33077,7 @@ Do you want to uninstall the existing package next time? - ::ProjectExplorer + QtC::ProjectExplorer ICC ICC @@ -33221,10 +33221,10 @@ Please close all running instances of your application before starting a build.< - ::Python + QtC::Python - ::QmakeProjectManager + QtC::QmakeProjectManager The .pro file "%1" is currently being parsed. Здійснюється розбір файлу .pro "%1". @@ -33348,7 +33348,7 @@ Please close all running instances of your application before starting a build.< - ::QmlProfiler + QtC::QmlProfiler Could not open %1 for writing. Не вдалось відкрити %1 для запису. @@ -33379,7 +33379,7 @@ Please close all running instances of your application before starting a build.< - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 Неправильний кореневий елемент: %1 @@ -33402,7 +33402,7 @@ Please close all running instances of your application before starting a build.< - ::Qnx + QtC::Qnx NDK Already Known NDK вже відомий @@ -33413,7 +33413,7 @@ Please close all running instances of your application before starting a build.< - ::Qnx + QtC::Qnx Options Опції @@ -33450,7 +33450,7 @@ Please close all running instances of your application before starting a build.< - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available! Попередження: на пристрої не знайдено"slog2info", зневаджувальне виведення не доступне! @@ -33461,14 +33461,14 @@ Please close all running instances of your application before starting a build.< - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx &Compiler path: Шлях до &компілятора: @@ -33484,28 +33484,28 @@ Please close all running instances of your application before starting a build.< - ::Qnx + QtC::Qnx Cannot show slog2info output. Error: %1 Неможливо показати виведення slog2info: Помилка: %1 - ::RemoteLinux + QtC::RemoteLinux Exit code is %1. stderr: Код завершення %1. stderr: - ::UpdateInfo + QtC::UpdateInfo Update Оновити - ::Valgrind + QtC::Valgrind Profiling @@ -33532,7 +33532,7 @@ Please close all running instances of your application before starting a build.< - ::Debugger + QtC::Debugger Memory Analyzer Tool finished, %n issues were found. @@ -33567,7 +33567,7 @@ Please close all running instances of your application before starting a build.< - ::Valgrind + QtC::Valgrind Valgrind Valgrind @@ -33600,10 +33600,10 @@ Please close all running instances of your application before starting a build.< - ::QbsProjectManager + QtC::QbsProjectManager - ::QmakeProjectManager + QtC::QmakeProjectManager Creates a deployable Qt Quick 1 application using the QtQuick 1.1 import. Requires Qt 4.8 or newer. Створює додаток Qt Quick 1 для розгортання використовуючи імпорт QtQuick 1.1. Необхідна Qt 4.8 або новіша. @@ -33683,10 +33683,10 @@ Please close all running instances of your application before starting a build.< - ::QbsProjectManager + QtC::QbsProjectManager - ::Bazaar + QtC::Bazaar Uncommit @@ -33722,7 +33722,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Beautifier + QtC::Beautifier Form Форма @@ -33851,7 +33851,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::ClangCodeModel + QtC::ClangCodeModel Pre-compiled headers: Попередньо скомпільовані заголовки: @@ -33878,7 +33878,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Core + QtC::Core &Search &Знайти @@ -33979,7 +33979,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::Ios + QtC::Ios Reset to Default Скинути до типового @@ -33997,7 +33997,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::Qnx + QtC::Qnx <b>Check device status</b> <b>Перевірка стану пристрою</b> @@ -34049,7 +34049,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::QmlJS + QtC::QmlJS Indexing Індексування @@ -34143,7 +34143,7 @@ Please build the qmldump application on the Qt version options page. - ::Utils + QtC::Utils Filter Фільтр @@ -34154,7 +34154,7 @@ Please build the qmldump application on the Qt version options page. - ::Android + QtC::Android Could not run: %1 Не вдалось запустити: %1 @@ -34189,7 +34189,7 @@ Please build the qmldump application on the Qt version options page. - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. Неможливо зберегти стилі. %1 не існує. @@ -34279,7 +34279,7 @@ Please build the qmldump application on the Qt version options page. - ::ClangCodeModel + QtC::ClangCodeModel Location: %1 Parent folder for proposed #include completion @@ -34373,7 +34373,7 @@ Please build the qmldump application on the Qt version options page. - ::Core + QtC::Core &Find/Replace По&шук/Заміна @@ -34706,7 +34706,7 @@ Do you want to kill it? - ::Debugger + QtC::Debugger Attach to Process Not Yet Started Під'єднання до ще незапущеного процесу @@ -34761,7 +34761,7 @@ Do you want to kill it? - ::DiffEditor + QtC::DiffEditor and %n more Displayed after the untranslated message "Branches: branch1, branch2 'and %n more'" @@ -34777,10 +34777,10 @@ Do you want to kill it? - ::Ios + QtC::Ios - ::ProjectExplorer + QtC::ProjectExplorer Manage... Управління... @@ -34795,14 +34795,14 @@ Do you want to kill it? - ::QmlDesigner + QtC::QmlDesigner Error Помилка - ::QmlProfiler + QtC::QmlProfiler <bytecode> <байт-код> @@ -34825,7 +34825,7 @@ Do you want to kill it? - ::Qnx + QtC::Qnx Qt %1 for %2 Qt %1 для %2 @@ -34848,14 +34848,14 @@ Do you want to kill it? - ::Qnx + QtC::Qnx Confirmation Підтвердження - ::Qnx + QtC::Qnx Check Device Status Перевірка стану пристрою @@ -34880,7 +34880,7 @@ Do you want to kill it? - ::Qnx + QtC::Qnx Update Оновити @@ -34899,7 +34899,7 @@ Do you want to kill it? - ::Qnx + QtC::Qnx Add Додати @@ -34970,7 +34970,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx Project source directory: Тека кодів проекту: @@ -34981,7 +34981,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx No free ports for debugging. Немає вільних портів для зневадження. @@ -34992,21 +34992,21 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx Attach to remote QNX application... Під'єднатись до віддаленої програми QNX... - ::TextEditor + QtC::TextEditor Unused variable Невикористана змінна - ::VcsBase + QtC::VcsBase Name of the version control system in use by the current project. Назва системи контролю версії, що використовується в поточному проекті. @@ -35203,14 +35203,14 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::QbsProjectManager + QtC::QbsProjectManager Cannot open '%1'. Неможливо відкрити '%1'. - ::Utils + QtC::Utils Proxy Credentials Авторизація на проксі-сервері @@ -35237,7 +35237,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::ProjectExplorer + QtC::ProjectExplorer Files to deploy: Файли до розгортання: @@ -35294,7 +35294,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Tracing + QtC::Tracing Jump to previous event. Перейти до попередньої події. @@ -35333,7 +35333,7 @@ This wizard will guide you through the essential steps to deploy a ready-to-go d - ::Qnx + QtC::Qnx Deploy Qt to BlackBerry Device Розгортання Qt на пристрій BlackBerry @@ -35384,7 +35384,7 @@ Are you sure you want to continue? - ::Qnx + QtC::Qnx Generate kits Генерувати комплекти @@ -35425,7 +35425,7 @@ Are you sure you want to continue? - ::RemoteLinux + QtC::RemoteLinux Local executable: Локальний виконуваний модуль: @@ -35451,7 +35451,7 @@ Are you sure you want to continue? - ::QmlDebug + QtC::QmlDebug Error: (%1) %2 %1=error code, %2=error message @@ -35526,10 +35526,10 @@ Are you sure you want to continue? - ::Utils + QtC::Utils - ::Android + QtC::Android Cannot create a new AVD. No sufficiently recent Android SDK available. Install an SDK of at least API version %1. @@ -35546,7 +35546,7 @@ Install an SDK of at least API version %1. - ::BareMetal + QtC::BareMetal Example: Приклад: @@ -35618,14 +35618,14 @@ Install an SDK of at least API version %1. - ::Bazaar + QtC::Bazaar Clones a Bazaar branch and tries to load the contained project. Клонує гілку Bazaar та намагається завантажити з нього проект. - ::Core + QtC::Core Failed to open an editor for "%1". Збій відкриття редактора для "%1". @@ -35690,7 +35690,7 @@ Install an SDK of at least API version %1. - ::CppEditor + QtC::CppEditor %1: No such file or directory %1: Файл чи тека не існують @@ -35701,7 +35701,7 @@ Install an SDK of at least API version %1. - ::Debugger + QtC::Debugger Use Debugging Helper Використовувати помічник зневадження @@ -35776,10 +35776,10 @@ Install an SDK of at least API version %1. - ::DiffEditor + QtC::DiffEditor - ::EmacsKeys + QtC::EmacsKeys Delete Character Видалити символ @@ -35866,7 +35866,7 @@ Install an SDK of at least API version %1. - ::Git + QtC::Git Gitorious::Internal::GitoriousCloneWizardFactory @@ -35880,14 +35880,14 @@ Install an SDK of at least API version %1. - ::Git + QtC::Git Refreshing Commit Data - ::Help + QtC::Help Go to Help Mode Перейти в режим довідки @@ -35998,10 +35998,10 @@ Install an SDK of at least API version %1. - ::Mercurial + QtC::Mercurial - ::ProjectExplorer + QtC::ProjectExplorer Local File Path Локальний шлях до файлу @@ -36020,7 +36020,7 @@ Install an SDK of at least API version %1. - ::Utils + QtC::Utils No Valid Settings Found Не знайдено правильний налаштувань @@ -36039,7 +36039,7 @@ Install an SDK of at least API version %1. - ::ProjectExplorer + QtC::ProjectExplorer <p>No .user settings file created by this instance of Qt Creator was found.</p><p>Did you work with this project on another machine or using a different settings path before?</p><p>Do you still want to load the settings file "%1"?</p> <p>Не знайдено файлу налаштувань .user, створеного цим екземпляром Qt Creator.</p><p>Ви працювали раніше з цим проектом на іншому комп'ютері абр використовуючи інший шлях до налаштувань?</p><p>Ви ще бажаєте завантажити файл налаштувань "%1"?</p> @@ -36160,14 +36160,14 @@ Install an SDK of at least API version %1. - ::Qnx + QtC::Qnx Error Помилка - ::Qnx + QtC::Qnx The following errors occurred while activating the QNX configuration: Під час активації конфігурації QNX виникли наступні помилки: @@ -36214,7 +36214,7 @@ Install an SDK of at least API version %1. - ::RemoteLinux + QtC::RemoteLinux The remote executable must be set in order to run a custom remote run configuration. Має бути заданий віддалений виконуваний модуль, щоб виконати користувацьку віддалену конфігурацію запуску. @@ -36229,7 +36229,7 @@ Install an SDK of at least API version %1. - ::ProjectExplorer + QtC::ProjectExplorer Cannot open task file %1: %2 Неможливо відкрити файл завдань %1: %2 @@ -36248,7 +36248,7 @@ Install an SDK of at least API version %1. - ::TextEditor + QtC::TextEditor Downloading Highlighting Definitions Звантаження визначень підсвітки @@ -36271,7 +36271,7 @@ Install an SDK of at least API version %1. - ::VcsBase + QtC::VcsBase Failed to open project in "%1". Збій відкриття проекту в "%1". @@ -36334,7 +36334,7 @@ Install an SDK of at least API version %1. - ::Android + QtC::Android Sign package Підпис пакунка @@ -36423,7 +36423,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::Core + QtC::Core Theme Editor Редактор теми @@ -36478,7 +36478,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::Android + QtC::Android Create Templates Створити шаблони @@ -36595,7 +36595,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::QtSupport + QtC::QtSupport Form Форма @@ -36634,7 +36634,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::Utils + QtC::Utils Infinite recursion error Помилка нескінченної рекурсії @@ -36673,7 +36673,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::Android + QtC::Android Build Android APK AndroidBuildApkStep default display name @@ -36729,7 +36729,7 @@ Deploying local Qt libraries is incompatible with Android 5. - ::BinEditor + QtC::BinEditor Memory at 0x%1 Пам'ять в 0x%1 @@ -36856,14 +36856,14 @@ Deploying local Qt libraries is incompatible with Android 5. - ::ClearCase + QtC::ClearCase Annotate version "%1" - ::Core + QtC::Core No themes found in installation. У встановленні тем не знайдено. @@ -37310,21 +37310,21 @@ The statements may not contain '{' nor '}' characters. - ::CppEditor + QtC::CppEditor &Refactor &Рефакторинг - ::CVS + QtC::CVS Annotate revision "%1" - ::Designer + QtC::Designer Widget box Панель віджетів @@ -37431,7 +37431,7 @@ The statements may not contain '{' nor '}' characters. - ::ProjectExplorer + QtC::ProjectExplorer "data" for a "Form" page needs to be unset or an empty object. Об'єкт "data" для сторінки "Form" повинен бути не заданим або порожнім. @@ -38248,7 +38248,7 @@ Preselects a desktop Qt for building the application if available. - ::FakeVim + QtC::FakeVim Unknown option: %1 Невідома опція %1 @@ -38511,7 +38511,7 @@ Preselects a desktop Qt for building the application if available. - ::Git + QtC::Git &Blame %1 @@ -38562,7 +38562,7 @@ Preselects a desktop Qt for building the application if available. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -38570,14 +38570,14 @@ Preselects a desktop Qt for building the application if available. - ::Perforce + QtC::Perforce Annotate change list "%1" - ::ProjectExplorer + QtC::ProjectExplorer Field is not an object. Поле не є об'єктом. @@ -38976,7 +38976,7 @@ Preselects a desktop Qt for building the application if available. - ::Android + QtC::Android Deploy to device Розгортання на пристрій @@ -39087,7 +39087,7 @@ The files in the Android package source directory are copied to the build direct - ::QmlJSEditor + QtC::QmlJSEditor Show Qt Quick ToolBar Показати панель інструментів Qt Quick @@ -39122,20 +39122,20 @@ The files in the Android package source directory are copied to the build direct - ::QmlProfiler + QtC::QmlProfiler - ::ResourceEditor + QtC::ResourceEditor - ::Subversion + QtC::Subversion Annotate revision "%1" - ::TextEditor + QtC::TextEditor Opening File Відкриття файлу @@ -39186,7 +39186,7 @@ The files in the Android package source directory are copied to the build direct - ::VcsBase + QtC::VcsBase Open "%1" Відкрити "%1" @@ -39205,14 +39205,14 @@ The files in the Android package source directory are copied to the build direct - ::Help + QtC::Help &Look for: &Шукати: - ::Core + QtC::Core Are you sure you want to delete the theme "%1" permanently? Ви впевнені, що хочете назавжди видалити тему "%1"? @@ -39223,7 +39223,7 @@ The files in the Android package source directory are copied to the build direct - ::Debugger + QtC::Debugger Option "%1" is missing the parameter. Опції "%1" бракує параметра. @@ -39297,7 +39297,7 @@ Affected are breakpoints %1 - ::ProjectExplorer + QtC::ProjectExplorer untitled File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. @@ -39337,14 +39337,14 @@ Affected are breakpoints %1 - ::Tracing + QtC::Tracing [unknown] [невідомий] - ::QbsProjectManager + QtC::QbsProjectManager Custom Properties Користувацькі властивості @@ -39473,7 +39473,7 @@ Affected are breakpoints %1 - ::BareMetal + QtC::BareMetal Work directory: Робоча тека: @@ -39660,7 +39660,7 @@ Affected are breakpoints %1 - ::Bazaar + QtC::Bazaar &Annotate %1 @@ -39671,7 +39671,7 @@ Affected are breakpoints %1 - ::Core + QtC::Core Edit Environment Changes Редагування змін середовища @@ -39722,7 +39722,7 @@ Affected are breakpoints %1 - ::CppEditor + QtC::CppEditor Create Getter and Setter Member Functions Створити функції-члени для отримання та встановлення значення @@ -39757,7 +39757,7 @@ Affected are breakpoints %1 - ::Debugger + QtC::Debugger Debugged executable Виконуваний модуль для зневадження @@ -40041,7 +40041,7 @@ Setting breakpoints by file name and line number may fail. - ::DiffEditor + QtC::DiffEditor Context lines: Контекстні рядки: @@ -40160,7 +40160,7 @@ Setting breakpoints by file name and line number may fail. - ::Mercurial + QtC::Mercurial &Annotate %1 @@ -40171,14 +40171,14 @@ Setting breakpoints by file name and line number may fail. - ::ProjectExplorer + QtC::ProjectExplorer <b>Warning:</b> This file is outside the project directory. <b>Попередження:</b> Файл знаходиться поза текою проекту. - ::QbsProjectManager + QtC::QbsProjectManager Qbs Qbs @@ -40205,7 +40205,7 @@ Setting breakpoints by file name and line number may fail. - ::QmakeProjectManager + QtC::QmakeProjectManager Failed Збій @@ -40228,7 +40228,7 @@ Setting breakpoints by file name and line number may fail. - ::QmlProfiler + QtC::QmlProfiler Duration Тривалість @@ -40251,14 +40251,14 @@ Setting breakpoints by file name and line number may fail. - ::ResourceEditor + QtC::ResourceEditor %1 Prefix: %2 %1 Префікс: %2 - ::Subversion + QtC::Subversion Verbose Детально @@ -40292,7 +40292,7 @@ Setting breakpoints by file name and line number may fail. - ::TextEditor + QtC::TextEditor &Undo &Повернути @@ -40727,7 +40727,7 @@ Setting breakpoints by file name and line number may fail. - ::Todo + QtC::Todo Excluded Files Виключені файли @@ -40754,7 +40754,7 @@ Setting breakpoints by file name and line number may fail. - ::Utils + QtC::Utils UNKNOWN НЕВІДОМО @@ -40789,7 +40789,7 @@ Setting breakpoints by file name and line number may fail. - ::Android + QtC::Android OpenGL enabled OpenGL увімкнено @@ -40800,7 +40800,7 @@ Setting breakpoints by file name and line number may fail. - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Tool: Інструмент CMake: @@ -40899,7 +40899,7 @@ Setting breakpoints by file name and line number may fail. - ::Core + QtC::Core Keyboard Shortcuts Клавіатурні скорочення @@ -40966,14 +40966,14 @@ Setting breakpoints by file name and line number may fail. - ::Debugger + QtC::Debugger Anonymous Function Анонімна функція - ::ImageViewer + QtC::ImageViewer Image format not supported. Формат зображення не підтримується. @@ -40988,7 +40988,7 @@ Setting breakpoints by file name and line number may fail. - ::ProjectExplorer + QtC::ProjectExplorer Feature list is set and not of type list. Список функціональностей не заданий або не є списком. @@ -41043,7 +41043,7 @@ Setting breakpoints by file name and line number may fail. - ::Python + QtC::Python Run %1 Запустити %1 @@ -41090,7 +41090,7 @@ Setting breakpoints by file name and line number may fail. - ::QmlProfiler + QtC::QmlProfiler Could not connect to the in-process QML debugger: %1 @@ -41285,7 +41285,7 @@ Output: - ::UpdateInfo + QtC::UpdateInfo Daily Щоденно @@ -41312,7 +41312,7 @@ Output: - ::VcsBase + QtC::VcsBase Working... Виконання... @@ -41371,7 +41371,7 @@ Output: - ::Core + QtC::Core System Система @@ -41579,7 +41579,7 @@ Output: - ::QmlProfiler + QtC::QmlProfiler Flush data while profiling: @@ -41638,7 +41638,7 @@ the program. - ::qmt + QtC::qmt Change Змінити @@ -42069,14 +42069,14 @@ the program. - ::Utils + QtC::Utils Cannot create OpenGL context. Неможливо створити контекст OpenGL. - ::CMakeProjectManager + QtC::CMakeProjectManager Internal Error: No build configuration found in settings file. Внутрішня помилка: конфігурацію збірки не знайдено в файлі налаштувань. @@ -42087,7 +42087,7 @@ the program. - ::CppEditor + QtC::CppEditor The file name. Назва файлу. @@ -42098,14 +42098,14 @@ the program. - ::Debugger + QtC::Debugger Debugger Toolbar Панель зневаджувача - ::ModelEditor + QtC::ModelEditor &Remove &Прибрати @@ -42284,7 +42284,7 @@ the program. - ::ProjectExplorer + QtC::ProjectExplorer Synchronize configuration Синхронізувати конфігурацію @@ -42521,7 +42521,7 @@ the program. - ::QmlJSEditor + QtC::QmlJSEditor This file should only be edited in <b>Design</b> mode. Це файл можна редагувати лише в режимі <b>дизайну</b>. @@ -42532,7 +42532,7 @@ the program. - ::QmlProfiler + QtC::QmlProfiler Analyzer Аналізатор @@ -42543,7 +42543,7 @@ the program. - ::Autotest + QtC::Autotest Form Форма @@ -42740,7 +42740,7 @@ the program. - ::CppEditor + QtC::CppEditor Configuration to use: Використовувати конфігурацію: @@ -42771,7 +42771,7 @@ the program. - ::QbsProjectManager + QtC::QbsProjectManager Qbs version: Версія Qbs: @@ -42809,7 +42809,7 @@ the program. - ::Tracing + QtC::Tracing Details Деталі @@ -42848,10 +42848,10 @@ the program. - ::ProjectExplorer + QtC::ProjectExplorer - ::qmt + QtC::qmt Create Diagram Створити діаграму @@ -42930,7 +42930,7 @@ the program. - ::Autotest + QtC::Autotest <unnamed> <без назви> @@ -43428,7 +43428,7 @@ Please set a real Clang executable. - ::CMakeProjectManager + QtC::CMakeProjectManager The build directory is not for %1 Тека збірки не для %1 @@ -43582,14 +43582,14 @@ Please set a real Clang executable. - ::Core + QtC::Core The theme change will take effect after a restart of Qt Creator. Зміна теми стане чинною після перезапуску Qt Creator. - ::CppEditor + QtC::CppEditor Warnings for questionable constructs Попередження про сумнівні конструкції @@ -43608,7 +43608,7 @@ Please set a real Clang executable. - ::Debugger + QtC::Debugger Use Customized Settings Вживати налаштування користувача @@ -43671,7 +43671,7 @@ Please set a real Clang executable. - ::Utils + QtC::Utils Views Види @@ -43690,7 +43690,7 @@ Please set a real Clang executable. - ::Debugger + QtC::Debugger Cannot start %1 without a project. Please open the project and try again. Неможливо запустити %1 проекту. Будь ласка, відкрийте проект та спробуйте знову. @@ -43742,7 +43742,7 @@ Please set a real Clang executable. - ::Git + QtC::Git &Use Git Grep @@ -43775,7 +43775,7 @@ Leave empty to search through the file system. - ::ImageViewer + QtC::ImageViewer File: Файл: @@ -43869,7 +43869,7 @@ Would you like to overwrite it? - ::ModelEditor + QtC::ModelEditor Select Custom Configuration Folder Оберіть теку для налаштувань користувача @@ -43884,7 +43884,7 @@ Would you like to overwrite it? - ::ProjectExplorer + QtC::ProjectExplorer Initialization: Ініціалізація: @@ -43935,7 +43935,7 @@ These files are preserved. - ::QmlProfiler + QtC::QmlProfiler No executable file to launch. Немає виконуваного модуля для запуску. @@ -44203,14 +44203,14 @@ references to elements in other files, loops, and so on.) - ::QtSupport + QtC::QtSupport [Inexact] [Неточно] - ::Valgrind + QtC::Valgrind Valgrind Function Profiler uses the Callgrind tool to record function calls when a program runs. diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index da8fa46d63b..b337b72bf94 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -207,7 +207,7 @@ - ::CppEditor + QtC::CppEditor Member Function Implementations 成员函数实现 @@ -272,14 +272,14 @@ - ::Debugger + QtC::Debugger Analyzer 分析器 - ::Android + QtC::Android Create new AVD 创建新AVD @@ -2293,7 +2293,7 @@ the manifest file by overriding your settings. Allow override? - ::Autotest + QtC::Autotest Testing 测试 @@ -3548,7 +3548,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::AutotoolsProjectManager + QtC::AutotoolsProjectManager Arguments: 参数: @@ -3601,7 +3601,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::BareMetal + QtC::BareMetal Cannot debug: Kit has no device. @@ -4314,14 +4314,14 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::Core + QtC::Core Unable to create the directory %1. 无法创建目录 %1。 - ::LanguageServerProtocol + QtC::LanguageServerProtocol Cannot decode content with "%1". Falling back to "%2". @@ -4332,7 +4332,7 @@ Warning: this is an experimental feature and might lead to failing to execute th - ::Bazaar + QtC::Bazaar General Information 概要信息 @@ -4757,7 +4757,7 @@ Local pulls are not applied to the master branch. - ::Beautifier + QtC::Beautifier Bea&utifier @@ -4998,7 +4998,7 @@ Local pulls are not applied to the master branch. - ::BinEditor + QtC::BinEditor Cannot open %1: %2 无法打开%1 : %2 @@ -5133,7 +5133,7 @@ Local pulls are not applied to the master branch. - ::BinEditor + QtC::BinEditor &Undo 撤销(&U) @@ -5217,7 +5217,7 @@ Local pulls are not applied to the master branch. - ::Bookmarks + QtC::Bookmarks Bookmarks 书签 @@ -5336,14 +5336,14 @@ Local pulls are not applied to the master branch. - ::Qdb + QtC::Qdb Boot2Qt: %1 - ::BuildConfiguration + QtC::BuildConfiguration Release The name of the release build configuration created by default for a qmake project. @@ -5439,7 +5439,7 @@ Local pulls are not applied to the master branch. - ::CMakeProjectManager + QtC::CMakeProjectManager Clear system environment 清除系统环境变量 @@ -6423,7 +6423,7 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel - ::CppEditor + QtC::CppEditor Only virtual functions can be marked 'final' @@ -6442,7 +6442,7 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel - ::CVS + QtC::CVS Annotate revision "%1" 注释修订版本 "%1" @@ -6806,14 +6806,14 @@ Make sure that CMAKE_BUILD_TYPE variable matches the "Build type" fiel - ::ClangTools + QtC::ClangTools Custom Configuration - ::ClangCodeModel + QtC::ClangCodeModel Component @@ -6930,7 +6930,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::CppEditor + QtC::CppEditor Default Clang-Tidy and Clazy checks @@ -6945,7 +6945,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangCodeModel + QtC::ClangCodeModel [Source: %1] @@ -6960,7 +6960,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangFormat + QtC::ClangFormat Clang-Format Style @@ -7019,7 +7019,7 @@ However, using the relaxed and extended rules means also that no highlighting/co - ::ClangTools + QtC::ClangTools Category: @@ -7595,7 +7595,7 @@ Set a valid executable first. - ::ClangCodeModel + QtC::ClangCodeModel Could not retrieve build directory. @@ -7623,7 +7623,7 @@ Set a valid executable first. - ::ClassView + QtC::ClassView Show Subprojects 显示子项目 @@ -7634,7 +7634,7 @@ Set a valid executable first. - ::ClearCase + QtC::ClearCase Check Out Check Out @@ -8104,7 +8104,7 @@ Set a valid executable first. - ::Coco + QtC::Coco Select a Squish Coco CoverageBrowser Executable @@ -8127,7 +8127,7 @@ Set a valid executable first. - ::CodePaster + QtC::CodePaster &Code Pasting 粘贴代码(&C) @@ -8310,7 +8310,7 @@ Set a valid executable first. - ::ProjectExplorer + QtC::ProjectExplorer Code Style 代码风格 @@ -8339,7 +8339,7 @@ Set a valid executable first. - ::CompilationDatabaseProjectManager + QtC::CompilationDatabaseProjectManager Change Root Directory @@ -8361,7 +8361,7 @@ Set a valid executable first. - ::Conan + QtC::Conan Conan install @@ -8384,7 +8384,7 @@ Set a valid executable first. - ::Help + QtC::Help Open Link 打开链接 @@ -8395,7 +8395,7 @@ Set a valid executable first. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text 文本 @@ -8470,7 +8470,7 @@ Set a valid executable first. - ::Core + QtC::Core Qt Qt @@ -11258,7 +11258,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Too few arguments @@ -12817,7 +12817,7 @@ e.g. name = "m_test_foo_": - ::Cppcheck + QtC::Cppcheck Cppcheck @@ -13037,7 +13037,7 @@ Collecting backtrace aborted by user. - ::CtfVisualizer + QtC::CtfVisualizer Title 标题 @@ -13193,7 +13193,7 @@ Do you want to display them anyway? - ::ProjectExplorer + QtC::ProjectExplorer Custom @@ -13216,7 +13216,7 @@ Do you want to display them anyway? - ::Debugger + QtC::Debugger General 概要 @@ -17576,7 +17576,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency 无法添加依赖关系 @@ -17591,7 +17591,7 @@ Stepping into the module or setting breakpoints by file and line is expected to - ::Designer + QtC::Designer Designer 设计师 @@ -17833,7 +17833,7 @@ Rebuilding the project might help. - ::Ios + QtC::Ios %1 - Free Provisioning Team : %2 @@ -17848,7 +17848,7 @@ Rebuilding the project might help. - ::Utils + QtC::Utils Delete 删除 @@ -17863,7 +17863,7 @@ Rebuilding the project might help. - ::DiffEditor + QtC::DiffEditor Diff Editor @@ -18044,7 +18044,7 @@ Rebuilding the project might help. - ::Docker + QtC::Docker Checking docker daemon @@ -18252,7 +18252,7 @@ Rebuilding the project might help. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Dialog 对话框 @@ -18326,14 +18326,14 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer Editor 编辑器 - ::EmacsKeys + QtC::EmacsKeys Delete Character @@ -18427,7 +18427,7 @@ Rebuilding the project might help. - ::ProjectExplorer + QtC::ProjectExplorer Environment 环境 @@ -18450,7 +18450,7 @@ Rebuilding the project might help. - ::ExtensionSystem + QtC::ExtensionSystem Name: 名称: @@ -18762,7 +18762,7 @@ will also disable the following plugins: - ::FakeVim + QtC::FakeVim Use FakeVim 使用FakeVim @@ -19166,14 +19166,14 @@ will also disable the following plugins: - ::TextEditor + QtC::TextEditor Unused variable 未使用的变量 - ::CppEditor + QtC::CppEditor Constructor @@ -19249,7 +19249,7 @@ Use drag and drop to change the order of the parameters. - ::GenericProjectManager + QtC::GenericProjectManager Files 文件 @@ -19300,7 +19300,7 @@ Use drag and drop to change the order of the parameters. - ::Git + QtC::Git Certificate Error @@ -21420,7 +21420,7 @@ Remote: %4 - ::GitLab + QtC::GitLab Clone Repository @@ -21669,7 +21669,7 @@ Note: This can expose you to man-in-the-middle attack. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -21718,7 +21718,7 @@ Note: This can expose you to man-in-the-middle attack. - ::Help + QtC::Help Documentation 文档 @@ -22214,7 +22214,7 @@ Note: This can expose you to man-in-the-middle attack. - ::Valgrind + QtC::Valgrind Process %1 进程%1 @@ -22421,7 +22421,7 @@ Note: This can expose you to man-in-the-middle attack. - ::ImageViewer + QtC::ImageViewer Image Viewer 图像查看器 @@ -22600,7 +22600,7 @@ Would you like to overwrite them? - ::IncrediBuild + QtC::IncrediBuild IncrediBuild for Windows @@ -22850,7 +22850,7 @@ Id必须以小写字母开头。 - ::Ios + QtC::Ios Deploy on iOS @@ -23410,7 +23410,7 @@ Error: %5 - ::LanguageServerProtocol + QtC::LanguageServerProtocol Could not parse JSON message "%1". @@ -23421,7 +23421,7 @@ Error: %5 - ::Utils + QtC::Utils Null @@ -23465,7 +23465,7 @@ Error: %5 - ::LanguageClient + QtC::LanguageClient Language Client @@ -23680,7 +23680,7 @@ Error: %5 - ::LanguageServerProtocol + QtC::LanguageServerProtocol No parameters in "%1". @@ -23691,14 +23691,14 @@ Error: %5 - ::Core + QtC::Core Locator 定位器 - ::ClangTools + QtC::ClangTools File "%1" does not exist or is not readable. @@ -23709,7 +23709,7 @@ Error: %5 - ::Core + QtC::Core Logging Category Viewer @@ -23808,7 +23808,7 @@ Error: %5 - ::LanguageClient + QtC::LanguageClient Capabilities: 能力: @@ -23847,7 +23847,7 @@ Error: %5 - ::Macros + QtC::Macros Macros @@ -24036,7 +24036,7 @@ Error: %5 - ::Marketplace + QtC::Marketplace Marketplace @@ -24051,7 +24051,7 @@ Error: %5 - ::McuSupport + QtC::McuSupport Flash and run CMake parameters: @@ -24294,7 +24294,7 @@ Error: %5 - ::Mercurial + QtC::Mercurial General Information 概要信息 @@ -24610,7 +24610,7 @@ Error: %5 - ::MesonProjectManager + QtC::MesonProjectManager Key 密钥 @@ -24823,7 +24823,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::LanguageClient + QtC::LanguageClient Select MIME Types @@ -24834,7 +24834,7 @@ Useful if build directory is corrupted or when rebuilding with a newer version o - ::ModelEditor + QtC::ModelEditor Zoom: %1% @@ -25111,7 +25111,7 @@ Error: - ::ModelEditor + QtC::ModelEditor Modeling @@ -25136,7 +25136,7 @@ Error: - ::Nim + QtC::Nim Nim @@ -25273,7 +25273,7 @@ Error: - ::Core + QtC::Core Meta+O Meta+O @@ -25401,7 +25401,7 @@ Error: - ::PerfProfiler + QtC::PerfProfiler Samples @@ -25979,7 +25979,7 @@ You might find further explanations in the Application Output view. - ::Perforce + QtC::Perforce Change Number Change编号 @@ -26459,7 +26459,7 @@ You might find further explanations in the Application Output view. - ::ExtensionSystem + QtC::ExtensionSystem Unknown option %1 未知选项 %1 @@ -26554,7 +26554,7 @@ You might find further explanations in the Application Output view. - ::QtSupport + QtC::QtSupport [Inexact] Prefix used for output from the cumulative evaluation of project files. @@ -26562,7 +26562,7 @@ You might find further explanations in the Application Output view. - ::ProjectExplorer + QtC::ProjectExplorer Project Environment @@ -30355,7 +30355,7 @@ Expiration date: %3 - ::Python + QtC::Python Install %1 @@ -30802,14 +30802,14 @@ Are you sure? - ::Android + QtC::Android Images (*.png *.jpg *.jpeg) - ::QbsProjectManager + QtC::QbsProjectManager Custom Properties @@ -31174,7 +31174,7 @@ The affected files are: - ::Qdb + QtC::Qdb Flash wizard "%1" failed to start. @@ -31373,7 +31373,7 @@ The affected files are: - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Designer is not responding (%1). Qt设计师无响应 (%1)。 @@ -32137,7 +32137,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 @@ -32171,7 +32171,7 @@ Please update your kit (%3) or choose a mkspec for qmake that matches your targe - ::QmlDesigner + QtC::QmlDesigner Error 错误 @@ -32656,7 +32656,7 @@ Exporting assets: %2 - ::QmlProjectManager + QtC::QmlProjectManager Export as Latest Project Format @@ -33185,7 +33185,7 @@ The new project can be opened in Qt Creator using the main CMakeLists.txt file.< - ::QmlProjectManager + QtC::QmlProjectManager Select Files to Generate @@ -35691,7 +35691,7 @@ Locked components cannot be modified or selected. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. 隐藏这个工具条. @@ -35722,14 +35722,14 @@ Locked components cannot be modified or selected. - ::Debugger + QtC::Debugger Anonymous Function 匿名函数 - ::QmlJS + QtC::QmlJS package import requires a version number 导入包需要版本号 @@ -35859,7 +35859,7 @@ Please build the qmldump application on the Qt version options page. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 XML 错误 在第 %1行, %2列: %3 @@ -35870,7 +35870,7 @@ Please build the qmldump application on the Qt version options page. - ::QmlJS + QtC::QmlJS Cannot find file %1. @@ -36363,7 +36363,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::QmlJSEditor + QtC::QmlJSEditor Run Checks 运行检查 @@ -36582,7 +36582,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::QmlJSTools + QtC::QmlJSTools Code Style 代码风格 @@ -36621,7 +36621,7 @@ For more information, see the "Checking Code Syntax" documentation. - ::QmlJS + QtC::QmlJS The type will only be available in the QML editors when the type name is a string literal. @@ -36638,7 +36638,7 @@ the QML editor know about a likely URI. - ::QmlJSTools + QtC::QmlJSTools Global Settings @@ -36646,7 +36646,7 @@ the QML editor know about a likely URI. - ::QmlProjectManager + QtC::QmlProjectManager <Current File> <当前文件> @@ -36756,7 +36756,7 @@ the QML editor know about a likely URI. - ::QmlPreview + QtC::QmlPreview QML Preview @@ -36767,7 +36767,7 @@ the QML editor know about a likely URI. - ::QmlProfiler + QtC::QmlProfiler QML Profiler QML 分析器(Profiler) @@ -37600,7 +37600,7 @@ Saving failed. - ::QmlProjectManager + QtC::QmlProjectManager Qt Design Studio @@ -37709,7 +37709,7 @@ Qt Design Studio requires a .qmlproject based project to open the .ui.qml file.< - ::Qnx + QtC::Qnx Deploy to QNX Device 部署到QNX设备 @@ -37962,7 +37962,7 @@ Are you sure you want to continue? - ::Debugger + QtC::Debugger ptrace: Operation not permitted. @@ -37999,14 +37999,14 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::McuSupport + QtC::McuSupport Qt for MCUs: %1 - ::QtSupport + QtC::QtSupport No qmake path set 没有设置qmake路径 @@ -38593,7 +38593,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::Qdb + QtC::Qdb Boot2Qt Qt version is used for Boot2Qt development @@ -38601,7 +38601,7 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::CppEditor + QtC::CppEditor Extract Function 解压缩函数 @@ -38647,14 +38647,14 @@ For more details, see /etc/sysctl.d/10-ptrace.conf - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. - ::RemoteLinux + QtC::RemoteLinux Default 默认 @@ -39468,7 +39468,7 @@ Control process failed to start. - ::ResourceEditor + QtC::ResourceEditor &Undo 撤销(&U) @@ -39673,7 +39673,7 @@ Control process failed to start. - ::ScxmlEditor + QtC::ScxmlEditor Basic Colors @@ -40361,7 +40361,7 @@ Row: %4, Column: %5 - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1: %2. @@ -40565,7 +40565,7 @@ Row: %4, Column: %5 - ::TextEditor + QtC::TextEditor Expected delimiter after mangler ID. @@ -40602,7 +40602,7 @@ Row: %4, Column: %5 - ::Squish + QtC::Squish Details 详情 @@ -41335,7 +41335,7 @@ Failed to open file "%1" - ::Utils + QtC::Utils Elapsed time: %1. @@ -41462,7 +41462,7 @@ Failed to open file "%1" - ::Subversion + QtC::Subversion Annotate revision "%1" 注释修订版本 "%1" @@ -41725,7 +41725,7 @@ Failed to open file "%1" - ::LanguageClient + QtC::LanguageClient Find References with %1 for: @@ -41877,7 +41877,7 @@ Failed to open file "%1" - ::ProjectExplorer + QtC::ProjectExplorer No kit defined in this project. 项目中未定义构建套件(Kit)。 @@ -42062,7 +42062,7 @@ Failed to open file "%1" - ::TextEditor + QtC::TextEditor Text Editor 文本编辑器 @@ -44677,7 +44677,7 @@ Will not be applied to whitespace in comments and strings. - ::Todo + QtC::Todo Keyword 关键字 @@ -44801,7 +44801,7 @@ Will not be applied to whitespace in comments and strings. - ::Help + QtC::Help Choose a topic for <b>%1</b>: 为<b>%1</b>选择一个标题: @@ -44812,7 +44812,7 @@ Will not be applied to whitespace in comments and strings. - ::Tracing + QtC::Tracing Duration 持续时间 @@ -44896,7 +44896,7 @@ The trace data is lost. - ::UpdateInfo + QtC::UpdateInfo Qt Maintenance Tool @@ -45021,7 +45021,7 @@ The trace data is lost. - ::Utils + QtC::Utils File format not supported. @@ -45931,7 +45931,7 @@ To disable a variable, prefix the line with "#". - ::VcsBase + QtC::VcsBase CVS Commit Editor CVS提交编辑器 @@ -46058,7 +46058,7 @@ To disable a variable, prefix the line with "#". - ::Valgrind + QtC::Valgrind Function: 函数: @@ -46915,7 +46915,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Version Control 版本控制 @@ -47416,7 +47416,7 @@ What do you want to do? - ::CppEditor + QtC::CppEditor collecting overrides ... @@ -47430,7 +47430,7 @@ What do you want to do? - ::WebAssembly + QtC::WebAssembly Web Browser @@ -47518,7 +47518,7 @@ What do you want to do? - ::Welcome + QtC::Welcome Create Project... 创建项目... @@ -47798,7 +47798,7 @@ What do you want to do? - ::qmt + QtC::qmt Show Definition diff --git a/share/qtcreator/translations/qtcreator_zh_TW.ts b/share/qtcreator/translations/qtcreator_zh_TW.ts index 69204c31a0f..1be2da028e4 100644 --- a/share/qtcreator/translations/qtcreator_zh_TW.ts +++ b/share/qtcreator/translations/qtcreator_zh_TW.ts @@ -21,7 +21,7 @@ - ::BinEditor + QtC::BinEditor &Undo 復原(&U) @@ -32,7 +32,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark 新增書籤 @@ -159,7 +159,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Build 建置 @@ -327,7 +327,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <選擇符號> @@ -338,7 +338,7 @@ - ::CodePaster + QtC::CodePaster &Code Pasting 貼上代碼(&C) @@ -389,7 +389,7 @@ - ::Help + QtC::Help Open Link 開啟連結 @@ -400,7 +400,7 @@ - ::Core + QtC::Core File Generation Failure 產生檔案失敗 @@ -1188,7 +1188,7 @@ - ::Utils + QtC::Utils The class name must not contain namespace delimiters. 類別名稱不能包含命名空間分隔符。 @@ -1553,7 +1553,7 @@ - ::CppEditor + QtC::CppEditor Enter Class Name 輸入類別名稱 @@ -1776,7 +1776,7 @@ - ::Debugger + QtC::Debugger Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -3672,7 +3672,7 @@ at debugger startup. - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency 無法新增相依性 @@ -3683,7 +3683,7 @@ at debugger startup. - ::Designer + QtC::Designer The file name is empty. 檔名為空。 @@ -3906,7 +3906,7 @@ Rebuilding the project might help. - ::ExtensionSystem + QtC::ExtensionSystem Name: 名稱: @@ -4070,7 +4070,7 @@ Reason: %3 - ::FakeVim + QtC::FakeVim Use Vim-style Editing 使用 Vim 風格編輯 @@ -4314,7 +4314,7 @@ Reason: %3 - ::Core + QtC::Core &Search 搜尋(&S) @@ -4461,7 +4461,7 @@ Reason: %3 - ::GenericProjectManager + QtC::GenericProjectManager Build 建置 @@ -4533,7 +4533,7 @@ Reason: %3 - ::Git + QtC::Git Checkout 取出 @@ -5312,7 +5312,7 @@ Reason: %3 - ::Help + QtC::Help Print Document 列印文件 @@ -5640,7 +5640,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Core + QtC::Core Locator 定位器 @@ -5654,7 +5654,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Perforce + QtC::Perforce Change Number 變更數值 @@ -6109,7 +6109,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Core + QtC::Core Plugin Details of %1 外掛程式 %1 的詳情 @@ -6120,7 +6120,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' does not exist. 外掛程式 '%1' 不存在。 @@ -6203,7 +6203,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ProjectExplorer + QtC::ProjectExplorer Starting: "%1" %2 正在啟動:"%1" %2 @@ -6447,7 +6447,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::Core + QtC::Core File System 檔案系統 @@ -6466,7 +6466,7 @@ Add, modify, and remove document filters, which determine the documentation set - ::ProjectExplorer + QtC::ProjectExplorer Session Manager 工作階段管理器 @@ -7227,7 +7227,7 @@ to version control (%2)? - ::ResourceEditor + QtC::ResourceEditor Add 新增 @@ -7254,7 +7254,7 @@ to version control (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Console Application Qt4 主控台應用程式 @@ -7800,7 +7800,7 @@ Preselects a desktop Qt for building the application if available. - ::Core + QtC::Core Filter Configuration 過濾器設置 @@ -7943,7 +7943,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::ResourceEditor + QtC::ResourceEditor Qt Resource file Qt 資源檔 @@ -7986,7 +7986,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::Subversion + QtC::Subversion Authentication 認證 @@ -8261,7 +8261,7 @@ To do this, you type this shortcut and a space in the Locator entry field, and t - ::TextEditor + QtC::TextEditor Search 搜尋 @@ -9252,7 +9252,7 @@ Will not be applied to whitespace in comments and strings. - ::Help + QtC::Help Filter 過濾器 @@ -9279,7 +9279,7 @@ Will not be applied to whitespace in comments and strings. - ::VcsBase + QtC::VcsBase Version Control 版本控制 @@ -9362,14 +9362,14 @@ Will not be applied to whitespace in comments and strings. - ::Utils + QtC::Utils Do not ask again 不要再次詢問 - ::CVS + QtC::CVS CVS CVS @@ -9416,7 +9416,7 @@ Will not be applied to whitespace in comments and strings. - ::Designer + QtC::Designer Form 表單 @@ -9548,7 +9548,7 @@ Will not be applied to whitespace in comments and strings. - ::ProjectExplorer + QtC::ProjectExplorer Build and Run 建置和執行 @@ -9635,7 +9635,7 @@ Will not be applied to whitespace in comments and strings. - ::QmakeProjectManager + QtC::QmakeProjectManager Form 表單 @@ -9798,7 +9798,7 @@ Will not be applied to whitespace in comments and strings. - ::TextEditor + QtC::TextEditor Bold 粗體 @@ -9829,7 +9829,7 @@ Will not be applied to whitespace in comments and strings. - ::Utils + QtC::Utils Details 詳情 @@ -9879,14 +9879,14 @@ Will not be applied to whitespace in comments and strings. - ::Core + QtC::Core Preferences 喜好設定 - ::CodePaster + QtC::CodePaster No Server defined in the CodePaster preferences. 在 CodePaster 喜好設定中沒有定義伺服器。 @@ -9913,7 +9913,7 @@ Will not be applied to whitespace in comments and strings. - ::CppEditor + QtC::CppEditor Methods in Current Document 目前文件中的方法 @@ -9956,7 +9956,7 @@ Will not be applied to whitespace in comments and strings. - ::CVS + QtC::CVS Checks out a CVS repository and tries to load the contained project. 從 CVS 主目錄中取出,並試著載入裡面包含的專案。 @@ -10255,7 +10255,7 @@ Will not be applied to whitespace in comments and strings. - ::Debugger + QtC::Debugger Attached to core temporarily. 暫時附加到 core 檔。 @@ -10274,14 +10274,14 @@ Will not be applied to whitespace in comments and strings. - ::Designer + QtC::Designer untitled 未命名 - ::Git + QtC::Git Clones a Git repository and tries to load the contained project. 複製一個 Git 主目錄,並試著載入裡面包含的專案。 @@ -10360,7 +10360,7 @@ Will not be applied to whitespace in comments and strings. - ::Help + QtC::Help General Settings 一般設定 @@ -10503,7 +10503,7 @@ Will not be applied to whitespace in comments and strings. - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? 啟動程式失敗。路徑或者權限是否有錯誤? @@ -10572,7 +10572,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> <新類別> @@ -10647,7 +10647,7 @@ Reason: %2 - ::Subversion + QtC::Subversion Checks out a Subversion repository and tries to load the contained project. 從 Subversion 主目錄中取出,並試著載入裡面包含的專案。 @@ -10670,7 +10670,7 @@ Reason: %2 - ::TextEditor + QtC::TextEditor Not a color scheme file. 不是一個色彩機制檔。 @@ -10681,7 +10681,7 @@ Reason: %2 - ::VcsBase + QtC::VcsBase Cannot Open Project 無法開啟專案 @@ -10763,7 +10763,7 @@ Reason: %2 - ::Welcome + QtC::Welcome News && Support 新聞與支持 @@ -11024,7 +11024,7 @@ Reason: %2 - ::Mercurial + QtC::Mercurial General Information 一般資訊 @@ -11151,7 +11151,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Class name: 類別名稱: @@ -11198,7 +11198,7 @@ Reason: %2 - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake target 執行 CMake 目標 @@ -11213,7 +11213,7 @@ Reason: %2 - ::Core + QtC::Core Qt Qt @@ -11232,21 +11232,21 @@ Reason: %2 - ::CodePaster + QtC::CodePaster Code Pasting 貼上代碼 - ::Debugger + QtC::Debugger CDB CDB - ::Mercurial + QtC::Mercurial Clones a Mercurial repository and tries to load the contained project. 複製一個 Mercurial 主目錄,並試著載入裡面包含的專案。 @@ -11489,7 +11489,7 @@ Reason: %2 - ::Perforce + QtC::Perforce No executable specified 未指定執行檔 @@ -11525,7 +11525,7 @@ Reason: %2 - ::ProjectExplorer + QtC::ProjectExplorer Location 位置 @@ -11573,7 +11573,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Qt Versions Qt 版本 @@ -11584,7 +11584,7 @@ Reason: %2 - ::TextEditor + QtC::TextEditor Text Editor 文字編輯器 @@ -11595,7 +11595,7 @@ Reason: %2 - ::Git + QtC::Git Stashes 暫存檔 @@ -11691,7 +11691,7 @@ You can choose between stashing the changes or discarding them. - ::ProjectExplorer + QtC::ProjectExplorer DoubleTabWidget 雙標籤元件 @@ -11745,7 +11745,7 @@ You can choose between stashing the changes or discarding them. - ::RemoteLinux + QtC::RemoteLinux Self-signed certificate 自行簽署的憑證 @@ -11780,7 +11780,7 @@ You can choose between stashing the changes or discarding them. - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. 目錄 %1 無法被刪除。 @@ -11827,7 +11827,7 @@ You can choose between stashing the changes or discarding them. - ::ExtensionSystem + QtC::ExtensionSystem None @@ -11842,7 +11842,7 @@ You can choose between stashing the changes or discarding them. - ::QmlJS + QtC::QmlJS 'int' or 'real' 'int' 或 'real' @@ -11873,7 +11873,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Utils + QtC::Utils Location 位置 @@ -11920,7 +11920,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::BinEditor + QtC::BinEditor Memory at 0x%1 記憶體於 0x%1 @@ -12023,7 +12023,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::CMakeProjectManager + QtC::CMakeProjectManager Desktop CMake Default target display name @@ -12036,7 +12036,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Core + QtC::Core Command 指令 @@ -12067,7 +12067,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::CodePaster + QtC::CodePaster <Comment> <註解> @@ -12078,10 +12078,10 @@ For qmlproject projects, use the importPaths property to add import paths. - ::CppEditor + QtC::CppEditor - ::VcsBase + QtC::VcsBase CVS Commit Editor CVS 提交編輯器 @@ -12224,14 +12224,14 @@ For qmlproject projects, use the importPaths property to add import paths. - ::CVS + QtC::CVS Annotate revision "%1" 註記版本 "%1" - ::Designer + QtC::Designer This file can only be edited in <b>Design</b> mode. 此檔案只能在<b>設計</b>模式中編輯。 @@ -12246,7 +12246,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::FakeVim + QtC::FakeVim Ex Command Mapping Ex 指令映射 @@ -12265,7 +12265,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Core + QtC::Core &Find/Replace 搜尋/取代(&F) @@ -12284,7 +12284,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::GenericProjectManager + QtC::GenericProjectManager Make Make @@ -12307,7 +12307,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Git + QtC::Git Blame %1 "%1" 的提交紀錄 @@ -12318,7 +12318,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Help + QtC::Help Error loading: %1 @@ -12341,7 +12341,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Mercurial + QtC::Mercurial Annotate %1 最後註記 %1 @@ -12352,14 +12352,14 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Perforce + QtC::Perforce Annotate change list "%1" 註記變更列表 "%1" - ::ProjectExplorer + QtC::ProjectExplorer Build Display name of the build build step list. Used as part of the labels in the project window. @@ -12402,7 +12402,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::ProjectExplorer + QtC::ProjectExplorer Details Default short title for custom wizard page to be shown in the progress pane of the wizard. @@ -12533,7 +12533,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::ProjectExplorer + QtC::ProjectExplorer Dependencies 相依性 @@ -12559,7 +12559,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::Core + QtC::Core Open "%1" 開啟 "%1" @@ -12586,7 +12586,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::ProjectExplorer + QtC::ProjectExplorer Project 專案 @@ -12716,7 +12716,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -12724,7 +12724,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -12752,7 +12752,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -12886,7 +12886,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Open File 開啟檔案 @@ -13064,7 +13064,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlJSEditor + QtC::QmlJSEditor Creates a QML file. 建立一個 QML 檔案。 @@ -13139,7 +13139,7 @@ For qmlproject projects, use the importPaths property to add import paths. - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file %1. 載入專案檔案 %1 時發生錯誤。 @@ -13232,7 +13232,7 @@ Requires <b>Qt 4.7.4</b> or newer. - ::RemoteLinux + QtC::RemoteLinux Could not find make command '%1' in the build environment 在建置環境中找不到 make 指令 '%1' @@ -13340,7 +13340,7 @@ Requires <b>Qt 4.7.4</b> or newer. - ::QmakeProjectManager + QtC::QmakeProjectManager Evaluating 計算中 @@ -13363,7 +13363,7 @@ Requires <b>Qt 4.7.4</b> or newer. - ::QtSupport + QtC::QtSupport No qmake path set 沒有設定 qmake 路徑 @@ -13492,7 +13492,7 @@ Requires <b>Qt 4.7.4</b> or newer. - ::QmakeProjectManager + QtC::QmakeProjectManager Modules 模組 @@ -13527,14 +13527,14 @@ Requires <b>Qt 4.7.4</b> or newer. - ::Subversion + QtC::Subversion Annotate revision "%1" 註記版本 "%1" - ::VcsBase + QtC::VcsBase The file '%1' could not be deleted. 檔案 '%1' 無法被刪除。 @@ -13593,7 +13593,7 @@ Requires <b>Qt 4.7.4</b> or newer. - ::Utils + QtC::Utils Locked 已鎖定 @@ -13629,7 +13629,7 @@ with a password, which you can enter below. - ::CodePaster + QtC::CodePaster Cannot open %1: %2 無法開啟 %1:%2 @@ -13664,7 +13664,7 @@ with a password, which you can enter below. - ::ProjectExplorer + QtC::ProjectExplorer Enter the name of the session: 輸入工作階段的名稱: @@ -13675,7 +13675,7 @@ with a password, which you can enter below. - ::QmlJSEditor + QtC::QmlJSEditor Failed to preview Qt Quick file 預覽 Qt Quick 檔案失敗 @@ -13688,7 +13688,7 @@ with a password, which you can enter below. - ::Debugger + QtC::Debugger Unable to start pdb '%1': %2 無法啟動 pdb '%1':%2 @@ -13743,7 +13743,7 @@ with a password, which you can enter below. - ::ProjectExplorer + QtC::ProjectExplorer QmlDesigner::PropertyEditor @@ -13765,7 +13765,7 @@ with a password, which you can enter below. - ::RemoteLinux + QtC::RemoteLinux The Symbian SDK and the project sources must reside on the same drive. Symbian SDK 和專案源碼檔必須在同一個磁碟上。 @@ -13780,7 +13780,7 @@ with a password, which you can enter below. - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -13793,7 +13793,7 @@ with a password, which you can enter below. - ::QmakeProjectManager + QtC::QmakeProjectManager Qmake does not support build directories below the source directory. Qmake 不支援在源碼目錄下使用建置目錄。 @@ -13804,7 +13804,7 @@ with a password, which you can enter below. - ::CppEditor + QtC::CppEditor Rewrite Using %1 使用 %1 重寫 @@ -13903,7 +13903,7 @@ with a password, which you can enter below. - ::GenericProjectManager + QtC::GenericProjectManager Failed opening project '%1': Project already open 開啟專案 '%1' 失敗:專案已經被開啟 @@ -13970,7 +13970,7 @@ Ids must begin with a lowercase letter. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text 文字 @@ -14456,14 +14456,14 @@ Ids must begin with a lowercase letter. - ::Core + QtC::Core Unfiltered 未過濾 - ::FakeVim + QtC::FakeVim [New] [新增] @@ -14474,7 +14474,7 @@ Ids must begin with a lowercase letter. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Form 表單 @@ -14605,7 +14605,7 @@ Ids must begin with a lowercase letter. - ::ClassView + QtC::ClassView Form 表單 @@ -14616,7 +14616,7 @@ Ids must begin with a lowercase letter. - ::Help + QtC::Help Filter configuration 過濾器設置 @@ -14639,7 +14639,7 @@ Ids must begin with a lowercase letter. - ::ImageViewer + QtC::ImageViewer Image Viewer 影像檢視器 @@ -14658,7 +14658,7 @@ Ids must begin with a lowercase letter. - ::QmlJSEditor + QtC::QmlJSEditor Form 表單 @@ -14685,7 +14685,7 @@ Ids must begin with a lowercase letter. - ::QmakeProjectManager + QtC::QmakeProjectManager Library: 函式庫: @@ -14764,7 +14764,7 @@ Ids must begin with a lowercase letter. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. 隱藏此工具列。 @@ -14791,7 +14791,7 @@ Ids must begin with a lowercase letter. - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot 兩個數字應該由點分隔 @@ -14802,7 +14802,7 @@ Ids must begin with a lowercase letter. - ::ProjectExplorer + QtC::ProjectExplorer Cannot start process: %1 無法啟動行程:%1 @@ -14851,7 +14851,7 @@ Ids must begin with a lowercase letter. - ::Utils + QtC::Utils The command '%1' finished successfully. 指令 '%1' 已成功完成。 @@ -14890,14 +14890,14 @@ Ids must begin with a lowercase letter. - ::ClassView + QtC::ClassView Class View 類別檢視 - ::CMakeProjectManager + QtC::CMakeProjectManager Make Default display name for the cmake make step. @@ -14913,7 +14913,7 @@ Ids must begin with a lowercase letter. - ::Core + QtC::Core Activate %1 Pane 啟用 %1 窗格 @@ -14937,7 +14937,7 @@ Server list was %2. - ::CodePaster + QtC::CodePaster Checking connection 正在檢查連線 @@ -14948,7 +14948,7 @@ Server list was %2. - ::CppEditor + QtC::CppEditor Expected a namespace-name 預期應為命名空間名稱 @@ -15035,7 +15035,7 @@ Flags: %3 - ::Debugger + QtC::Debugger File name and line number 檔名與行號 @@ -15646,7 +15646,7 @@ Setting breakpoints by file name and line number may fail. - ::Git + QtC::Git Set the environment variable HOME to '%1' (%2). @@ -15671,7 +15671,7 @@ instead of its installation directory when run outside git bash. - ::Help + QtC::Help Show Sidebar 顯示邊列 @@ -15682,7 +15682,7 @@ instead of its installation directory when run outside git bash. - ::Core + QtC::Core Next Open Document in History 歷史紀錄中下一個開啟的檔案 @@ -15697,7 +15697,7 @@ instead of its installation directory when run outside git bash. - ::Help + QtC::Help Copy Full Path to Clipboard 複製完整路徑到剪貼簿 @@ -15708,7 +15708,7 @@ instead of its installation directory when run outside git bash. - ::ImageViewer + QtC::ImageViewer Zoom In 放大 @@ -15767,7 +15767,7 @@ instead of its installation directory when run outside git bash. - ::ProjectExplorer + QtC::ProjectExplorer %1 Steps %1 is the name returned by BuildStepList::displayName @@ -15910,7 +15910,7 @@ instead of its installation directory when run outside git bash. - ::QmlJSEditor + QtC::QmlJSEditor Move Component into separate file 將組件移到分離的檔案中 @@ -16021,7 +16021,7 @@ instead of its installation directory when run outside git bash. - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library 新增函式庫 @@ -16150,7 +16150,7 @@ Adds the library and include paths to the .pro file. - ::ProjectExplorer + QtC::ProjectExplorer qmldump could not be built in any of the directories: - %1 @@ -16170,7 +16170,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt for Desktop or Qt for Qt Simulator. 僅限 Qt 桌面版或者 Qt 模擬器版本使用。 @@ -16181,7 +16181,7 @@ Reason: %2 - ::ProjectExplorer + QtC::ProjectExplorer QMLObserver could not be built in any of the directories: - %1 @@ -16194,7 +16194,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Passphrase: 密碼片語: @@ -16213,7 +16213,7 @@ Reason: %2 - ::RemoteLinux + QtC::RemoteLinux Device: 裝置: @@ -16465,7 +16465,7 @@ Reason: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager SBSv2 build log SBSv2 建置紀錄 @@ -16505,7 +16505,7 @@ Preselects Qt for Simulator and mobile targets if available. - ::QmakeProjectManager + QtC::QmakeProjectManager The QML import path '%1' cannot be found. 找不到 QML 匯入路徑 '%1'。 @@ -16594,7 +16594,7 @@ Requires <b>Qt 4.7.0</b> or newer. - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring 停止監看 @@ -16622,7 +16622,7 @@ Requires <b>Qt 4.7.0</b> or newer. - ::TextEditor + QtC::TextEditor Generic Highlighter 一般突顯器 @@ -16751,7 +16751,7 @@ Please check the directory's access rights. - ::Bazaar + QtC::Bazaar General Information 一般資訊 @@ -16788,7 +16788,7 @@ Local commits are not pushed to the master branch until a normal commit is perfo - ::Bazaar + QtC::Bazaar Stacked 已堆疊 @@ -16843,7 +16843,7 @@ The new branch will depend on the availability of the source branch for all oper - ::Bazaar + QtC::Bazaar Form 表單 @@ -16902,7 +16902,7 @@ The new branch will depend on the availability of the source branch for all oper - ::Bazaar + QtC::Bazaar Dialog 對話框 @@ -16982,7 +16982,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Revert 還原 @@ -16997,7 +16997,7 @@ Local pulls are not applied to the master branch. - ::Core + QtC::Core Form 表單 @@ -17104,7 +17104,7 @@ Local pulls are not applied to the master branch. - ::Macros + QtC::Macros Form 表單 @@ -17147,7 +17147,7 @@ Local pulls are not applied to the master branch. - ::ProjectExplorer + QtC::ProjectExplorer Publishing Wizard Selection 選擇發佈精靈 @@ -17166,7 +17166,7 @@ Local pulls are not applied to the master branch. - ::QmakeProjectManager + QtC::QmakeProjectManager ARM &version: ARM 版本(&V): @@ -17205,7 +17205,7 @@ Local pulls are not applied to the master branch. - ::QmlJS + QtC::QmlJS Errors while loading qmltypes from %1: %2 @@ -17220,7 +17220,7 @@ Local pulls are not applied to the master branch. - ::Utils + QtC::Utils <UNSET> <未設定> @@ -17389,7 +17389,7 @@ Local pulls are not applied to the master branch. - ::Valgrind + QtC::Valgrind No errors found 沒有找到錯誤 @@ -17508,7 +17508,7 @@ Local pulls are not applied to the master branch. - ::Debugger + QtC::Debugger Analyzer 分析器 @@ -17580,7 +17580,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Annotate %1 最後註記 %1 @@ -17771,7 +17771,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Clones a Bazaar branch and tries to load the contained project. 複製一個 Bazaar 分支,並試著載入裡面包含的專案。 @@ -17782,7 +17782,7 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Location 位置 @@ -17797,24 +17797,24 @@ Local pulls are not applied to the master branch. - ::Bazaar + QtC::Bazaar Commit Editor 提交編輯器 - ::Bazaar + QtC::Bazaar Bazaar Command Bazaar 指令 - ::CMakeProjectManager + QtC::CMakeProjectManager - ::Core + QtC::Core Uncategorized 未分類 @@ -18068,7 +18068,7 @@ to version control (%2) - ::CppEditor + QtC::CppEditor Sort Alphabetically 按字母排序 @@ -18099,7 +18099,7 @@ to version control (%2) - ::Debugger + QtC::Debugger &Condition: 條件(&C): @@ -18730,7 +18730,7 @@ Do you want to retry? - ::Git + QtC::Git Use the patience algorithm for calculating the differences. 使用 patience 演算法來計算差異。 @@ -18785,7 +18785,7 @@ Do you want to retry? - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -18829,7 +18829,7 @@ Do you want to retry? - ::Macros + QtC::Macros Macros 巨集 @@ -18892,7 +18892,7 @@ Do you want to retry? - ::ProjectExplorer + QtC::ProjectExplorer GCC GCC @@ -19064,7 +19064,7 @@ QML component instance objects and properties directly. - ::QmlJSEditor + QtC::QmlJSEditor New %1 新增 %1 @@ -19110,7 +19110,7 @@ QML component instance objects and properties directly. - ::QmlJSTools + QtC::QmlJSTools Methods and Functions 方法和函式 @@ -19175,7 +19175,7 @@ Error: %2 - ::QmlProjectManager + QtC::QmlProjectManager Manage Qt versions... 管理 Qt 版本... @@ -19206,7 +19206,7 @@ Error: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager The target directory %1 could not be created. 目標目錄 %1 無法被建立。 @@ -19288,7 +19288,7 @@ Reason: %2 - ::RemoteLinux + QtC::RemoteLinux The certificate "%1" has already expired and cannot be used. Expiration date: %2. @@ -19534,7 +19534,7 @@ Your application will also be rejected by Nokia Store QA if you choose an unrele - ::QmakeProjectManager + QtC::QmakeProjectManager WINSCW WINSCW @@ -19558,7 +19558,7 @@ Your application will also be rejected by Nokia Store QA if you choose an unrele - ::QmakeProjectManager + QtC::QmakeProjectManager Add build from: 新增建置來源: @@ -19760,7 +19760,7 @@ You can build the application and deploy it on desktop and mobile target platfor - ::TextEditor + QtC::TextEditor CTRL+D CTRL+D @@ -19827,7 +19827,7 @@ You can build the application and deploy it on desktop and mobile target platfor - ::VcsBase + QtC::VcsBase Unable to start process '%1': %2 無法啟動行程 '%1':%2 @@ -19949,7 +19949,7 @@ You can build the application and deploy it on desktop and mobile target platfor - ::Macros + QtC::Macros AnchorButtons @@ -20037,7 +20037,7 @@ You can build the application and deploy it on desktop and mobile target platfor - ::CppEditor + QtC::CppEditor Form 表單 @@ -20206,7 +20206,7 @@ if (a && - ::Git + QtC::Git Dialog 對話框 @@ -20261,7 +20261,7 @@ if (a && - ::QmlProfiler + QtC::QmlProfiler QML Profiler QML 效能分析器 @@ -20284,7 +20284,7 @@ if (a && - ::QtSupport + QtC::QtSupport Used to extract QML type information from library-based plugins. 用於從基於函式庫的外掛程式中展開 QML 型態資訊。 @@ -20371,7 +20371,7 @@ if (a && - ::Valgrind + QtC::Valgrind Suppression File: Suppression 檔案: @@ -20526,7 +20526,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Configuration 設置 @@ -20537,7 +20537,7 @@ With cache simulation, further event counters are enabled: - ::Utils + QtC::Utils Refusing to remove root directory. 拒絕移除根目錄。 @@ -20643,7 +20643,7 @@ With cache simulation, further event counters are enabled: - ::Bazaar + QtC::Bazaar Ignore whitespace 忽略空白 @@ -20654,7 +20654,7 @@ With cache simulation, further event counters are enabled: - ::CMakeProjectManager + QtC::CMakeProjectManager Changes to cmake files are shown in the project tree after building. 建置之後在專案樹中顯示 cmake 檔的變化。 @@ -20665,7 +20665,7 @@ With cache simulation, further event counters are enabled: - ::Core + QtC::Core Overwrite Existing Files 覆寫現有檔案 @@ -20686,7 +20686,7 @@ Would you like to overwrite them? - ::CppEditor + QtC::CppEditor Global Settings @@ -20706,7 +20706,7 @@ Would you like to overwrite them? - ::CVS + QtC::CVS Ignore whitespace 忽略空白 @@ -20717,7 +20717,7 @@ Would you like to overwrite them? - ::Debugger + QtC::Debugger Previous 前一個 @@ -20732,7 +20732,7 @@ Would you like to overwrite them? - ::FakeVim + QtC::FakeVim Action 動作 @@ -20751,7 +20751,7 @@ Would you like to overwrite them? - ::GenericProjectManager + QtC::GenericProjectManager Hide files matching: 隱藏符合條件的檔案: @@ -20786,14 +20786,14 @@ These files are preserved. - ::Git + QtC::Git Local Branches 本地分支 - ::ImageViewer + QtC::ImageViewer Cannot open image file %1. 無法開啟影像檔 %1。 @@ -20808,7 +20808,7 @@ These files are preserved. - ::Mercurial + QtC::Mercurial Ignore whitespace 忽略空白 @@ -20819,14 +20819,14 @@ These files are preserved. - ::Perforce + QtC::Perforce Ignore whitespace 忽略空白 - ::ProjectExplorer + QtC::ProjectExplorer <custom> <自訂> @@ -20888,7 +20888,7 @@ These files are preserved. - ::ProjectExplorer + QtC::ProjectExplorer Project Settings @@ -21069,7 +21069,7 @@ These files are preserved. - ::QmlJSTools + QtC::QmlJSTools Code Style 代碼風格 @@ -21101,7 +21101,7 @@ These files are preserved. - ::QmlProfiler + QtC::QmlProfiler Application finished before loading profiled data. Please use the stop button instead. @@ -21260,7 +21260,7 @@ Do you want to retry? - ::QmlProjectManager + QtC::QmlProjectManager Starting %1 %2 @@ -21279,7 +21279,7 @@ Do you want to retry? - ::QmakeProjectManager + QtC::QmakeProjectManager No device is connected. Please connect a device and try again. @@ -21385,7 +21385,7 @@ Do you want to retry? - ::RemoteLinux + QtC::RemoteLinux Deploy %1 to Symbian device 將 %1 佈署至 Symbian 裝置 @@ -21463,7 +21463,7 @@ Do you want to retry? - ::QmakeProjectManager + QtC::QmakeProjectManager S60 SDK: S60 SDK: @@ -21498,7 +21498,7 @@ Do you want to retry? - ::QtSupport + QtC::QtSupport The compiler '%1' (%2) cannot produce code for the Qt version '%3' (%4). @@ -21658,7 +21658,7 @@ Do you want to retry? - ::RemoteLinux + QtC::RemoteLinux <no target path set> <沒有設定目標路徑> @@ -21880,14 +21880,14 @@ In addition, device connectivity will be tested. - ::Subversion + QtC::Subversion Ignore whitespace 忽略空白 - ::TextEditor + QtC::TextEditor %1 of %2 %1/%2 @@ -21898,7 +21898,7 @@ In addition, device connectivity will be tested. - ::Valgrind + QtC::Valgrind Profiling 效能分析中 @@ -22379,14 +22379,14 @@ In addition, device connectivity will be tested. - ::VcsBase + QtC::VcsBase Command used for reverting diff chunks 回復差異區塊的指令 - ::Welcome + QtC::Welcome Welcome 歡迎 @@ -22443,7 +22443,7 @@ In addition, device connectivity will be tested. - ::QmlProjectManager + QtC::QmlProjectManager Open Qt Versions 開啟 Qt 版本 @@ -22899,7 +22899,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::RemoteLinux + QtC::RemoteLinux Tarball creation not possible. 無法建立 Tarball 歸檔。 @@ -22910,7 +22910,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::ExtensionSystem + QtC::ExtensionSystem Qt Creator - Plugin loader messages Qt Creator - 外掛程式載入器訊息 @@ -22925,7 +22925,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::QmlProfiler + QtC::QmlProfiler Painting 繪製中 @@ -22948,7 +22948,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Tracing + QtC::Tracing Duration: 持續時間: @@ -22974,7 +22974,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::ExtensionSystem + QtC::ExtensionSystem Continue 繼續 @@ -23032,7 +23032,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Utils + QtC::Utils Password Required 需要密碼 @@ -23051,7 +23051,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Bazaar + QtC::Bazaar Verbose 詳細 @@ -23094,7 +23094,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Core + QtC::Core Launching a file browser failed 啟動檔案瀏覽器失敗 @@ -23180,7 +23180,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Debugger + QtC::Debugger C++ exception C++ 例外 @@ -23223,7 +23223,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::Core + QtC::Core Case sensitive 區分大小寫 @@ -23294,7 +23294,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::RemoteLinux + QtC::RemoteLinux Size should be %1x%2 pixels 大小應為 %1x%2 像素 @@ -23389,7 +23389,7 @@ To compile QML Observer, go to the Qt Versions page, select the current Qt versi - ::ProjectExplorer + QtC::ProjectExplorer Using Old Project Settings File 使用舊的專案設定檔 @@ -23432,14 +23432,14 @@ If you choose not to continue Qt Creator will not try to load the .shared file.< - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick - ::QmlJS + QtC::QmlJS The type will only be available in Qt Creator's QML editors when the type name is a string literal 此種類型名稱字串字面常數僅在 Qt Creator 中的 QML編輯器時可使用 @@ -23458,7 +23458,7 @@ Qt Creator 知道一個相似的URI. - ::QmakeProjectManager + QtC::QmakeProjectManager Headers 標頭 @@ -23529,7 +23529,7 @@ Qt Creator 知道一個相似的URI. - ::RemoteLinux + QtC::RemoteLinux No deployment action necessary. Skipping. 不需要執行佈署。將跳過。 @@ -24070,7 +24070,7 @@ Remote error output was: %1 - ::TextEditor + QtC::TextEditor Edit Code Style 編輯代碼風格 @@ -24166,7 +24166,7 @@ Filter: %2 - ::UpdateInfo + QtC::UpdateInfo Could not determine location of maintenance tool. Please check your installation if you did not enable this plugin manually. 無法決定維護工具所在位置。請檢查您的安裝,確定您是否沒有手動開啟此外掛程式的支援。 @@ -24185,14 +24185,14 @@ Filter: %2 - ::TextEditor + QtC::TextEditor Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. 編輯預覽內容來查看目前的設定如何套用到自訂代碼片段。在預覽中的變更並不會影響目前的設定。 - ::VcsBase + QtC::VcsBase '%1' failed (exit code %2). @@ -24270,7 +24270,7 @@ Filter: %2 - ::Core + QtC::Core Command Mappings 指令映射 @@ -24345,7 +24345,7 @@ Filter: %2 - ::CodePaster + QtC::CodePaster Form 表單 @@ -24449,7 +24449,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Header suffix: 標頭檔後置字串: @@ -24468,7 +24468,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Start Debugger 啟動除錯工具 @@ -24591,7 +24591,7 @@ p, li { white-space: pre-wrap; } - ::RemoteLinux + QtC::RemoteLinux Has a passwordless (key-based) login already been set up for this device? 此裝置是否已經設定使用金鑰登入而不需要密碼? @@ -24606,7 +24606,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Form 表單 @@ -24676,7 +24676,7 @@ p, li { white-space: pre-wrap; } - ::Tracing + QtC::Tracing Selection 選擇 @@ -24695,7 +24695,7 @@ p, li { white-space: pre-wrap; } - ::QmakeProjectManager + QtC::QmakeProjectManager Make arguments: Make 參數: @@ -24718,14 +24718,14 @@ p, li { white-space: pre-wrap; } - ::RemoteLinux + QtC::RemoteLinux Details of Certificate 憑證詳情 - ::QmakeProjectManager + QtC::QmakeProjectManager Main HTML File 主 HTML 檔案 @@ -24792,14 +24792,14 @@ p, li { white-space: pre-wrap; } - ::QtSupport + QtC::QtSupport Debugging Helper Build Log 除錯小助手建置紀錄 - ::RemoteLinux + QtC::RemoteLinux Authentication type: 認證型態: @@ -24954,7 +24954,7 @@ p, li { white-space: pre-wrap; } - ::TextEditor + QtC::TextEditor Form 表單 @@ -25361,7 +25361,7 @@ Influences the indentation of continuation lines. - ::Todo + QtC::Todo Form 表單 @@ -25400,7 +25400,7 @@ Influences the indentation of continuation lines. - ::VcsBase + QtC::VcsBase WizardPage 精靈頁面 @@ -25507,7 +25507,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Recent Projects 最近使用的專案 @@ -25522,7 +25522,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QtSupport + QtC::QtSupport Examples 範例 @@ -25596,7 +25596,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QtSupport + QtC::QtSupport Tutorials 教學 @@ -25629,7 +25629,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::ProjectExplorer + QtC::ProjectExplorer Clone 複製 @@ -25652,7 +25652,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::QmlJS + QtC::QmlJS do not use '%1' as a constructor 不要用 '%1' 做為建構子 @@ -25924,7 +25924,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Utils + QtC::Utils Add 新增 @@ -26037,7 +26037,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Android + QtC::Android Autogen Display name for AutotoolsProjectManager::AutogenStep id. @@ -26181,7 +26181,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. @@ -26196,14 +26196,14 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMake target 建置 CMake 目標 - ::Core + QtC::Core Error while saving file: %1 儲存檔案時發生錯誤:%1 @@ -26254,7 +26254,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::CppEditor + QtC::CppEditor Extract Function 展開函式 @@ -26273,7 +26273,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Debugger + QtC::Debugger Reset 重置 @@ -26372,7 +26372,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Git + QtC::Git untracked 未追蹤的 @@ -26415,7 +26415,7 @@ should a repository require SSH-authentication (see documentation on SSH and the - ::Core + QtC::Core Previous command is still running ('%1'). Do you want to kill it? @@ -26448,7 +26448,7 @@ Do you want to kill it? - ::ProjectExplorer + QtC::ProjectExplorer Edit Environment 編輯環境變數 @@ -26479,7 +26479,7 @@ Do you want to kill it? - ::QmlJSEditor + QtC::QmlJSEditor Add a comment to suppress this message 新增註解以抑制此訊息 @@ -26510,7 +26510,7 @@ Do you want to kill it? - ::QmlProfiler + QtC::QmlProfiler Location 位置 @@ -26634,7 +26634,7 @@ references to elements in other files, loops, etc.) - ::QmakeProjectManager + QtC::QmakeProjectManager Configure Project 設置專案 @@ -26665,7 +26665,7 @@ references to elements in other files, loops, etc.) - ::QtSupport + QtC::QtSupport Copy Project to writable Location? 是否要複製專案到可寫入的位置? @@ -26736,14 +26736,14 @@ references to elements in other files, loops, etc.) - ::RemoteLinux + QtC::RemoteLinux Double-click to edit the project file 雙擊以編輯專案檔 - ::TextEditor + QtC::TextEditor %1 found 找到 %1 @@ -26768,7 +26768,7 @@ references to elements in other files, loops, etc.) - ::Todo + QtC::Todo Description 描述 @@ -26783,7 +26783,7 @@ references to elements in other files, loops, etc.) - ::Todo + QtC::Todo To-Do Entries 待辦事項條目 @@ -26794,7 +26794,7 @@ references to elements in other files, loops, etc.) - ::VcsBase + QtC::VcsBase Open URL in browser... 在瀏覽器中打開網址... @@ -26908,7 +26908,7 @@ references to elements in other files, loops, etc.) - ::Android + QtC::Android Create new AVD @@ -27241,7 +27241,7 @@ This option is useful when you want to try your application on devices which don - ::ClearCase + QtC::ClearCase Check Out @@ -27383,7 +27383,7 @@ This option is useful when you want to try your application on devices which don - ::Core + QtC::Core Remove File 移除檔案 @@ -27402,7 +27402,7 @@ This option is useful when you want to try your application on devices which don - ::ProjectExplorer + QtC::ProjectExplorer Device Configuration Wizard Selection 裝置設置精靈選擇 @@ -27445,7 +27445,7 @@ This option is useful when you want to try your application on devices which don - ::Qnx + QtC::Qnx WizardPage 精靈頁面 @@ -27492,14 +27492,14 @@ This option is useful when you want to try your application on devices which don - ::Qnx + QtC::Qnx Packages to deploy: - ::Qnx + QtC::Qnx &Device name: @@ -27542,7 +27542,7 @@ This option is useful when you want to try your application on devices which don - ::Qnx + QtC::Qnx Device: 裝置: @@ -27568,7 +27568,7 @@ This option is useful when you want to try your application on devices which don - ::Todo + QtC::Todo Keyword 關鍵字 @@ -27595,7 +27595,7 @@ This option is useful when you want to try your application on devices which don - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -27820,7 +27820,7 @@ This option is useful when you want to try your application on devices which don - ::Utils + QtC::Utils Adjust Column Widths to Contents @@ -27976,7 +27976,7 @@ This option is useful when you want to try your application on devices which don - ::Android + QtC::Android Error Creating AVD @@ -28366,7 +28366,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::Bookmarks + QtC::Bookmarks Alt+Meta+M @@ -28377,7 +28377,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::ClearCase + QtC::ClearCase Select &activity: @@ -28735,7 +28735,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::CMakeProjectManager + QtC::CMakeProjectManager Choose Cmake Executable @@ -28762,7 +28762,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::Core + QtC::Core Meta+O @@ -28777,7 +28777,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes 目標檔案改變,無法套用變更 @@ -28796,7 +28796,7 @@ Please choose a valid package name for your application (e.g. "org.example. - ::Debugger + QtC::Debugger Delete Breakpoint 刪除中斷點 @@ -29000,14 +29000,14 @@ Please choose a valid package name for your application (e.g. "org.example. - ::ProjectExplorer + QtC::ProjectExplorer &Attach to Process - ::Debugger + QtC::Debugger Unable to create a debugger engine of the type '%1' 無法為型態 '%1' 建立除錯引擎 @@ -29542,7 +29542,7 @@ Stepping into the module or setting breakpoints by file and is expected to work. - ::Git + QtC::Git Gerrit %1@%2 @@ -29699,7 +29699,7 @@ Stepping into the module or setting breakpoints by file and is expected to work. - ::RemoteLinux + QtC::RemoteLinux Error Creating Debian Project Templates @@ -29786,7 +29786,7 @@ Do you want to add them to the project?</html> - ::Perforce + QtC::Perforce &Edit (%1) @@ -29797,7 +29797,7 @@ Do you want to add them to the project?</html> - ::ProjectExplorer + QtC::ProjectExplorer Run locally @@ -30080,7 +30080,7 @@ Remote stderr was: %1 - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal 此種類型名稱字串字面常數僅在 Qt Creator 中的 QML編輯器時可使用 @@ -30099,7 +30099,7 @@ Qt Creator 知道一個相似的URI. - ::QmlProfiler + QtC::QmlProfiler Source code not available 無法使用源碼 @@ -30182,7 +30182,7 @@ Qt Creator 知道一個相似的URI. - ::Qnx + QtC::Qnx Starting: "%1" %2 正在啟動:"%1" %2 @@ -30201,7 +30201,7 @@ Qt Creator 知道一個相似的URI. - ::QmakeProjectManager + QtC::QmakeProjectManager Manage... 管理... @@ -30226,7 +30226,7 @@ Qt Creator 知道一個相似的URI. - ::QtSupport + QtC::QtSupport Command: 指令: @@ -30264,7 +30264,7 @@ Qt Creator 知道一個相似的URI. - ::QtSupport + QtC::QtSupport System Environment 系統環境變數 @@ -30295,7 +30295,7 @@ Qt Creator 知道一個相似的URI. - ::ResourceEditor + QtC::ResourceEditor Add Files 新增檔案 diff --git a/src/libs/advanceddockingsystem/advanceddockingsystemtr.h b/src/libs/advanceddockingsystem/advanceddockingsystemtr.h index 2d1eccce1eb..9752e2f0253 100644 --- a/src/libs/advanceddockingsystem/advanceddockingsystemtr.h +++ b/src/libs/advanceddockingsystem/advanceddockingsystemtr.h @@ -9,7 +9,7 @@ namespace AdvancedDockingSystem { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::AdvancedDockingSystem) + Q_DECLARE_TR_FUNCTIONS(QtC::AdvancedDockingSystem) }; } // AdvancedDockingSystem diff --git a/src/libs/extensionsystem/extensionsystemtr.h b/src/libs/extensionsystem/extensionsystemtr.h index d254a886fed..5c70117aac5 100644 --- a/src/libs/extensionsystem/extensionsystemtr.h +++ b/src/libs/extensionsystem/extensionsystemtr.h @@ -9,7 +9,7 @@ namespace ExtensionSystem { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ExtensionSystem) + Q_DECLARE_TR_FUNCTIONS(QtC::ExtensionSystem) }; } // ExtensionSystem diff --git a/src/libs/languageserverprotocol/jsonrpcmessages.h b/src/libs/languageserverprotocol/jsonrpcmessages.h index 68e0e1fc192..0b018d7f54a 100644 --- a/src/libs/languageserverprotocol/jsonrpcmessages.h +++ b/src/libs/languageserverprotocol/jsonrpcmessages.h @@ -162,7 +162,7 @@ public: if (auto parameter = params()) return parameter->isValid(); if (errorMessage) - *errorMessage = QCoreApplication::translate("::LanguageServerProtocol", + *errorMessage = QCoreApplication::translate("QtC::LanguageServerProtocol", "No parameters in \"%1\".").arg(method()); return false; } @@ -253,7 +253,7 @@ public: CASE_ERRORCODES(ServerNotInitialized); CASE_ERRORCODES(RequestCancelled); default: - return QCoreApplication::translate("::LanguageClient", "Error %1").arg(code); + return QCoreApplication::translate("QtC::LanguageClient", "Error %1").arg(code); } } #undef CASE_ERRORCODES @@ -375,7 +375,7 @@ public: if (id().isValid()) return true; if (errorMessage) - *errorMessage = QCoreApplication::translate("::LanguageServerProtocol", + *errorMessage = QCoreApplication::translate("QtC::LanguageServerProtocol", "No ID set in \"%1\".").arg(this->method()); return false; } diff --git a/src/libs/languageserverprotocol/languageserverprotocoltr.h b/src/libs/languageserverprotocol/languageserverprotocoltr.h index 3b0f3d1677f..e5141127900 100644 --- a/src/libs/languageserverprotocol/languageserverprotocoltr.h +++ b/src/libs/languageserverprotocol/languageserverprotocoltr.h @@ -9,7 +9,7 @@ namespace LanguageServerProtocol { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::LanguageServerProtocol) + Q_DECLARE_TR_FUNCTIONS(QtC::LanguageServerProtocol) }; } // LanguageServerProtocol diff --git a/src/libs/modelinglib/modelinglibtr.h b/src/libs/modelinglib/modelinglibtr.h index 16fd273bee6..f4dadad4b81 100644 --- a/src/libs/modelinglib/modelinglibtr.h +++ b/src/libs/modelinglib/modelinglibtr.h @@ -9,7 +9,7 @@ namespace qmt { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::qmt) + Q_DECLARE_TR_FUNCTIONS(QtC::qmt) }; } // qmt diff --git a/src/libs/qmldebug/qmldebugtr.h b/src/libs/qmldebug/qmldebugtr.h index 43ca8e3aa92..b6ea2a1ab98 100644 --- a/src/libs/qmldebug/qmldebugtr.h +++ b/src/libs/qmldebug/qmldebugtr.h @@ -9,7 +9,7 @@ namespace QmlDebug { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlDebug) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlDebug) }; } // QmlDebug diff --git a/src/libs/qmleditorwidgets/qmleditorwidgetstr.h b/src/libs/qmleditorwidgets/qmleditorwidgetstr.h index 5e3c60d2415..8a5ea914704 100644 --- a/src/libs/qmleditorwidgets/qmleditorwidgetstr.h +++ b/src/libs/qmleditorwidgets/qmleditorwidgetstr.h @@ -9,7 +9,7 @@ namespace QmlEditorWidgets { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlEditorWidgets) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlEditorWidgets) }; } // QmlEditorWidgets diff --git a/src/libs/qmljs/qmljstr.h b/src/libs/qmljs/qmljstr.h index aa8e46f11ea..10c9a08f30f 100644 --- a/src/libs/qmljs/qmljstr.h +++ b/src/libs/qmljs/qmljstr.h @@ -9,7 +9,7 @@ namespace QmlJS { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlJS) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlJS) }; } // QmlJS diff --git a/src/libs/tracing/qml/ButtonsBar.qml b/src/libs/tracing/qml/ButtonsBar.qml index fd6a2ae76d6..f187539d5aa 100644 --- a/src/libs/tracing/qml/ButtonsBar.qml +++ b/src/libs/tracing/qml/ButtonsBar.qml @@ -47,7 +47,7 @@ ToolBar { Layout.fillHeight: true imageSource: "image://icons/prev" - ToolTip.text: qsTranslate("::Tracing", "Jump to previous event.") + ToolTip.text: qsTranslate("QtC::Tracing", "Jump to previous event.") onClicked: buttons.jumpToPrev() } @@ -56,7 +56,7 @@ ToolBar { Layout.fillHeight: true imageSource: "image://icons/next" - ToolTip.text: qsTranslate("::Tracing", "Jump to next event.") + ToolTip.text: qsTranslate("QtC::Tracing", "Jump to next event.") onClicked: buttons.jumpToNext() } @@ -65,7 +65,7 @@ ToolBar { Layout.fillHeight: true imageSource: "image://icons/zoom" - ToolTip.text: qsTranslate("::Tracing", "Show zoom slider.") + ToolTip.text: qsTranslate("QtC::Tracing", "Show zoom slider.") checkable: true checked: false onCheckedChanged: buttons.zoomControlChanged() @@ -76,7 +76,7 @@ ToolBar { Layout.fillHeight: true imageSource: "image://icons/" + (checked ? "rangeselected" : "rangeselection"); - ToolTip.text: qsTranslate("::Tracing", "Select range.") + ToolTip.text: qsTranslate("QtC::Tracing", "Select range.") checkable: true checked: false onCheckedChanged: buttons.rangeSelectChanged() @@ -87,7 +87,7 @@ ToolBar { Layout.fillHeight: true imageSource: "image://icons/selectionmode" - ToolTip.text: qsTranslate("::Tracing", "View event information on mouseover.") + ToolTip.text: qsTranslate("QtC::Tracing", "View event information on mouseover.") checkable: true checked: false onCheckedChanged: buttons.lockChanged() diff --git a/src/libs/tracing/qml/CategoryLabel.qml b/src/libs/tracing/qml/CategoryLabel.qml index 50ac6870371..4226195cbba 100644 --- a/src/libs/tracing/qml/CategoryLabel.qml +++ b/src/libs/tracing/qml/CategoryLabel.qml @@ -165,8 +165,8 @@ Item { implicitHeight: txt.height - 1 enabled: labelContainer.expanded || (labelContainer.model && !labelContainer.model.empty) imageSource: labelContainer.expanded ? "image://icons/close_split" : "image://icons/split" - ToolTip.text: labelContainer.expanded ? qsTranslate("::Tracing", "Collapse category") - : qsTranslate("::Tracing", "Expand category") + ToolTip.text: labelContainer.expanded ? qsTranslate("QtC::Tracing", "Collapse category") + : qsTranslate("QtC::Tracing", "Expand category") onClicked: labelContainer.model.expanded = !labelContainer.expanded } diff --git a/src/libs/tracing/qml/FlameGraphView.qml b/src/libs/tracing/qml/FlameGraphView.qml index 1f84e82ce75..065ce7d27bc 100644 --- a/src/libs/tracing/qml/FlameGraphView.qml +++ b/src/libs/tracing/qml/FlameGraphView.qml @@ -41,7 +41,7 @@ ScrollView { property var details: function(flameGraph) { return []; } property var summary: function(attached) { if (!attached.dataValid) - return qsTranslate("::Tracing", "others"); + return qsTranslate("QtC::Tracing", "others"); return attached.data(summaryRole) + " (" + percent(sizeRole, attached) + "%)"; } @@ -231,7 +231,7 @@ ScrollView { // and because FlameGraph.data(...) cannot be notified anyway. function title() { return FlameGraph.data(root.detailsTitleRole) - || qsTranslate("::Tracing", "unknown"); + || qsTranslate("QtC::Tracing", "unknown"); } function note() { @@ -271,7 +271,7 @@ ScrollView { if (currentNode) return currentNode.title(); else if (root.model === null || root.model.rowCount() === 0) - return qsTranslate("::Tracing", "No data available"); + return qsTranslate("QtC::Tracing", "No data available"); else return ""; } diff --git a/src/libs/tracing/qml/RangeDetails.qml b/src/libs/tracing/qml/RangeDetails.qml index 144d50c3d18..8c0e64f25c2 100644 --- a/src/libs/tracing/qml/RangeDetails.qml +++ b/src/libs/tracing/qml/RangeDetails.qml @@ -87,7 +87,7 @@ Item { implicitHeight: typeTitle.height visible: !rangeDetails.noteReadonly onClicked: noteEdit.focus = true - ToolTip.text: qsTranslate("::Tracing", "Edit note") + ToolTip.text: qsTranslate("QtC::Tracing", "Edit note") } ImageToolButton { @@ -97,7 +97,7 @@ Item { anchors.right: closeIcon.left implicitHeight: typeTitle.height onClicked: rangeDetails.locked = !rangeDetails.locked - ToolTip.text: qsTranslate("::Tracing", "View event information on mouseover.") + ToolTip.text: qsTranslate("QtC::Tracing", "View event information on mouseover.") } ImageToolButton { @@ -107,8 +107,8 @@ Item { implicitHeight: typeTitle.height imageSource: "image://icons/arrow" + (col.visible ? "up" : "down") onClicked: col.visible = !col.visible - ToolTip.text: col.visible ? qsTranslate("::Tracing", "Collapse") - : qsTranslate("::Tracing", "Expand") + ToolTip.text: col.visible ? qsTranslate("QtC::Tracing", "Collapse") + : qsTranslate("QtC::Tracing", "Expand") } } diff --git a/src/libs/tracing/qml/RowLabel.qml b/src/libs/tracing/qml/RowLabel.qml index 956fdc3b0f7..8ec6f6d3a43 100644 --- a/src/libs/tracing/qml/RowLabel.qml +++ b/src/libs/tracing/qml/RowLabel.qml @@ -15,7 +15,7 @@ Button { signal setRowHeight(int newHeight) property string labelText: label.description ? label.description - : qsTranslate("::Tracing", "[unknown]") + : qsTranslate("QtC::Tracing", "[unknown]") onPressed: selectBySelectionId(); ToolTip.text: labelText + (label.displayName ? (" (" + label.displayName + ")") : "") diff --git a/src/libs/tracing/qml/SelectionRangeDetails.qml b/src/libs/tracing/qml/SelectionRangeDetails.qml index 71d8576ab9e..4f03e063748 100644 --- a/src/libs/tracing/qml/SelectionRangeDetails.qml +++ b/src/libs/tracing/qml/SelectionRangeDetails.qml @@ -54,7 +54,7 @@ Item { //title TimelineText { id: typeTitle - text: " "+qsTranslate("::Tracing", "Selection") + text: " "+qsTranslate("QtC::Tracing", "Selection") font.bold: true height: 20 verticalAlignment: Text.AlignVCenter @@ -78,13 +78,13 @@ Item { Repeater { id: details property var contents: [ - qsTranslate("::Tracing", "Start") + ":", + qsTranslate("QtC::Tracing", "Start") + ":", TimeFormatter.format(selectionRangeDetails.startTime, selectionRangeDetails.referenceDuration), - (qsTranslate("::Tracing", "End") + ":"), + (qsTranslate("QtC::Tracing", "End") + ":"), TimeFormatter.format(selectionRangeDetails.endTime, selectionRangeDetails.referenceDuration), - (qsTranslate("::Tracing", "Duration") + ":"), + (qsTranslate("QtC::Tracing", "Duration") + ":"), TimeFormatter.format(selectionRangeDetails.duration, selectionRangeDetails.referenceDuration) ] @@ -115,6 +115,6 @@ Item { anchors.top: selectionRangeDetails.top implicitHeight: typeTitle.height onClicked: selectionRangeDetails.close() - ToolTip.text: qsTranslate("::Tracing", "Close") + ToolTip.text: qsTranslate("QtC::Tracing", "Close") } } diff --git a/src/libs/tracing/tracingtr.h b/src/libs/tracing/tracingtr.h index 0a054663738..240ed43aed0 100644 --- a/src/libs/tracing/tracingtr.h +++ b/src/libs/tracing/tracingtr.h @@ -9,7 +9,7 @@ namespace Timeline { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Tracing) + Q_DECLARE_TR_FUNCTIONS(QtC::Tracing) }; } // Tracing diff --git a/src/libs/utils/utilstr.h b/src/libs/utils/utilstr.h index b69363ef586..5cfd23d9644 100644 --- a/src/libs/utils/utilstr.h +++ b/src/libs/utils/utilstr.h @@ -9,7 +9,7 @@ namespace Utils { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Utils) + Q_DECLARE_TR_FUNCTIONS(QtC::Utils) }; } // Utils diff --git a/src/plugins/android/androidtr.h b/src/plugins/android/androidtr.h index 1293ced7c60..3536c22a9ae 100644 --- a/src/plugins/android/androidtr.h +++ b/src/plugins/android/androidtr.h @@ -9,7 +9,7 @@ namespace Android { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Android) + Q_DECLARE_TR_FUNCTIONS(QtC::Android) }; } // namespace Android diff --git a/src/plugins/autotest/autotesttr.h b/src/plugins/autotest/autotesttr.h index 117dc6bcddc..5ba82a008d2 100644 --- a/src/plugins/autotest/autotesttr.h +++ b/src/plugins/autotest/autotesttr.h @@ -9,7 +9,7 @@ namespace Autotest { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Autotest) + Q_DECLARE_TR_FUNCTIONS(QtC::Autotest) }; } // namespace Autotest diff --git a/src/plugins/autotest/boost/boosttestconstants.h b/src/plugins/autotest/boost/boosttestconstants.h index e2be27d51c4..c56ca447a9d 100644 --- a/src/plugins/autotest/boost/boosttestconstants.h +++ b/src/plugins/autotest/boost/boosttestconstants.h @@ -10,7 +10,7 @@ namespace BoostTest { namespace Constants { const char FRAMEWORK_NAME[] = "Boost"; -const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("::Autotest", "Boost Test"); +const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("QtC::Autotest", "Boost Test"); const unsigned FRAMEWORK_PRIORITY = 11; const char BOOST_MASTER_SUITE[] = "Master Test Suite"; diff --git a/src/plugins/autotest/gtest/gtestconstants.h b/src/plugins/autotest/gtest/gtestconstants.h index b90d9f29636..7d422e8df8b 100644 --- a/src/plugins/autotest/gtest/gtestconstants.h +++ b/src/plugins/autotest/gtest/gtestconstants.h @@ -10,7 +10,7 @@ namespace GTest { namespace Constants { const char FRAMEWORK_NAME[] = "GTest"; -const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("::Autotest", "Google Test"); +const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("QtC::Autotest", "Google Test"); const unsigned FRAMEWORK_PRIORITY = 10; const char DEFAULT_FILTER[] = "*.*"; diff --git a/src/plugins/autotest/qtest/qttestconstants.h b/src/plugins/autotest/qtest/qttestconstants.h index 985591a9460..10042a1c961 100644 --- a/src/plugins/autotest/qtest/qttestconstants.h +++ b/src/plugins/autotest/qtest/qttestconstants.h @@ -10,7 +10,7 @@ namespace QtTest { namespace Constants { const char FRAMEWORK_NAME[] = "QtTest"; -const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("::Autotest", "Qt Test"); +const char FRAMEWORK_SETTINGS_CATEGORY[] = QT_TRANSLATE_NOOP("QtC::Autotest", "Qt Test"); const unsigned FRAMEWORK_PRIORITY = 1; } // namespace Constants diff --git a/src/plugins/autotest/testrunconfiguration.h b/src/plugins/autotest/testrunconfiguration.h index 5fda1542af3..1e89949ce13 100644 --- a/src/plugins/autotest/testrunconfiguration.h +++ b/src/plugins/autotest/testrunconfiguration.h @@ -25,7 +25,7 @@ public: TestRunConfiguration(ProjectExplorer::Target *parent, TestConfiguration *config) : ProjectExplorer::RunConfiguration(parent, "AutoTest.TestRunConfig") { - setDefaultDisplayName(QCoreApplication::translate("::Autotest", "AutoTest Debug")); + setDefaultDisplayName(QCoreApplication::translate("QtC::Autotest", "AutoTest Debug")); bool enableQuick = false; if (auto debuggable = dynamic_cast(config)) diff --git a/src/plugins/autotoolsprojectmanager/autotoolsprojectmanagertr.h b/src/plugins/autotoolsprojectmanager/autotoolsprojectmanagertr.h index 9d7672c8046..1010df0a947 100644 --- a/src/plugins/autotoolsprojectmanager/autotoolsprojectmanagertr.h +++ b/src/plugins/autotoolsprojectmanager/autotoolsprojectmanagertr.h @@ -9,7 +9,7 @@ namespace AutotoolsProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::AutotoolsProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::AutotoolsProjectManager) }; } // namespace AutotoolsProjectManager diff --git a/src/plugins/baremetal/baremetaltr.h b/src/plugins/baremetal/baremetaltr.h index ec035c1c4d3..6fb587ae054 100644 --- a/src/plugins/baremetal/baremetaltr.h +++ b/src/plugins/baremetal/baremetaltr.h @@ -9,7 +9,7 @@ namespace BareMetal { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::BareMetal) + Q_DECLARE_TR_FUNCTIONS(QtC::BareMetal) }; } // namespace BareMetal diff --git a/src/plugins/bazaar/bazaarplugin.cpp b/src/plugins/bazaar/bazaarplugin.cpp index 5775380b134..a0f980606d0 100644 --- a/src/plugins/bazaar/bazaarplugin.cpp +++ b/src/plugins/bazaar/bazaarplugin.cpp @@ -64,7 +64,7 @@ namespace Bazaar::Internal { // Submit editor parameters const char COMMIT_ID[] = "Bazaar Commit Log Editor"; -const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Bazaar Commit Log Editor"); +const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Bazaar Commit Log Editor"); const char COMMITMIMETYPE[] = "text/vnd.qtcreator.bazaar.commit"; // Menu items diff --git a/src/plugins/bazaar/bazaartr.h b/src/plugins/bazaar/bazaartr.h index 27abb9eaeb6..d182f6788db 100644 --- a/src/plugins/bazaar/bazaartr.h +++ b/src/plugins/bazaar/bazaartr.h @@ -9,7 +9,7 @@ namespace Bazaar { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Bazaar) + Q_DECLARE_TR_FUNCTIONS(QtC::Bazaar) }; } // namespace Bazaar diff --git a/src/plugins/bazaar/constants.h b/src/plugins/bazaar/constants.h index d51359a1234..e2cdb549bb3 100644 --- a/src/plugins/bazaar/constants.h +++ b/src/plugins/bazaar/constants.h @@ -23,15 +23,15 @@ const char ANNOTATE_CHANGESET_ID[] = "([.0-9]+)"; // Base editor parameters const char FILELOG_ID[] = "Bazaar File Log Editor"; -const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Bazaar File Log Editor"); +const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Bazaar File Log Editor"); const char LOGAPP[] = "text/vnd.qtcreator.bazaar.log"; const char ANNOTATELOG_ID[] = "Bazaar Annotation Editor"; -const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Bazaar Annotation Editor"); +const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Bazaar Annotation Editor"); const char ANNOTATEAPP[] = "text/vnd.qtcreator.bazaar.annotation"; const char DIFFLOG_ID[] = "Bazaar Diff Editor"; -const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Bazaar Diff Editor"); +const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Bazaar Diff Editor"); const char DIFFAPP[] = "text/x-patch"; // File status hint diff --git a/src/plugins/beautifier/artisticstyle/artisticstyleconstants.h b/src/plugins/beautifier/artisticstyle/artisticstyleconstants.h index 74424e362c7..92b95f70baf 100644 --- a/src/plugins/beautifier/artisticstyle/artisticstyleconstants.h +++ b/src/plugins/beautifier/artisticstyle/artisticstyleconstants.h @@ -7,6 +7,6 @@ namespace Beautifier::Constants { -const char ARTISTICSTYLE_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::Beautifier", "Artistic Style"); +const char ARTISTICSTYLE_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::Beautifier", "Artistic Style"); } // Beautifier::Constants diff --git a/src/plugins/beautifier/beautifiertr.h b/src/plugins/beautifier/beautifiertr.h index 68a82ad3587..83cbf194789 100644 --- a/src/plugins/beautifier/beautifiertr.h +++ b/src/plugins/beautifier/beautifiertr.h @@ -9,7 +9,7 @@ namespace Beautifier { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Beautifier) + Q_DECLARE_TR_FUNCTIONS(QtC::Beautifier) }; } // namespace Beautifier diff --git a/src/plugins/beautifier/clangformat/clangformatconstants.h b/src/plugins/beautifier/clangformat/clangformatconstants.h index c6b62e1f53e..177253f6c18 100644 --- a/src/plugins/beautifier/clangformat/clangformatconstants.h +++ b/src/plugins/beautifier/clangformat/clangformatconstants.h @@ -7,6 +7,6 @@ namespace Beautifier::Constants { -const char CLANGFORMAT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::Beautifier", "ClangFormat"); +const char CLANGFORMAT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::Beautifier", "ClangFormat"); } // Beautifier::Constants diff --git a/src/plugins/beautifier/uncrustify/uncrustifyconstants.h b/src/plugins/beautifier/uncrustify/uncrustifyconstants.h index f6b4567098b..e8c4331be72 100644 --- a/src/plugins/beautifier/uncrustify/uncrustifyconstants.h +++ b/src/plugins/beautifier/uncrustify/uncrustifyconstants.h @@ -7,6 +7,6 @@ namespace Beautifier::Constants { -const char UNCRUSTIFY_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::Beautifier", "Uncrustify"); +const char UNCRUSTIFY_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::Beautifier", "Uncrustify"); } // Beautifier::Constants diff --git a/src/plugins/bineditor/bineditortr.h b/src/plugins/bineditor/bineditortr.h index 34d3de9bb8f..30e8ca0068b 100644 --- a/src/plugins/bineditor/bineditortr.h +++ b/src/plugins/bineditor/bineditortr.h @@ -9,7 +9,7 @@ namespace BinEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::BinEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::BinEditor) }; } // BinEditor diff --git a/src/plugins/bookmarks/bookmarkstr.h b/src/plugins/bookmarks/bookmarkstr.h index ab0999c4f4c..c48879d3470 100644 --- a/src/plugins/bookmarks/bookmarkstr.h +++ b/src/plugins/bookmarks/bookmarkstr.h @@ -9,7 +9,7 @@ namespace Bookmarks { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Bookmarks) + Q_DECLARE_TR_FUNCTIONS(QtC::Bookmarks) }; } // namespace Bookmarks diff --git a/src/plugins/boot2qt/qdbtr.h b/src/plugins/boot2qt/qdbtr.h index b0bc7232f9b..41a8e0af15a 100644 --- a/src/plugins/boot2qt/qdbtr.h +++ b/src/plugins/boot2qt/qdbtr.h @@ -9,7 +9,7 @@ namespace Qdb { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Qdb) + Q_DECLARE_TR_FUNCTIONS(QtC::Qdb) }; } // namespace Qdb diff --git a/src/plugins/clangcodemodel/clangcodemodeltr.h b/src/plugins/clangcodemodel/clangcodemodeltr.h index 1eb14dce9c5..f9f5d8bf5ea 100644 --- a/src/plugins/clangcodemodel/clangcodemodeltr.h +++ b/src/plugins/clangcodemodel/clangcodemodeltr.h @@ -9,7 +9,7 @@ namespace ClangCodeModel { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ClangCodeModel) + Q_DECLARE_TR_FUNCTIONS(QtC::ClangCodeModel) }; } // namespace ClangCodeModel diff --git a/src/plugins/clangformat/clangformattr.h b/src/plugins/clangformat/clangformattr.h index e99806b0153..c34ccfec43a 100644 --- a/src/plugins/clangformat/clangformattr.h +++ b/src/plugins/clangformat/clangformattr.h @@ -9,7 +9,7 @@ namespace ClangFormat { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ClangFormat) + Q_DECLARE_TR_FUNCTIONS(QtC::ClangFormat) }; } // namespace ClangFormat diff --git a/src/plugins/clangtools/clangtoolslogfilereader.cpp b/src/plugins/clangtools/clangtoolslogfilereader.cpp index a8950d66037..d7ccb5579ee 100644 --- a/src/plugins/clangtools/clangtoolslogfilereader.cpp +++ b/src/plugins/clangtools/clangtoolslogfilereader.cpp @@ -22,7 +22,7 @@ static bool checkFilePath(const Utils::FilePath &filePath, QString *errorMessage if (!fi.exists() || !fi.isReadable()) { if (errorMessage) { *errorMessage - = QString(QT_TRANSLATE_NOOP("::ClangTools", + = QString(QT_TRANSLATE_NOOP("QtC::ClangTools", "File \"%1\" does not exist or is not readable.")) .arg(filePath.toUserOutput()); } @@ -255,7 +255,7 @@ Diagnostics readExportedDiagnostics(const Utils::FilePath &logFilePath, } catch (std::exception &e) { if (errorMessage) { *errorMessage = QString( - QT_TRANSLATE_NOOP("::ClangTools", + QT_TRANSLATE_NOOP("QtC::ClangTools", "Error: Failed to parse YAML file \"%1\": %2.")) .arg(logFilePath.toUserOutput(), QString::fromUtf8(e.what())); } diff --git a/src/plugins/clangtools/clangtoolstr.h b/src/plugins/clangtools/clangtoolstr.h index 933b0342195..6c2872ed905 100644 --- a/src/plugins/clangtools/clangtoolstr.h +++ b/src/plugins/clangtools/clangtoolstr.h @@ -9,7 +9,7 @@ namespace ClangTools { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ClangTools) + Q_DECLARE_TR_FUNCTIONS(QtC::ClangTools) }; } // namespace ClangTools diff --git a/src/plugins/classview/classviewtr.h b/src/plugins/classview/classviewtr.h index ca218d0402f..4dc930f65ed 100644 --- a/src/plugins/classview/classviewtr.h +++ b/src/plugins/classview/classviewtr.h @@ -9,7 +9,7 @@ namespace ClassView { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ClassView) + Q_DECLARE_TR_FUNCTIONS(QtC::ClassView) }; } // namespace ClassView diff --git a/src/plugins/clearcase/clearcaseconstants.h b/src/plugins/clearcase/clearcaseconstants.h index bcf93a149c0..fe42967e555 100644 --- a/src/plugins/clearcase/clearcaseconstants.h +++ b/src/plugins/clearcase/clearcaseconstants.h @@ -11,7 +11,7 @@ namespace Constants { const char VCS_ID_CLEARCASE[] = "E.ClearCase"; const char CLEARCASE_SUBMIT_MIMETYPE[] = "text/vnd.qtcreator.clearcase.submit"; const char CLEARCASECHECKINEDITOR_ID[] = "ClearCase Check In Editor"; -const char CLEARCASECHECKINEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "ClearCase Check In Editor"); +const char CLEARCASECHECKINEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "ClearCase Check In Editor"); const char TASK_INDEX[] = "ClearCase.Task.Index"; const char KEEP_ACTIVITY[] = "__KEEP__"; enum { debug = 0 }; diff --git a/src/plugins/clearcase/clearcaseplugin.cpp b/src/plugins/clearcase/clearcaseplugin.cpp index 2c6a390179f..de884452be6 100644 --- a/src/plugins/clearcase/clearcaseplugin.cpp +++ b/src/plugins/clearcase/clearcaseplugin.cpp @@ -105,21 +105,21 @@ const char CMD_ID_STATUS[] = "ClearCase.Status"; const VcsBaseEditorParameters logEditorParameters { LogOutput, "ClearCase File Log Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "ClearCase File Log Editor"), // display_name + QT_TRANSLATE_NOOP("QtC::VcsBase", "ClearCase File Log Editor"), // display_name "text/vnd.qtcreator.clearcase.log" }; const VcsBaseEditorParameters annotateEditorParameters { AnnotateOutput, "ClearCase Annotation Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "ClearCase Annotation Editor"), // display_name + QT_TRANSLATE_NOOP("QtC::VcsBase", "ClearCase Annotation Editor"), // display_name "text/vnd.qtcreator.clearcase.annotation" }; const VcsBaseEditorParameters diffEditorParameters { DiffOutput, "ClearCase Diff Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "ClearCase Diff Editor"), // display_name + QT_TRANSLATE_NOOP("QtC::VcsBase", "ClearCase Diff Editor"), // display_name "text/x-patch" }; diff --git a/src/plugins/clearcase/clearcasetr.h b/src/plugins/clearcase/clearcasetr.h index fbf44395a31..446260beded 100644 --- a/src/plugins/clearcase/clearcasetr.h +++ b/src/plugins/clearcase/clearcasetr.h @@ -9,7 +9,7 @@ namespace ClearCase { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ClearCase) + Q_DECLARE_TR_FUNCTIONS(QtC::ClearCase) }; } // namespace ClearCase diff --git a/src/plugins/cmakeprojectmanager/cmakeprojectmanagertr.h b/src/plugins/cmakeprojectmanager/cmakeprojectmanagertr.h index 5e201908ccf..206f80d53b2 100644 --- a/src/plugins/cmakeprojectmanager/cmakeprojectmanagertr.h +++ b/src/plugins/cmakeprojectmanager/cmakeprojectmanagertr.h @@ -9,7 +9,7 @@ namespace CMakeProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CMakeProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::CMakeProjectManager) }; } // namespace CMakeProjectManager diff --git a/src/plugins/coco/cocotr.h b/src/plugins/coco/cocotr.h index a69b436506d..2b2a76365b0 100644 --- a/src/plugins/coco/cocotr.h +++ b/src/plugins/coco/cocotr.h @@ -9,7 +9,7 @@ namespace Coco { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Coco) + Q_DECLARE_TR_FUNCTIONS(QtC::Coco) }; } // namespace Coco diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp index 3085a011ff4..e47dd262ea8 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseproject.cpp @@ -512,7 +512,7 @@ CompilationDatabaseBuildConfigurationFactory::CompilationDatabaseBuildConfigurat setSupportedProjectMimeTypeName(Constants::COMPILATIONDATABASEMIMETYPE); setBuildGenerator([](const Kit *, const FilePath &projectPath, bool) { - const QString name = QCoreApplication::translate("::ProjectExplorer", "Release"); + const QString name = QCoreApplication::translate("QtC::ProjectExplorer", "Release"); ProjectExplorer::BuildInfo info; info.typeName = name; info.displayName = name; diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagertr.h b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagertr.h index 7e7d3dc708c..c0fee358bf3 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagertr.h +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdatabaseprojectmanagertr.h @@ -9,7 +9,7 @@ namespace CompilationDatabaseProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CompilationDatabaseProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::CompilationDatabaseProjectManager) }; } // namespace CompilationDatabaseProjectManager diff --git a/src/plugins/conan/conantr.h b/src/plugins/conan/conantr.h index b8ff19c9a0b..708bc479f3e 100644 --- a/src/plugins/conan/conantr.h +++ b/src/plugins/conan/conantr.h @@ -9,7 +9,7 @@ namespace Conan { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Conan) + Q_DECLARE_TR_FUNCTIONS(QtC::Conan) }; } // Conan diff --git a/src/plugins/coreplugin/coreconstants.h b/src/plugins/coreplugin/coreconstants.h index 51633a04e10..91e1e2d34b5 100644 --- a/src/plugins/coreplugin/coreconstants.h +++ b/src/plugins/coreplugin/coreconstants.h @@ -86,11 +86,11 @@ const char CYCLE_MODE_SELECTOR_STYLE[] = const char TOGGLE_FULLSCREEN[] = "QtCreator.ToggleFullScreen"; const char THEMEOPTIONS[] = "QtCreator.ThemeOptions"; -const char TR_SHOW_LEFT_SIDEBAR[] = QT_TRANSLATE_NOOP("::Core", "Show Left Sidebar"); -const char TR_HIDE_LEFT_SIDEBAR[] = QT_TRANSLATE_NOOP("::Core", "Hide Left Sidebar"); +const char TR_SHOW_LEFT_SIDEBAR[] = QT_TRANSLATE_NOOP("QtC::Core", "Show Left Sidebar"); +const char TR_HIDE_LEFT_SIDEBAR[] = QT_TRANSLATE_NOOP("QtC::Core", "Hide Left Sidebar"); -const char TR_SHOW_RIGHT_SIDEBAR[] = QT_TRANSLATE_NOOP("::Core", "Show Right Sidebar"); -const char TR_HIDE_RIGHT_SIDEBAR[] = QT_TRANSLATE_NOOP("::Core", "Hide Right Sidebar"); +const char TR_SHOW_RIGHT_SIDEBAR[] = QT_TRANSLATE_NOOP("QtC::Core", "Show Right Sidebar"); +const char TR_HIDE_RIGHT_SIDEBAR[] = QT_TRANSLATE_NOOP("QtC::Core", "Hide Right Sidebar"); const char MINIMIZE_WINDOW[] = "QtCreator.MinimizeWindow"; const char ZOOM_WINDOW[] = "QtCreator.ZoomWindow"; @@ -190,7 +190,7 @@ const char G_TOUCHBAR_NAVIGATION[] = "QtCreator.Group.TouchBar.Navigation"; const char G_TOUCHBAR_OTHER[] = "QtCreator.Group.TouchBar.Other"; const char WIZARD_CATEGORY_QT[] = "R.Qt"; -const char WIZARD_TR_CATEGORY_QT[] = QT_TRANSLATE_NOOP("::Core", "Qt"); +const char WIZARD_TR_CATEGORY_QT[] = QT_TRANSLATE_NOOP("QtC::Core", "Qt"); const char WIZARD_KIND_UNKNOWN[] = "unknown"; const char WIZARD_KIND_PROJECT[] = "project"; const char WIZARD_KIND_FILE[] = "file"; @@ -209,7 +209,7 @@ const char SETTINGS_THEME[] = "Core/CreatorTheme"; const char DEFAULT_THEME[] = "flat"; const char DEFAULT_DARK_THEME[] = "flat-dark"; -const char TR_CLEAR_MENU[] = QT_TRANSLATE_NOOP("::Core", "Clear Menu"); +const char TR_CLEAR_MENU[] = QT_TRANSLATE_NOOP("QtC::Core", "Clear Menu"); const int MODEBAR_ICON_SIZE = 34; const int MODEBAR_ICONSONLY_BUTTON_SIZE = MODEBAR_ICON_SIZE + 4; diff --git a/src/plugins/coreplugin/coreplugintr.h b/src/plugins/coreplugin/coreplugintr.h index f9281fd7289..28c7a072cee 100644 --- a/src/plugins/coreplugin/coreplugintr.h +++ b/src/plugins/coreplugin/coreplugintr.h @@ -9,7 +9,7 @@ namespace Core { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Core) + Q_DECLARE_TR_FUNCTIONS(QtC::Core) }; } // namespace Core diff --git a/src/plugins/coreplugin/documentmanager.cpp b/src/plugins/coreplugin/documentmanager.cpp index d5bd558e804..226564fa0ba 100644 --- a/src/plugins/coreplugin/documentmanager.cpp +++ b/src/plugins/coreplugin/documentmanager.cpp @@ -754,9 +754,9 @@ QString DocumentManager::fileDialogFilter(QString *selectedFilter) } #ifdef Q_OS_WIN -static struct {const char *source; const char *comment; } ALL_FILES_FILTER = QT_TRANSLATE_NOOP3("::Core", "All Files (*.*)", "On Windows"); +static struct {const char *source; const char *comment; } ALL_FILES_FILTER = QT_TRANSLATE_NOOP3("QtC::Core", "All Files (*.*)", "On Windows"); #else -static struct {const char *source; const char *comment; } ALL_FILES_FILTER = QT_TRANSLATE_NOOP3("::Core", "All Files (*)", "On Linux/macOS"); +static struct {const char *source; const char *comment; } ALL_FILES_FILTER = QT_TRANSLATE_NOOP3("QtC::Core", "All Files (*)", "On Linux/macOS"); #endif QString DocumentManager::allFilesFilterString() diff --git a/src/plugins/coreplugin/locator/locatorconstants.h b/src/plugins/coreplugin/locator/locatorconstants.h index cd44cff836d..94331665031 100644 --- a/src/plugins/coreplugin/locator/locatorconstants.h +++ b/src/plugins/coreplugin/locator/locatorconstants.h @@ -9,7 +9,7 @@ namespace Core { namespace Constants { const char LOCATE[] = "QtCreator.Locate"; -const char FILTER_OPTIONS_PAGE[] = QT_TRANSLATE_NOOP("::Core", "Locator"); +const char FILTER_OPTIONS_PAGE[] = QT_TRANSLATE_NOOP("QtC::Core", "Locator"); const char CUSTOM_DIRECTORY_FILTER_BASEID[] = "Locator.CustomFilter"; const char CUSTOM_URL_FILTER_BASEID[] = "Locator.CustomUrlFilter"; const char TASK_INDEX[] = "Locator.Task.Index"; diff --git a/src/plugins/cpaster/cpastertr.h b/src/plugins/cpaster/cpastertr.h index 46d2c2ca360..c0fd571fbef 100644 --- a/src/plugins/cpaster/cpastertr.h +++ b/src/plugins/cpaster/cpastertr.h @@ -9,7 +9,7 @@ namespace CodePaster { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CodePaster) + Q_DECLARE_TR_FUNCTIONS(QtC::CodePaster) }; } // namespace CodePaster diff --git a/src/plugins/cppcheck/cppchecktr.h b/src/plugins/cppcheck/cppchecktr.h index 6e016de5598..2246074c6ee 100644 --- a/src/plugins/cppcheck/cppchecktr.h +++ b/src/plugins/cppcheck/cppchecktr.h @@ -9,7 +9,7 @@ namespace Cppcheck { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Cppcheck) + Q_DECLARE_TR_FUNCTIONS(QtC::Cppcheck) }; } // namespace Cppcheck diff --git a/src/plugins/cppeditor/cppeditorconstants.h b/src/plugins/cppeditor/cppeditorconstants.h index f0b4ee861b2..3c87aa6d63b 100644 --- a/src/plugins/cppeditor/cppeditorconstants.h +++ b/src/plugins/cppeditor/cppeditorconstants.h @@ -34,7 +34,7 @@ const char PREFERRED_PARSE_CONTEXT[] = "CppEditor.PreferredParseContext-"; const char QUICK_FIX_PROJECT_PANEL_ID[] = "CppEditor.QuickFix"; const char QUICK_FIX_SETTINGS_ID[] = "CppEditor.QuickFix"; -const char QUICK_FIX_SETTINGS_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", "Quick Fixes"); +const char QUICK_FIX_SETTINGS_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "Quick Fixes"); const char QUICK_FIX_SETTING_GETTER_OUTSIDE_CLASS_FROM[] = "GettersOutsideClassFrom"; const char QUICK_FIX_SETTING_GETTER_IN_CPP_FILE_FROM[] = "GettersInCppFileFrom"; const char QUICK_FIX_SETTING_SETTER_OUTSIDE_CLASS_FROM[] = "SettersOutsideClassFrom"; @@ -105,28 +105,28 @@ const char CPP_CLANG_FIXIT_AVAILABLE_MARKER_ID[] = "ClangFixItAvailableMarker"; const char CPP_FUNCTION_DECL_DEF_LINK_MARKER_ID[] = "FunctionDeclDefLinkMarker"; const char CPP_SETTINGS_ID[] = "Cpp"; -const char CPP_SETTINGS_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", "C++"); +const char CPP_SETTINGS_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++"); const char CURRENT_DOCUMENT_FILTER_ID[] = "Methods in current Document"; const char CURRENT_DOCUMENT_FILTER_DISPLAY_NAME[] - = QT_TRANSLATE_NOOP("::CppEditor", "C++ Symbols in Current Document"); + = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++ Symbols in Current Document"); const char CLASSES_FILTER_ID[] = "Classes"; -const char CLASSES_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", "C++ Classes"); +const char CLASSES_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++ Classes"); const char FUNCTIONS_FILTER_ID[] = "Methods"; -const char FUNCTIONS_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", "C++ Functions"); +const char FUNCTIONS_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++ Functions"); const char INCLUDES_FILTER_ID[] = "All Included C/C++ Files"; -const char INCLUDES_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", +const char INCLUDES_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "All Included C/C++ Files"); const char LOCATOR_FILTER_ID[] = "Classes and Methods"; const char LOCATOR_FILTER_DISPLAY_NAME[] - = QT_TRANSLATE_NOOP("::CppEditor", "C++ Classes, Enums, Functions and Type Aliases"); + = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++ Classes, Enums, Functions and Type Aliases"); const char SYMBOLS_FIND_FILTER_ID[] = "Symbols"; -const char SYMBOLS_FIND_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::CppEditor", "C++ Symbols"); +const char SYMBOLS_FIND_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::CppEditor", "C++ Symbols"); constexpr const char CLANG_STATIC_ANALYZER_DOCUMENTATION_URL[] = "https://clang-analyzer.llvm.org/available_checks.html"; diff --git a/src/plugins/cppeditor/cppeditortr.h b/src/plugins/cppeditor/cppeditortr.h index e764d5ad335..0a4bd36ad82 100644 --- a/src/plugins/cppeditor/cppeditortr.h +++ b/src/plugins/cppeditor/cppeditortr.h @@ -9,7 +9,7 @@ namespace CppEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CppEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::CppEditor) }; } // namespace CppEditor diff --git a/src/plugins/cppeditor/cppfilesettingspage.cpp b/src/plugins/cppeditor/cppfilesettingspage.cpp index 30bda87af69..447d6083697 100644 --- a/src/plugins/cppeditor/cppfilesettingspage.cpp +++ b/src/plugins/cppeditor/cppfilesettingspage.cpp @@ -39,7 +39,7 @@ const char sourceSearchPathsKeyC[] = "SourceSearchPaths"; const char headerPragmaOnceC[] = "HeaderPragmaOnce"; const char licenseTemplatePathKeyC[] = "LicenseTemplate"; -const char *licenseTemplateTemplate = QT_TRANSLATE_NOOP("::CppEditor", +const char *licenseTemplateTemplate = QT_TRANSLATE_NOOP("QtC::CppEditor", "/**************************************************************************\n" "** %1 license header template\n" "** Special keywords: %USER% %DATE% %YEAR%\n" diff --git a/src/plugins/cppeditor/cppoutlinemodel.cpp b/src/plugins/cppeditor/cppoutlinemodel.cpp index 9c06f3c835c..d1875b6bb3b 100644 --- a/src/plugins/cppeditor/cppoutlinemodel.cpp +++ b/src/plugins/cppeditor/cppoutlinemodel.cpp @@ -31,8 +31,8 @@ public: switch (role) { case Qt::DisplayRole: if (parent()->childCount() > 1) - return QString(QT_TRANSLATE_NOOP("::CppEditor", "")); + return QString(QT_TRANSLATE_NOOP("QtC::CppEditor", "")); default: return QVariant(); } diff --git a/src/plugins/ctfvisualizer/ctfvisualizertool.h b/src/plugins/ctfvisualizer/ctfvisualizertool.h index 24c1bf45cac..647ea3cb74c 100644 --- a/src/plugins/ctfvisualizer/ctfvisualizertool.h +++ b/src/plugins/ctfvisualizer/ctfvisualizertool.h @@ -46,7 +46,7 @@ private: void toggleThreadRestriction(QAction *action); Utils::Perspective m_perspective{Constants::CtfVisualizerPerspectiveId, - QCoreApplication::translate("::CtfVisualizer", + QCoreApplication::translate("QtC::CtfVisualizer", "Chrome Trace Format Visualizer")}; bool m_isLoading; diff --git a/src/plugins/ctfvisualizer/ctfvisualizertr.h b/src/plugins/ctfvisualizer/ctfvisualizertr.h index 339fcca46a5..207388aced2 100644 --- a/src/plugins/ctfvisualizer/ctfvisualizertr.h +++ b/src/plugins/ctfvisualizer/ctfvisualizertr.h @@ -9,7 +9,7 @@ namespace CtfVisualizer { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CtfVisualizer) + Q_DECLARE_TR_FUNCTIONS(QtC::CtfVisualizer) }; } // namespace CtfVisualizer diff --git a/src/plugins/cvs/cvsplugin.cpp b/src/plugins/cvs/cvsplugin.cpp index 1030b74cfa0..85e98c1e4ce 100644 --- a/src/plugins/cvs/cvsplugin.cpp +++ b/src/plugins/cvs/cvsplugin.cpp @@ -90,7 +90,7 @@ const char CMD_ID_REPOSITORYUPDATE[] = "CVS.RepositoryUpdate"; const char CVS_SUBMIT_MIMETYPE[] = "text/vnd.qtcreator.cvs.submit"; const char CVSCOMMITEDITOR_ID[] = "CVS Commit Editor"; -const char CVSCOMMITEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "CVS Commit Editor"); +const char CVSCOMMITEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "CVS Commit Editor"); const VcsBaseSubmitEditorParameters submitParameters { CVS_SUBMIT_MIMETYPE, @@ -102,28 +102,28 @@ const VcsBaseSubmitEditorParameters submitParameters { const VcsBaseEditorParameters commandLogEditorParameters { OtherContent, "CVS Command Log Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "CVS Command Log Editor"), // display name + QT_TRANSLATE_NOOP("QtC::VcsBase", "CVS Command Log Editor"), // display name "text/vnd.qtcreator.cvs.commandlog" }; const VcsBaseEditorParameters logEditorParameters { LogOutput, "CVS File Log Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "CVS File Log Editor"), // display name + QT_TRANSLATE_NOOP("QtC::VcsBase", "CVS File Log Editor"), // display name "text/vnd.qtcreator.cvs.log" }; const VcsBaseEditorParameters annotateEditorParameters { AnnotateOutput, "CVS Annotation Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "CVS Annotation Editor"), // display name + QT_TRANSLATE_NOOP("QtC::VcsBase", "CVS Annotation Editor"), // display name "text/vnd.qtcreator.cvs.annotation" }; const VcsBaseEditorParameters diffEditorParameters { DiffOutput, "CVS Diff Editor", // id - QT_TRANSLATE_NOOP("::VcsBase", "CVS Diff Editor"), // display name + QT_TRANSLATE_NOOP("QtC::VcsBase", "CVS Diff Editor"), // display name "text/x-patch" }; diff --git a/src/plugins/cvs/cvstr.h b/src/plugins/cvs/cvstr.h index 47f51fc17ab..e75a3c2096a 100644 --- a/src/plugins/cvs/cvstr.h +++ b/src/plugins/cvs/cvstr.h @@ -9,7 +9,7 @@ namespace Cvs { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::CVS) + Q_DECLARE_TR_FUNCTIONS(QtC::CVS) }; } // Cvs diff --git a/src/plugins/debugger/cdb/cdboptionspage.cpp b/src/plugins/debugger/cdb/cdboptionspage.cpp index 4759c239880..8f21d670964 100644 --- a/src/plugins/debugger/cdb/cdboptionspage.cpp +++ b/src/plugins/debugger/cdb/cdboptionspage.cpp @@ -33,12 +33,12 @@ struct EventsDescription { // Parameters of the "sxe" command const EventsDescription eventDescriptions[] = { - {"eh", false, QT_TRANSLATE_NOOP("::Debugger", "C++ exception")}, - {"ct", false, QT_TRANSLATE_NOOP("::Debugger", "Thread creation")}, - {"et", false, QT_TRANSLATE_NOOP("::Debugger", "Thread exit")}, - {"ld", true, QT_TRANSLATE_NOOP("::Debugger", "Load module:")}, - {"ud", true, QT_TRANSLATE_NOOP("::Debugger", "Unload module:")}, - {"out", true, QT_TRANSLATE_NOOP("::Debugger", "Output:")} + {"eh", false, QT_TRANSLATE_NOOP("QtC::Debugger", "C++ exception")}, + {"ct", false, QT_TRANSLATE_NOOP("QtC::Debugger", "Thread creation")}, + {"et", false, QT_TRANSLATE_NOOP("QtC::Debugger", "Thread exit")}, + {"ld", true, QT_TRANSLATE_NOOP("QtC::Debugger", "Load module:")}, + {"ud", true, QT_TRANSLATE_NOOP("QtC::Debugger", "Unload module:")}, + {"out", true, QT_TRANSLATE_NOOP("QtC::Debugger", "Output:")} }; static inline int indexOfEvent(const QString &abbrev) diff --git a/src/plugins/debugger/debuggertr.h b/src/plugins/debugger/debuggertr.h index 1333648e422..6f75450c596 100644 --- a/src/plugins/debugger/debuggertr.h +++ b/src/plugins/debugger/debuggertr.h @@ -9,7 +9,7 @@ namespace Debugger { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Debugger) + Q_DECLARE_TR_FUNCTIONS(QtC::Debugger) }; } // namespace Debugger diff --git a/src/plugins/designer/designerconstants.h b/src/plugins/designer/designerconstants.h index 8b2a34dffeb..0f05b67124b 100644 --- a/src/plugins/designer/designerconstants.h +++ b/src/plugins/designer/designerconstants.h @@ -11,10 +11,10 @@ namespace Constants { const char INFO_READ_ONLY[] = "DesignerXmlEditor.ReadOnly"; const char K_DESIGNER_XML_EDITOR_ID[] = "FormEditor.DesignerXmlEditor"; const char C_DESIGNER_XML_EDITOR[] = "Designer Xml Editor"; -const char C_DESIGNER_XML_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::Designer", "Form Editor"); +const char C_DESIGNER_XML_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::Designer", "Form Editor"); const char SETTINGS_CATEGORY[] = "P.Designer"; -const char SETTINGS_TR_CATEGORY[] = QT_TRANSLATE_NOOP("::Designer", "Designer"); +const char SETTINGS_TR_CATEGORY[] = QT_TRANSLATE_NOOP("QtC::Designer", "Designer"); // Context const char C_FORMEDITOR[] = "FormEditor.FormEditor"; diff --git a/src/plugins/designer/designertr.h b/src/plugins/designer/designertr.h index 7c20e593f60..5b26eb4c09e 100644 --- a/src/plugins/designer/designertr.h +++ b/src/plugins/designer/designertr.h @@ -9,7 +9,7 @@ namespace Designer { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Designer) + Q_DECLARE_TR_FUNCTIONS(QtC::Designer) }; } // namespace Designer diff --git a/src/plugins/diffeditor/diffeditortr.h b/src/plugins/diffeditor/diffeditortr.h index ca5dc7f26d4..8f754bb7441 100644 --- a/src/plugins/diffeditor/diffeditortr.h +++ b/src/plugins/diffeditor/diffeditortr.h @@ -9,7 +9,7 @@ namespace DiffEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::DiffEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::DiffEditor) }; } // namespace DiffEditor diff --git a/src/plugins/docker/dockertr.h b/src/plugins/docker/dockertr.h index 26f8d17a738..0abb3cddd02 100644 --- a/src/plugins/docker/dockertr.h +++ b/src/plugins/docker/dockertr.h @@ -9,7 +9,7 @@ namespace Docker { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Docker) + Q_DECLARE_TR_FUNCTIONS(QtC::Docker) }; } // namespace Docker diff --git a/src/plugins/emacskeys/emacskeystr.h b/src/plugins/emacskeys/emacskeystr.h index f255fd31940..0c776013ffe 100644 --- a/src/plugins/emacskeys/emacskeystr.h +++ b/src/plugins/emacskeys/emacskeystr.h @@ -9,7 +9,7 @@ namespace EmacsKeys { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::EmacsKeys) + Q_DECLARE_TR_FUNCTIONS(QtC::EmacsKeys) }; } // namespace EmacsKeys diff --git a/src/plugins/fakevim/fakevimtr.h b/src/plugins/fakevim/fakevimtr.h index 1595c932874..a32f8c9b901 100644 --- a/src/plugins/fakevim/fakevimtr.h +++ b/src/plugins/fakevim/fakevimtr.h @@ -9,7 +9,7 @@ namespace FakeVim { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::FakeVim) + Q_DECLARE_TR_FUNCTIONS(QtC::FakeVim) }; } // namespace FakeVim diff --git a/src/plugins/fossil/constants.h b/src/plugins/fossil/constants.h index acaf3aa4d70..6dd6bd4d048 100644 --- a/src/plugins/fossil/constants.h +++ b/src/plugins/fossil/constants.h @@ -31,20 +31,20 @@ const char DIFFFILE_ID_EXACT[] = "[+]{3} (.*)\\s*"; // match and capture //BaseEditorParameters const char FILELOG_ID[] = "Fossil File Log Editor"; -const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Fossil File Log Editor"); +const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Fossil File Log Editor"); const char LOGAPP[] = "text/vnd.qtcreator.fossil.log"; const char ANNOTATELOG_ID[] = "Fossil Annotation Editor"; -const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Fossil Annotation Editor"); +const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Fossil Annotation Editor"); const char ANNOTATEAPP[] = "text/vnd.qtcreator.fossil.annotation"; const char DIFFLOG_ID[] = "Fossil Diff Editor"; -const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Fossil Diff Editor"); +const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Fossil Diff Editor"); const char DIFFAPP[] = "text/x-patch"; //SubmitEditorParameters const char COMMIT_ID[] = "Fossil Commit Log Editor"; -const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Fossil Commit Log Editor"); +const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Fossil Commit Log Editor"); const char COMMITMIMETYPE[] = "text/vnd.qtcreator.fossil.commit"; //menu items diff --git a/src/plugins/fossil/fossiltr.h b/src/plugins/fossil/fossiltr.h index 657db81f859..39de294e872 100644 --- a/src/plugins/fossil/fossiltr.h +++ b/src/plugins/fossil/fossiltr.h @@ -9,7 +9,7 @@ namespace Fossil { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Fossil) + Q_DECLARE_TR_FUNCTIONS(QtC::Fossil) }; } // namespace Fossil diff --git a/src/plugins/genericprojectmanager/genericprojectmanagertr.h b/src/plugins/genericprojectmanager/genericprojectmanagertr.h index 1b7f007714a..0fee1c557a6 100644 --- a/src/plugins/genericprojectmanager/genericprojectmanagertr.h +++ b/src/plugins/genericprojectmanager/genericprojectmanagertr.h @@ -9,7 +9,7 @@ namespace GenericProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::GenericProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::GenericProjectManager) }; } // namespace GenericProjectManager diff --git a/src/plugins/git/gitconstants.h b/src/plugins/git/gitconstants.h index 6263ea28acb..32d456ca165 100644 --- a/src/plugins/git/gitconstants.h +++ b/src/plugins/git/gitconstants.h @@ -11,22 +11,22 @@ namespace Constants { const char GIT_PLUGIN[] = "GitPlugin"; const char GIT_SVN_LOG_EDITOR_ID[] = "Git SVN Log Editor"; -const char GIT_SVN_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git SVN Log Editor"); +const char GIT_SVN_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git SVN Log Editor"); const char GIT_LOG_EDITOR_ID[] = "Git Log Editor"; -const char GIT_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Log Editor"); +const char GIT_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Log Editor"); const char GIT_REFLOG_EDITOR_ID[] = "Git Reflog Editor"; -const char GIT_REFLOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Reflog Editor"); +const char GIT_REFLOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Reflog Editor"); const char GIT_BLAME_EDITOR_ID[] = "Git Annotation Editor"; -const char GIT_BLAME_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Annotation Editor"); +const char GIT_BLAME_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Annotation Editor"); const char GIT_COMMIT_TEXT_EDITOR_ID[] = "Git Commit Editor"; -const char GIT_COMMIT_TEXT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Commit Editor"); +const char GIT_COMMIT_TEXT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Commit Editor"); const char GIT_REBASE_EDITOR_ID[] = "Git Rebase Editor"; -const char GIT_REBASE_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Rebase Editor"); +const char GIT_REBASE_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Rebase Editor"); const char GIT_BRANCH_VIEW_ID[] = "Git Branches"; const char GIT_CONTEXT[] = "Git Context"; const char GITSUBMITEDITOR_ID[] = "Git Submit Editor"; -const char GITSUBMITEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Git Submit Editor"); +const char GITSUBMITEDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Git Submit Editor"); const char SUBMIT_MIMETYPE[] = "text/vnd.qtcreator.git.submit"; const char C_GITEDITORID[] = "Git Editor"; diff --git a/src/plugins/git/gittr.h b/src/plugins/git/gittr.h index 852a7e9750d..98171fed205 100644 --- a/src/plugins/git/gittr.h +++ b/src/plugins/git/gittr.h @@ -9,7 +9,7 @@ namespace Git { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Git) + Q_DECLARE_TR_FUNCTIONS(QtC::Git) }; } // namespace Git diff --git a/src/plugins/gitlab/gitlabtr.h b/src/plugins/gitlab/gitlabtr.h index de69ab84e25..0a1ff1c4d00 100644 --- a/src/plugins/gitlab/gitlabtr.h +++ b/src/plugins/gitlab/gitlabtr.h @@ -9,7 +9,7 @@ namespace GitLab { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::GitLab) + Q_DECLARE_TR_FUNCTIONS(QtC::GitLab) }; } // namespace GitLab diff --git a/src/plugins/glsleditor/glsleditortr.h b/src/plugins/glsleditor/glsleditortr.h index e5c4023c932..9f6455aa2c6 100644 --- a/src/plugins/glsleditor/glsleditortr.h +++ b/src/plugins/glsleditor/glsleditortr.h @@ -9,7 +9,7 @@ namespace GlslEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::GlslEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::GlslEditor) }; } // namespace GLSLEditor diff --git a/src/plugins/helloworld/helloworldtr.h b/src/plugins/helloworld/helloworldtr.h index 8d36b6f069e..53f192a4d6d 100644 --- a/src/plugins/helloworld/helloworldtr.h +++ b/src/plugins/helloworld/helloworldtr.h @@ -9,7 +9,7 @@ namespace HelloWorld { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::HelloWorld) + Q_DECLARE_TR_FUNCTIONS(QtC::HelloWorld) }; } // namespace HelloWorld diff --git a/src/plugins/help/helpconstants.h b/src/plugins/help/helpconstants.h index 163f12a2586..f47d325313f 100644 --- a/src/plugins/help/helpconstants.h +++ b/src/plugins/help/helpconstants.h @@ -34,14 +34,14 @@ const char HELP_SEARCH[] = "Help.Search"; const char HELP_BOOKMARKS[] = "Help.Bookmarks"; const char HELP_OPENPAGES[] = "Help.OpenPages"; -static const char SB_INDEX[] = QT_TRANSLATE_NOOP("::Help", "Index"); -static const char SB_CONTENTS[] = QT_TRANSLATE_NOOP("::Help", "Contents"); -static const char SB_BOOKMARKS[] = QT_TRANSLATE_NOOP("::Help", "Bookmarks"); -static const char SB_OPENPAGES[] = QT_TRANSLATE_NOOP("::Help", "Open Pages"); -static const char SB_SEARCH[] = QT_TRANSLATE_NOOP("::Help", "Search"); +static const char SB_INDEX[] = QT_TRANSLATE_NOOP("QtC::Help", "Index"); +static const char SB_CONTENTS[] = QT_TRANSLATE_NOOP("QtC::Help", "Contents"); +static const char SB_BOOKMARKS[] = QT_TRANSLATE_NOOP("QtC::Help", "Bookmarks"); +static const char SB_OPENPAGES[] = QT_TRANSLATE_NOOP("QtC::Help", "Open Pages"); +static const char SB_SEARCH[] = QT_TRANSLATE_NOOP("QtC::Help", "Search"); -static const char TR_OPEN_LINK_AS_NEW_PAGE[] = QT_TRANSLATE_NOOP("::Help", "Open Link as New Page"); -static const char TR_OPEN_LINK_IN_WINDOW[] = QT_TRANSLATE_NOOP("::Help", "Open Link in Window"); +static const char TR_OPEN_LINK_AS_NEW_PAGE[] = QT_TRANSLATE_NOOP("QtC::Help", "Open Link as New Page"); +static const char TR_OPEN_LINK_IN_WINDOW[] = QT_TRANSLATE_NOOP("QtC::Help", "Open Link in Window"); } // Constants } // Help diff --git a/src/plugins/help/helptr.h b/src/plugins/help/helptr.h index ef046f7319d..8542d4b5024 100644 --- a/src/plugins/help/helptr.h +++ b/src/plugins/help/helptr.h @@ -9,7 +9,7 @@ namespace Help { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Help) + Q_DECLARE_TR_FUNCTIONS(QtC::Help) }; } // namespace Help diff --git a/src/plugins/imageviewer/imageviewertr.h b/src/plugins/imageviewer/imageviewertr.h index 040a2744548..ba6a9d1be57 100644 --- a/src/plugins/imageviewer/imageviewertr.h +++ b/src/plugins/imageviewer/imageviewertr.h @@ -9,7 +9,7 @@ namespace ImageViewer { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ImageViewer) + Q_DECLARE_TR_FUNCTIONS(QtC::ImageViewer) }; } // namespace ImageViewer diff --git a/src/plugins/incredibuild/incredibuildtr.h b/src/plugins/incredibuild/incredibuildtr.h index 5a7b5d6cf5d..14c2d2865fe 100644 --- a/src/plugins/incredibuild/incredibuildtr.h +++ b/src/plugins/incredibuild/incredibuildtr.h @@ -9,7 +9,7 @@ namespace IncrediBuild { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::IncrediBuild) + Q_DECLARE_TR_FUNCTIONS(QtC::IncrediBuild) }; } // IncrediBuild diff --git a/src/plugins/ios/iostr.h b/src/plugins/ios/iostr.h index 9af6c3dad52..10c3556e9f0 100644 --- a/src/plugins/ios/iostr.h +++ b/src/plugins/ios/iostr.h @@ -9,7 +9,7 @@ namespace Ios { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Ios) + Q_DECLARE_TR_FUNCTIONS(QtC::Ios) }; } // namespace Ios diff --git a/src/plugins/languageclient/languageclient_global.h b/src/plugins/languageclient/languageclient_global.h index 4e57d0057d6..0dca3e6bbfc 100644 --- a/src/plugins/languageclient/languageclient_global.h +++ b/src/plugins/languageclient/languageclient_global.h @@ -19,15 +19,15 @@ namespace Constants { const char LANGUAGECLIENT_SETTINGS_CATEGORY[] = "ZY.LanguageClient"; const char LANGUAGECLIENT_SETTINGS_PAGE[] = "LanguageClient.General"; const char LANGUAGECLIENT_STDIO_SETTINGS_ID[] = "LanguageClient::StdIOSettingsID"; -const char LANGUAGECLIENT_SETTINGS_TR[] = QT_TRANSLATE_NOOP("::LanguageClient", "Language Client"); +const char LANGUAGECLIENT_SETTINGS_TR[] = QT_TRANSLATE_NOOP("QtC::LanguageClient", "Language Client"); const char LANGUAGECLIENT_DOCUMENT_FILTER_ID[] = "Current Document Symbols"; -const char LANGUAGECLIENT_DOCUMENT_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::LanguageClient", "Symbols in Current Document"); +const char LANGUAGECLIENT_DOCUMENT_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::LanguageClient", "Symbols in Current Document"); const char LANGUAGECLIENT_WORKSPACE_FILTER_ID[] = "Workspace Symbols"; -const char LANGUAGECLIENT_WORKSPACE_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::LanguageClient", "Symbols in Workspace"); +const char LANGUAGECLIENT_WORKSPACE_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::LanguageClient", "Symbols in Workspace"); const char LANGUAGECLIENT_WORKSPACE_CLASS_FILTER_ID[] = "Workspace Classes and Structs"; -const char LANGUAGECLIENT_WORKSPACE_CLASS_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::LanguageClient", "Classes and Structs in Workspace"); +const char LANGUAGECLIENT_WORKSPACE_CLASS_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::LanguageClient", "Classes and Structs in Workspace"); const char LANGUAGECLIENT_WORKSPACE_METHOD_FILTER_ID[] = "Workspace Functions and Methods"; -const char LANGUAGECLIENT_WORKSPACE_METHOD_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::LanguageClient", "Functions and Methods in Workspace"); +const char LANGUAGECLIENT_WORKSPACE_METHOD_FILTER_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::LanguageClient", "Functions and Methods in Workspace"); } // namespace Constants } // namespace LanguageClient diff --git a/src/plugins/languageclient/languageclienttr.h b/src/plugins/languageclient/languageclienttr.h index 261d8745c27..e2c53af50f8 100644 --- a/src/plugins/languageclient/languageclienttr.h +++ b/src/plugins/languageclient/languageclienttr.h @@ -9,7 +9,7 @@ namespace LanguageClient { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::LanguageClient) + Q_DECLARE_TR_FUNCTIONS(QtC::LanguageClient) }; } // namespace LanguageClient diff --git a/src/plugins/macros/macrostr.h b/src/plugins/macros/macrostr.h index 854a9db8935..9de9a679354 100644 --- a/src/plugins/macros/macrostr.h +++ b/src/plugins/macros/macrostr.h @@ -9,7 +9,7 @@ namespace Macros { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Macros) + Q_DECLARE_TR_FUNCTIONS(QtC::Macros) }; } // namespace Macros diff --git a/src/plugins/marketplace/marketplacetr.h b/src/plugins/marketplace/marketplacetr.h index 95404ec64a3..3f20fbf574b 100644 --- a/src/plugins/marketplace/marketplacetr.h +++ b/src/plugins/marketplace/marketplacetr.h @@ -9,7 +9,7 @@ namespace Marketplace { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Marketplace) + Q_DECLARE_TR_FUNCTIONS(QtC::Marketplace) }; } // namespace Marketplace diff --git a/src/plugins/mcusupport/mcusupporttr.h b/src/plugins/mcusupport/mcusupporttr.h index c63ca55bdb7..dcfa61a94ff 100644 --- a/src/plugins/mcusupport/mcusupporttr.h +++ b/src/plugins/mcusupport/mcusupporttr.h @@ -9,7 +9,7 @@ namespace McuSupport { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::McuSupport) + Q_DECLARE_TR_FUNCTIONS(QtC::McuSupport) }; } // namespace McuSupport diff --git a/src/plugins/mercurial/constants.h b/src/plugins/mercurial/constants.h index 6ec215db4a8..e38871e4aa7 100644 --- a/src/plugins/mercurial/constants.h +++ b/src/plugins/mercurial/constants.h @@ -23,20 +23,20 @@ const char DIFFIDENTIFIER[] = "^(?:diff --git a/|[+-]{3} (?:/dev/null|[ab]/(.+$) // Base editor parameters const char FILELOG_ID[] = "Mercurial File Log Editor"; -const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Mercurial File Log Editor"); +const char FILELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Mercurial File Log Editor"); const char LOGAPP[] = "text/vnd.qtcreator.mercurial.log"; const char ANNOTATELOG_ID[] = "Mercurial Annotation Editor"; -const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Mercurial Annotation Editor"); +const char ANNOTATELOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Mercurial Annotation Editor"); const char ANNOTATEAPP[] = "text/vnd.qtcreator.mercurial.annotation"; const char DIFFLOG_ID[] = "Mercurial Diff Editor"; -const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Mercurial Diff Editor"); +const char DIFFLOG_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Mercurial Diff Editor"); const char DIFFAPP[] = "text/x-patch"; // Submit editor parameters const char COMMIT_ID[] = "Mercurial Commit Log Editor"; -const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Mercurial Commit Log Editor"); +const char COMMIT_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Mercurial Commit Log Editor"); const char COMMITMIMETYPE[] = "text/vnd.qtcreator.mercurial.commit"; // File menu actions diff --git a/src/plugins/mercurial/mercurialtr.h b/src/plugins/mercurial/mercurialtr.h index f220cc8d8aa..cb16de6dd72 100644 --- a/src/plugins/mercurial/mercurialtr.h +++ b/src/plugins/mercurial/mercurialtr.h @@ -9,7 +9,7 @@ namespace Mercurial { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Mercurial) + Q_DECLARE_TR_FUNCTIONS(QtC::Mercurial) }; } // namespace Mercurial diff --git a/src/plugins/mesonprojectmanager/mesonactionsmanager.h b/src/plugins/mesonprojectmanager/mesonactionsmanager.h index 0bb81c753b3..004be312a3c 100644 --- a/src/plugins/mesonprojectmanager/mesonactionsmanager.h +++ b/src/plugins/mesonprojectmanager/mesonactionsmanager.h @@ -14,8 +14,8 @@ class MesonActionsManager : public QObject { Q_OBJECT Utils::ParameterAction buildTargetContextAction{ - QCoreApplication::translate("::MesonProjectManager", "Build"), - QCoreApplication::translate("::MesonProjectManager", "Build \"%1\""), + QCoreApplication::translate("QtC::MesonProjectManager", "Build"), + QCoreApplication::translate("QtC::MesonProjectManager", "Build \"%1\""), Utils::ParameterAction::AlwaysEnabled /*handled manually*/ }; QAction configureActionMenu; diff --git a/src/plugins/mesonprojectmanager/mesonprojectmanagertr.h b/src/plugins/mesonprojectmanager/mesonprojectmanagertr.h index f9f20dbf469..575a8af8902 100644 --- a/src/plugins/mesonprojectmanager/mesonprojectmanagertr.h +++ b/src/plugins/mesonprojectmanager/mesonprojectmanagertr.h @@ -9,7 +9,7 @@ namespace MesonProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::MesonProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::MesonProjectManager) }; } // namespace MesonProjectManager diff --git a/src/plugins/modeleditor/modeleditortr.h b/src/plugins/modeleditor/modeleditortr.h index 5f353432046..c2c3ea7048f 100644 --- a/src/plugins/modeleditor/modeleditortr.h +++ b/src/plugins/modeleditor/modeleditortr.h @@ -9,7 +9,7 @@ namespace ModelEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ModelEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::ModelEditor) }; } // namespace ModelEditor diff --git a/src/plugins/nim/nimconstants.h b/src/plugins/nim/nimconstants.h index 21e00d5e754..5c66be9f295 100644 --- a/src/plugins/nim/nimconstants.h +++ b/src/plugins/nim/nimconstants.h @@ -52,7 +52,7 @@ const char C_NIMCODESTYLESETTINGSPAGE_CATEGORY[] = "Z.Nim"; const char C_NIMTOOLSSETTINGSPAGE_ID[] = "Nim.NimToolsSettings"; const char C_NIMTOOLSSETTINGSPAGE_CATEGORY[] = "Z.Nim"; -const char C_NIMLANGUAGE_NAME[] = QT_TRANSLATE_NOOP("::Nim", "Nim"); +const char C_NIMLANGUAGE_NAME[] = QT_TRANSLATE_NOOP("QtC::Nim", "Nim"); const char C_NIMGLOBALCODESTYLE_ID[] = "NimGlobal"; const QString C_NIMSNIPPETSGROUP_ID = QStringLiteral("Nim.NimSnippetsGroup"); diff --git a/src/plugins/nim/nimtr.h b/src/plugins/nim/nimtr.h index a15d194bc13..b86f7fe964c 100644 --- a/src/plugins/nim/nimtr.h +++ b/src/plugins/nim/nimtr.h @@ -9,7 +9,7 @@ namespace Nim { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Nim) + Q_DECLARE_TR_FUNCTIONS(QtC::Nim) }; } // namespace Nim diff --git a/src/plugins/perforce/perforceplugin.cpp b/src/plugins/perforce/perforceplugin.cpp index 636fed75600..31fcb97a208 100644 --- a/src/plugins/perforce/perforceplugin.cpp +++ b/src/plugins/perforce/perforceplugin.cpp @@ -64,16 +64,16 @@ const char SUBMIT_MIMETYPE[] = "text/vnd.qtcreator.p4.submit"; const char PERFORCE_CONTEXT[] = "Perforce Context"; const char PERFORCE_SUBMIT_EDITOR_ID[] = "Perforce.SubmitEditor"; -const char PERFORCE_SUBMIT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Perforce.SubmitEditor"); +const char PERFORCE_SUBMIT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Perforce.SubmitEditor"); const char PERFORCE_LOG_EDITOR_ID[] = "Perforce.LogEditor"; -const char PERFORCE_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Perforce Log Editor"); +const char PERFORCE_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Perforce Log Editor"); const char PERFORCE_DIFF_EDITOR_ID[] = "Perforce.DiffEditor"; -const char PERFORCE_DIFF_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Perforce Diff Editor"); +const char PERFORCE_DIFF_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Perforce Diff Editor"); const char PERFORCE_ANNOTATION_EDITOR_ID[] = "Perforce.AnnotationEditor"; -const char PERFORCE_ANNOTATION_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Perforce Annotation Editor"); +const char PERFORCE_ANNOTATION_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Perforce Annotation Editor"); // Ensure adding "..." to relative paths which is p4's convention // for the current directory diff --git a/src/plugins/perforce/perforcetr.h b/src/plugins/perforce/perforcetr.h index cd33f4574d0..9fe8ea9005c 100644 --- a/src/plugins/perforce/perforcetr.h +++ b/src/plugins/perforce/perforcetr.h @@ -9,7 +9,7 @@ namespace Perforce { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Perforce) + Q_DECLARE_TR_FUNCTIONS(QtC::Perforce) }; } // Perforce diff --git a/src/plugins/perfprofiler/perfprofilerstatisticsmodel.cpp b/src/plugins/perfprofiler/perfprofilerstatisticsmodel.cpp index 5765afb135d..112252923f5 100644 --- a/src/plugins/perfprofiler/perfprofilerstatisticsmodel.cpp +++ b/src/plugins/perfprofiler/perfprofilerstatisticsmodel.cpp @@ -12,19 +12,19 @@ namespace PerfProfiler { namespace Internal { static const char *headerLabels[] = { - QT_TRANSLATE_NOOP("::PerfProfiler", "Address"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Function"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Source Location"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Binary Location"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Caller"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Callee"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Occurrences"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Occurrences in Percent"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Recursion in Percent"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Samples"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Samples in Percent"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Self Samples"), - QT_TRANSLATE_NOOP("::PerfProfiler", "Self in Percent") + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Address"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Function"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Source Location"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Binary Location"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Caller"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Callee"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Occurrences"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Occurrences in Percent"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Recursion in Percent"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Samples"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Samples in Percent"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Self Samples"), + QT_TRANSLATE_NOOP("QtC::PerfProfiler", "Self in Percent") }; Q_STATIC_ASSERT(sizeof(headerLabels) == diff --git a/src/plugins/perfprofiler/perfprofilertool.h b/src/plugins/perfprofiler/perfprofilertool.h index 0f158083a18..4244e7a2824 100644 --- a/src/plugins/perfprofiler/perfprofilertool.h +++ b/src/plugins/perfprofiler/perfprofilertool.h @@ -83,7 +83,7 @@ private: void finalize(); Utils::Perspective m_perspective{Constants::PerfProfilerPerspectiveId, - QCoreApplication::translate("::PerfProfiler", + QCoreApplication::translate("QtC::PerfProfiler", "Performance Analyzer")}; QAction *m_startAction = nullptr; diff --git a/src/plugins/perfprofiler/perfprofilertr.h b/src/plugins/perfprofiler/perfprofilertr.h index 50a411b99b3..88cc0c8419c 100644 --- a/src/plugins/perfprofiler/perfprofilertr.h +++ b/src/plugins/perfprofiler/perfprofilertr.h @@ -9,7 +9,7 @@ namespace PerfProfiler { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::PerfProfiler) + Q_DECLARE_TR_FUNCTIONS(QtC::PerfProfiler) }; } // namespace PerfProfiler diff --git a/src/plugins/projectexplorer/compileoutputwindow.h b/src/plugins/projectexplorer/compileoutputwindow.h index 6efd41a34ff..e1f000de9ae 100644 --- a/src/plugins/projectexplorer/compileoutputwindow.h +++ b/src/plugins/projectexplorer/compileoutputwindow.h @@ -37,7 +37,7 @@ public: QWidget *outputWidget(QWidget *) override; QList toolBarWidgets() const override; QString displayName() const override { - return QCoreApplication::translate("::ProjectExplorer","Compile Output"); } + return QCoreApplication::translate("QtC::ProjectExplorer","Compile Output"); } int priorityInStatusBar() const override; void clearContents() override; bool canFocus() const override; diff --git a/src/plugins/projectexplorer/projectexplorerconstants.h b/src/plugins/projectexplorer/projectexplorerconstants.h index 59d361d9775..1ebf33ddecd 100644 --- a/src/plugins/projectexplorer/projectexplorerconstants.h +++ b/src/plugins/projectexplorer/projectexplorerconstants.h @@ -115,16 +115,16 @@ const char TASK_CATEGORY_TASKLIST_ID[] = "Task.Category.TaskListId"; // Wizard categories const char QT_PROJECT_WIZARD_CATEGORY[] = "H.Project"; -const char QT_PROJECT_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("::ProjectExplorer", "Other Project"); +const char QT_PROJECT_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("QtC::ProjectExplorer", "Other Project"); const char QT_APPLICATION_WIZARD_CATEGORY[] = "F.Application"; -const char QT_APPLICATION_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("::ProjectExplorer", "Application"); +const char QT_APPLICATION_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("QtC::ProjectExplorer", "Application"); const char LIBRARIES_WIZARD_CATEGORY[] = "G.Library"; -const char LIBRARIES_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("::ProjectExplorer", "Library"); +const char LIBRARIES_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("QtC::ProjectExplorer", "Library"); const char IMPORT_WIZARD_CATEGORY[] = "T.Import"; -const char IMPORT_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("::ProjectExplorer", "Import Project"); +const char IMPORT_WIZARD_CATEGORY_DISPLAY[] = QT_TRANSLATE_NOOP("QtC::ProjectExplorer", "Import Project"); // Wizard extra values const char PREFERRED_PROJECT_NODE[] = "ProjectExplorer.PreferredProjectNode"; diff --git a/src/plugins/projectexplorer/projectexplorertr.h b/src/plugins/projectexplorer/projectexplorertr.h index aea17355148..fbe405f8811 100644 --- a/src/plugins/projectexplorer/projectexplorertr.h +++ b/src/plugins/projectexplorer/projectexplorertr.h @@ -9,7 +9,7 @@ namespace ProjectExplorer { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ProjectExplorer) + Q_DECLARE_TR_FUNCTIONS(QtC::ProjectExplorer) }; } // namespace ProjectExplorer diff --git a/src/plugins/projectexplorer/projectwelcomepage.h b/src/plugins/projectexplorer/projectwelcomepage.h index a4e039f0706..a9c81459635 100644 --- a/src/plugins/projectexplorer/projectwelcomepage.h +++ b/src/plugins/projectexplorer/projectwelcomepage.h @@ -43,7 +43,7 @@ class ProjectWelcomePage : public Core::IWelcomePage public: ProjectWelcomePage(); - QString title() const override { return QCoreApplication::translate("::ProjectExplorer", "Projects"); } + QString title() const override { return QCoreApplication::translate("QtC::ProjectExplorer", "Projects"); } int priority() const override { return 20; } Utils::Id id() const override; QWidget *createWidget() const override; diff --git a/src/plugins/python/pythontr.h b/src/plugins/python/pythontr.h index f2cb90e754c..eeeaaf4d581 100644 --- a/src/plugins/python/pythontr.h +++ b/src/plugins/python/pythontr.h @@ -9,7 +9,7 @@ namespace Python { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Python) + Q_DECLARE_TR_FUNCTIONS(QtC::Python) }; } // namespace Python diff --git a/src/plugins/qbsprojectmanager/qbsprojectmanagerconstants.h b/src/plugins/qbsprojectmanager/qbsprojectmanagerconstants.h index 124b4819400..8b35e0f0880 100644 --- a/src/plugins/qbsprojectmanager/qbsprojectmanagerconstants.h +++ b/src/plugins/qbsprojectmanager/qbsprojectmanagerconstants.h @@ -71,7 +71,7 @@ const char XCODE_SDK[] = "xcode.sdk"; // Settings page const char QBS_SETTINGS_CATEGORY[] = "K.Qbs"; -const char QBS_SETTINGS_TR_CATEGORY[] = QT_TRANSLATE_NOOP("::QbsProjectManager", "Qbs"); +const char QBS_SETTINGS_TR_CATEGORY[] = QT_TRANSLATE_NOOP("QtC::QbsProjectManager", "Qbs"); const char QBS_SETTINGS_CATEGORY_ICON[] = ":/projectexplorer/images/build.png"; const char QBS_PROFILING_ENV[] = "QTC_QBS_PROFILING"; diff --git a/src/plugins/qbsprojectmanager/qbsprojectmanagertr.h b/src/plugins/qbsprojectmanager/qbsprojectmanagertr.h index 2dacbdd215c..4e1e01fc1f8 100644 --- a/src/plugins/qbsprojectmanager/qbsprojectmanagertr.h +++ b/src/plugins/qbsprojectmanager/qbsprojectmanagertr.h @@ -9,7 +9,7 @@ namespace QbsProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QbsProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::QbsProjectManager) }; } // namespace QbsProjectManager diff --git a/src/plugins/qmakeprojectmanager/qmakenodetreebuilder.cpp b/src/plugins/qmakeprojectmanager/qmakenodetreebuilder.cpp index ab84b1ce37e..f261594e59e 100644 --- a/src/plugins/qmakeprojectmanager/qmakenodetreebuilder.cpp +++ b/src/plugins/qmakeprojectmanager/qmakenodetreebuilder.cpp @@ -41,19 +41,19 @@ public: }; const FileTypeDataStorage fileTypeDataStorage[] = { - { FileType::Header, QT_TRANSLATE_NOOP("::QmakeProjectManager", "Headers"), + { FileType::Header, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "Headers"), ProjectExplorer::Constants::FILEOVERLAY_H, "*.h; *.hh; *.hpp; *.hxx;"}, - { FileType::Source, QT_TRANSLATE_NOOP("::QmakeProjectManager", "Sources"), + { FileType::Source, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "Sources"), ProjectExplorer::Constants::FILEOVERLAY_CPP, "*.c; *.cc; *.cpp; *.cp; *.cxx; *.c++;" }, - { FileType::Form, QT_TRANSLATE_NOOP("::QmakeProjectManager", "Forms"), + { FileType::Form, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "Forms"), ProjectExplorer::Constants::FILEOVERLAY_UI, "*.ui;" }, - { FileType::StateChart, QT_TRANSLATE_NOOP("::QmakeProjectManager", "State charts"), + { FileType::StateChart, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "State charts"), ProjectExplorer::Constants::FILEOVERLAY_SCXML, "*.scxml;" }, - { FileType::Resource, QT_TRANSLATE_NOOP("::QmakeProjectManager", "Resources"), + { FileType::Resource, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "Resources"), ProjectExplorer::Constants::FILEOVERLAY_QRC, "*.qrc;" }, - { FileType::QML, QT_TRANSLATE_NOOP("::QmakeProjectManager", "QML"), + { FileType::QML, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "QML"), ProjectExplorer::Constants::FILEOVERLAY_QML, "*.qml;" }, - { FileType::Unknown, QT_TRANSLATE_NOOP("::QmakeProjectManager", "Other files"), + { FileType::Unknown, QT_TRANSLATE_NOOP("QtC::QmakeProjectManager", "Other files"), ProjectExplorer::Constants::FILEOVERLAY_UNKNOWN, "*;" } }; diff --git a/src/plugins/qmakeprojectmanager/qmakeprojectmanagertr.h b/src/plugins/qmakeprojectmanager/qmakeprojectmanagertr.h index 1eb7ca38fcf..06174c5d0a7 100644 --- a/src/plugins/qmakeprojectmanager/qmakeprojectmanagertr.h +++ b/src/plugins/qmakeprojectmanager/qmakeprojectmanagertr.h @@ -9,7 +9,7 @@ namespace QmakeProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmakeProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::QmakeProjectManager) }; } // namespace QmakeProjectManager diff --git a/src/plugins/qmldesigner/qmldesignertr.h b/src/plugins/qmldesigner/qmldesignertr.h index 71ecd7dc252..5c57d49d212 100644 --- a/src/plugins/qmldesigner/qmldesignertr.h +++ b/src/plugins/qmldesigner/qmldesignertr.h @@ -9,7 +9,7 @@ namespace QmlDesigner { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlDesigner) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlDesigner) }; } // namespace QmlDesigner diff --git a/src/plugins/qmljseditor/qmljseditortr.h b/src/plugins/qmljseditor/qmljseditortr.h index 1061481fd15..1b31528a688 100644 --- a/src/plugins/qmljseditor/qmljseditortr.h +++ b/src/plugins/qmljseditor/qmljseditortr.h @@ -9,7 +9,7 @@ namespace QmlJSEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlJSEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlJSEditor) }; } // namespace QmlJSEditor diff --git a/src/plugins/qmljstools/qmljstoolsconstants.h b/src/plugins/qmljstools/qmljstoolsconstants.h index d6302e110a7..f7555f54a75 100644 --- a/src/plugins/qmljstools/qmljstoolsconstants.h +++ b/src/plugins/qmljstools/qmljstoolsconstants.h @@ -17,7 +17,7 @@ const char JS_MIMETYPE[] = "application/javascript"; const char JSON_MIMETYPE[] = "application/json"; const char QML_JS_CODE_STYLE_SETTINGS_ID[] = "A.Code Style"; -const char QML_JS_CODE_STYLE_SETTINGS_NAME[] = QT_TRANSLATE_NOOP("::QmlJSTools", "Code Style"); +const char QML_JS_CODE_STYLE_SETTINGS_NAME[] = QT_TRANSLATE_NOOP("QtC::QmlJSTools", "Code Style"); const char QML_JS_SETTINGS_ID[] = "QmlJS"; diff --git a/src/plugins/qmljstools/qmljstoolstr.h b/src/plugins/qmljstools/qmljstoolstr.h index 3da70ba463d..bcac491e61d 100644 --- a/src/plugins/qmljstools/qmljstoolstr.h +++ b/src/plugins/qmljstools/qmljstoolstr.h @@ -9,7 +9,7 @@ namespace QmlJSTools { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlJSTools) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlJSTools) }; } // namespace QmlJSTools diff --git a/src/plugins/qmlpreview/qmlpreviewtr.h b/src/plugins/qmlpreview/qmlpreviewtr.h index 84904bb1847..01300719175 100644 --- a/src/plugins/qmlpreview/qmlpreviewtr.h +++ b/src/plugins/qmlpreview/qmlpreviewtr.h @@ -9,7 +9,7 @@ namespace QmlPreview { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlPreview) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlPreview) }; } // namespace QmlPreview diff --git a/src/plugins/qmlprofiler/debugmessagesmodel.cpp b/src/plugins/qmlprofiler/debugmessagesmodel.cpp index c4ef1ad2571..3ccb3843516 100644 --- a/src/plugins/qmlprofiler/debugmessagesmodel.cpp +++ b/src/plugins/qmlprofiler/debugmessagesmodel.cpp @@ -27,11 +27,11 @@ QRgb DebugMessagesModel::color(int index) const } static const char *messageTypes[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "Debug Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Warning Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Critical Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Fatal Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Info Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Debug Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Warning Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Critical Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Fatal Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Info Message"), }; QString DebugMessagesModel::messageType(uint i) diff --git a/src/plugins/qmlprofiler/qmlprofilermodelmanager.cpp b/src/plugins/qmlprofiler/qmlprofilermodelmanager.cpp index af3134a69da..082090262dd 100644 --- a/src/plugins/qmlprofiler/qmlprofilermodelmanager.cpp +++ b/src/plugins/qmlprofiler/qmlprofilermodelmanager.cpp @@ -22,19 +22,19 @@ namespace QmlProfiler { static const char *ProfileFeatureNames[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "JavaScript"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Memory Usage"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Pixmap Cache"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Scene Graph"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Animations"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Painting"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Compiling"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Creating"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Binding"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Handling Signal"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Input Events"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Debug Messages"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Quick3D") + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "JavaScript"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Memory Usage"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Pixmap Cache"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Scene Graph"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Animations"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Painting"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Compiling"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Creating"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Binding"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Handling Signal"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Input Events"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Debug Messages"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Quick3D") }; Q_STATIC_ASSERT(sizeof(ProfileFeatureNames) == sizeof(char *) * MaximumProfileFeature); diff --git a/src/plugins/qmlprofiler/qmlprofilertr.h b/src/plugins/qmlprofiler/qmlprofilertr.h index e8326c0b641..b63f73b5cba 100644 --- a/src/plugins/qmlprofiler/qmlprofilertr.h +++ b/src/plugins/qmlprofiler/qmlprofilertr.h @@ -9,7 +9,7 @@ namespace QmlProfiler { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlProfiler) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlProfiler) }; } // namespace QmlProfiler diff --git a/src/plugins/qmlprofiler/quick3dmodel.cpp b/src/plugins/qmlprofiler/quick3dmodel.cpp index fc0b9fff1ea..259eadb2332 100644 --- a/src/plugins/qmlprofiler/quick3dmodel.cpp +++ b/src/plugins/qmlprofiler/quick3dmodel.cpp @@ -30,27 +30,27 @@ QRgb Quick3DModel::color(int index) const } static const char *messageTypes[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Frame"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Synchronize Frame"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Prepare Frame"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Mesh Load"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Custom Mesh Load"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Load"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Generate Shader"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Load Shader"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Particle Update"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Call"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Pass"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Event Data"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Frame"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Synchronize Frame"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Prepare Frame"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Mesh Load"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Custom Mesh Load"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Load"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Generate Shader"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Load Shader"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Particle Update"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Call"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Pass"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Event Data"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Mesh Memory consumption"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Memory consumption"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Mesh Memory consumption"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Memory consumption"), }; static const char *unloadMessageTypes[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "Mesh Unload"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Custom Mesh Unload"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Unload"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Mesh Unload"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Custom Mesh Unload"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Unload"), }; QString Quick3DModel::messageType(uint i) diff --git a/src/plugins/qmlprofiler/scenegraphtimelinemodel.cpp b/src/plugins/qmlprofiler/scenegraphtimelinemodel.cpp index 395e78cbf7e..586b9f63133 100644 --- a/src/plugins/qmlprofiler/scenegraphtimelinemodel.cpp +++ b/src/plugins/qmlprofiler/scenegraphtimelinemodel.cpp @@ -15,32 +15,32 @@ namespace QmlProfiler { namespace Internal { static const char *ThreadLabels[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "GUI Thread"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Thread"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Thread Details") + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "GUI Thread"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Thread"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Thread Details") }; static const char *StageLabels[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "Polish"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Wait"), - QT_TRANSLATE_NOOP("::QmlProfiler", "GUI Thread Sync"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Animations"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Thread Sync"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Swap"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Preprocess"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Update"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Bind"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Render Render"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Material Compile"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Glyph Render"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Glyph Upload"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Bind"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Convert"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Swizzle"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Upload"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Mipmap"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Texture Delete") + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Polish"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Wait"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "GUI Thread Sync"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Animations"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Thread Sync"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Swap"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Preprocess"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Update"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Bind"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Render Render"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Material Compile"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Glyph Render"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Glyph Upload"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Bind"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Convert"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Swizzle"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Upload"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Mipmap"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Texture Delete") }; enum SceneGraphCategoryType { diff --git a/src/plugins/qmlprofiler/tests/debugmessagesmodel_test.cpp b/src/plugins/qmlprofiler/tests/debugmessagesmodel_test.cpp index 321cadc5eb0..837e19c9909 100644 --- a/src/plugins/qmlprofiler/tests/debugmessagesmodel_test.cpp +++ b/src/plugins/qmlprofiler/tests/debugmessagesmodel_test.cpp @@ -50,11 +50,11 @@ void DebugMessagesModelTest::testColor() } static const char *messageTypes[] = { - QT_TRANSLATE_NOOP("::QmlProfiler", "Debug Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Warning Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Critical Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Fatal Message"), - QT_TRANSLATE_NOOP("::QmlProfiler", "Info Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Debug Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Warning Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Critical Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Fatal Message"), + QT_TRANSLATE_NOOP("QtC::QmlProfiler", "Info Message"), }; void DebugMessagesModelTest::testLabels() diff --git a/src/plugins/qmlprojectmanager/qmlmainfileaspect.cpp b/src/plugins/qmlprojectmanager/qmlmainfileaspect.cpp index 08e236504d7..279b48ccb1e 100644 --- a/src/plugins/qmlprojectmanager/qmlmainfileaspect.cpp +++ b/src/plugins/qmlprojectmanager/qmlmainfileaspect.cpp @@ -30,7 +30,7 @@ using namespace Utils; namespace QmlProjectManager { const char M_CURRENT_FILE[] = "CurrentFile"; -const char CURRENT_FILE[] = QT_TRANSLATE_NOOP("::QmlProjectManager", ""); +const char CURRENT_FILE[] = QT_TRANSLATE_NOOP("QtC::QmlProjectManager", ""); static bool caseInsensitiveLessThan(const FilePath &s1, const FilePath &s2) { diff --git a/src/plugins/qmlprojectmanager/qmlprojectmanagertr.h b/src/plugins/qmlprojectmanager/qmlprojectmanagertr.h index 0921f0549ee..b9d8198bcef 100644 --- a/src/plugins/qmlprojectmanager/qmlprojectmanagertr.h +++ b/src/plugins/qmlprojectmanager/qmlprojectmanagertr.h @@ -9,7 +9,7 @@ namespace QmlProjectManager { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmlProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::QmlProjectManager) }; } // namespace QmlProjectManager diff --git a/src/plugins/qnx/qnxtr.h b/src/plugins/qnx/qnxtr.h index e0666aafd6a..9410828e97f 100644 --- a/src/plugins/qnx/qnxtr.h +++ b/src/plugins/qnx/qnxtr.h @@ -9,7 +9,7 @@ namespace Qnx { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Qnx) + Q_DECLARE_TR_FUNCTIONS(QtC::Qnx) }; } // namespace Qnx diff --git a/src/plugins/qtsupport/externaleditors.cpp b/src/plugins/qtsupport/externaleditors.cpp index afff6a0b77f..e65d85ea255 100644 --- a/src/plugins/qtsupport/externaleditors.cpp +++ b/src/plugins/qtsupport/externaleditors.cpp @@ -36,7 +36,7 @@ enum { debug = 0 }; namespace QtSupport::Internal { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QmakeProjectManager) + Q_DECLARE_TR_FUNCTIONS(QtC::QmakeProjectManager) }; // Locate a binary in a directory, applying all kinds of diff --git a/src/plugins/qtsupport/qtsupporttr.h b/src/plugins/qtsupport/qtsupporttr.h index 6bd9ac0865c..3c14a22d5c5 100644 --- a/src/plugins/qtsupport/qtsupporttr.h +++ b/src/plugins/qtsupport/qtsupporttr.h @@ -9,7 +9,7 @@ namespace QtSupport { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::QtSupport) + Q_DECLARE_TR_FUNCTIONS(QtC::QtSupport) }; } // namespace QtSupport diff --git a/src/plugins/remotelinux/remotelinuxtr.h b/src/plugins/remotelinux/remotelinuxtr.h index 99e2f79ae89..77a2b6a2840 100644 --- a/src/plugins/remotelinux/remotelinuxtr.h +++ b/src/plugins/remotelinux/remotelinuxtr.h @@ -9,7 +9,7 @@ namespace RemoteLinux { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::RemoteLinux) + Q_DECLARE_TR_FUNCTIONS(QtC::RemoteLinux) }; } // namespace RemoteLinux diff --git a/src/plugins/resourceeditor/resourceeditortr.h b/src/plugins/resourceeditor/resourceeditortr.h index 2fac00c620b..4eaf445b386 100644 --- a/src/plugins/resourceeditor/resourceeditortr.h +++ b/src/plugins/resourceeditor/resourceeditortr.h @@ -9,7 +9,7 @@ namespace ResourceEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ResourceEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::ResourceEditor) }; } // namespace ResourceEditor diff --git a/src/plugins/scxmleditor/common/search.h b/src/plugins/scxmleditor/common/search.h index 6a25299d3e4..9a5d9a028b5 100644 --- a/src/plugins/scxmleditor/common/search.h +++ b/src/plugins/scxmleditor/common/search.h @@ -40,7 +40,7 @@ public: QString title() const override { - return QCoreApplication::translate("::ScxmlEditor", "Search"); + return QCoreApplication::translate("QtC::ScxmlEditor", "Search"); } QIcon icon() const override diff --git a/src/plugins/scxmleditor/scxmleditortr.h b/src/plugins/scxmleditor/scxmleditortr.h index c25dbc764a6..bafd5fd4292 100644 --- a/src/plugins/scxmleditor/scxmleditortr.h +++ b/src/plugins/scxmleditor/scxmleditortr.h @@ -9,7 +9,7 @@ namespace ScxmlEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::ScxmlEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::ScxmlEditor) }; } // namespace ScxmlEditor diff --git a/src/plugins/serialterminal/serialterminalconstants.h b/src/plugins/serialterminal/serialterminalconstants.h index cc2f67ef335..bcd94afe3bb 100644 --- a/src/plugins/serialterminal/serialterminalconstants.h +++ b/src/plugins/serialterminal/serialterminalconstants.h @@ -8,7 +8,7 @@ namespace SerialTerminal { namespace Constants { -const char OUTPUT_PANE_TITLE[] = QT_TRANSLATE_NOOP("::SerialTerminal", "Serial Terminal"); +const char OUTPUT_PANE_TITLE[] = QT_TRANSLATE_NOOP("QtC::SerialTerminal", "Serial Terminal"); const char LOGGING_CATEGORY[] = "qtc.serialterminal.outputpane"; diff --git a/src/plugins/serialterminal/serialterminaltr.h b/src/plugins/serialterminal/serialterminaltr.h index 0dc1fb5234d..9145de8cd20 100644 --- a/src/plugins/serialterminal/serialterminaltr.h +++ b/src/plugins/serialterminal/serialterminaltr.h @@ -9,7 +9,7 @@ namespace SerialTerminal { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::SerialTerminal) + Q_DECLARE_TR_FUNCTIONS(QtC::SerialTerminal) }; } // namespace SerialTerminal diff --git a/src/plugins/silversearcher/silversearchertr.h b/src/plugins/silversearcher/silversearchertr.h index 13bc074be89..a5e95f2a186 100644 --- a/src/plugins/silversearcher/silversearchertr.h +++ b/src/plugins/silversearcher/silversearchertr.h @@ -9,7 +9,7 @@ namespace SilverSearcher { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::SilverSearcher) + Q_DECLARE_TR_FUNCTIONS(QtC::SilverSearcher) }; } // namespace SilverSearcher diff --git a/src/plugins/squish/deletesymbolicnamedialog.cpp b/src/plugins/squish/deletesymbolicnamedialog.cpp index 8b9f6eba096..0f2a909c13e 100644 --- a/src/plugins/squish/deletesymbolicnamedialog.cpp +++ b/src/plugins/squish/deletesymbolicnamedialog.cpp @@ -104,7 +104,7 @@ DeleteSymbolicNameDialog::~DeleteSymbolicNameDialog() = default; void DeleteSymbolicNameDialog::updateDetailsLabel(const QString &nameToDelete) { - const char *detailsText = QT_TRANSLATE_NOOP("::Squish", + const char *detailsText = QT_TRANSLATE_NOOP("QtC::Squish", "The Symbolic Name \"%1\" you " "want to remove is used in Multi Property Names. Select the action to " "apply to references in these Multi Property Names."); diff --git a/src/plugins/squish/squishtr.h b/src/plugins/squish/squishtr.h index 5488c591365..7c7d2795f11 100644 --- a/src/plugins/squish/squishtr.h +++ b/src/plugins/squish/squishtr.h @@ -9,7 +9,7 @@ namespace Squish { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Squish) + Q_DECLARE_TR_FUNCTIONS(QtC::Squish) }; } // namespace Squish diff --git a/src/plugins/studiowelcome/studiowelcometr.h b/src/plugins/studiowelcome/studiowelcometr.h index 12d8be459a5..ef31416b6ff 100644 --- a/src/plugins/studiowelcome/studiowelcometr.h +++ b/src/plugins/studiowelcome/studiowelcometr.h @@ -9,7 +9,7 @@ namespace StudioWelcome { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::StudioWelcome) + Q_DECLARE_TR_FUNCTIONS(QtC::StudioWelcome) }; } // namespace StudioWelcome diff --git a/src/plugins/subversion/subversionconstants.h b/src/plugins/subversion/subversionconstants.h index c2bbf07c2e4..b0d6ce8f45a 100644 --- a/src/plugins/subversion/subversionconstants.h +++ b/src/plugins/subversion/subversionconstants.h @@ -16,15 +16,15 @@ enum { debug = 0 }; const char SUBVERSION_CONTEXT[] = "Subversion Context"; const char SUBVERSION_COMMIT_EDITOR_ID[] = "Subversion Commit Editor"; -const char SUBVERSION_COMMIT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Subversion Commit Editor"); +const char SUBVERSION_COMMIT_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Subversion Commit Editor"); const char SUBVERSION_SUBMIT_MIMETYPE[] = "text/vnd.qtcreator.svn.submit"; const char SUBVERSION_LOG_EDITOR_ID[] = "Subversion File Log Editor"; -const char SUBVERSION_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Subversion File Log Editor"); +const char SUBVERSION_LOG_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Subversion File Log Editor"); const char SUBVERSION_LOG_MIMETYPE[] = "text/vnd.qtcreator.svn.log"; const char SUBVERSION_BLAME_EDITOR_ID[] = "Subversion Annotation Editor"; -const char SUBVERSION_BLAME_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("::VcsBase", "Subversion Annotation Editor"); +const char SUBVERSION_BLAME_EDITOR_DISPLAY_NAME[] = QT_TRANSLATE_NOOP("QtC::VcsBase", "Subversion Annotation Editor"); const char SUBVERSION_BLAME_MIMETYPE[] = "text/vnd.qtcreator.svn.annotation"; } // namespace Constants diff --git a/src/plugins/subversion/subversiontr.h b/src/plugins/subversion/subversiontr.h index 628ba80f1b2..097ee445b20 100644 --- a/src/plugins/subversion/subversiontr.h +++ b/src/plugins/subversion/subversiontr.h @@ -9,7 +9,7 @@ namespace Subversion { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Subversion) + Q_DECLARE_TR_FUNCTIONS(QtC::Subversion) }; } // namespace Subversion diff --git a/src/plugins/texteditor/texteditortr.h b/src/plugins/texteditor/texteditortr.h index d705758e0c7..b4170aabce0 100644 --- a/src/plugins/texteditor/texteditortr.h +++ b/src/plugins/texteditor/texteditortr.h @@ -9,7 +9,7 @@ namespace TextEditor { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::TextEditor) + Q_DECLARE_TR_FUNCTIONS(QtC::TextEditor) }; } // namespace TextEditor diff --git a/src/plugins/todo/todotr.h b/src/plugins/todo/todotr.h index 27b367c5278..fbb2f486c26 100644 --- a/src/plugins/todo/todotr.h +++ b/src/plugins/todo/todotr.h @@ -9,7 +9,7 @@ namespace Todo { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Todo) + Q_DECLARE_TR_FUNCTIONS(QtC::Todo) }; } // namespace Todo diff --git a/src/plugins/updateinfo/updateinfotr.h b/src/plugins/updateinfo/updateinfotr.h index 2cd606187fa..ee0096c3cbc 100644 --- a/src/plugins/updateinfo/updateinfotr.h +++ b/src/plugins/updateinfo/updateinfotr.h @@ -9,7 +9,7 @@ namespace UpdateInfo { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::UpdateInfo) + Q_DECLARE_TR_FUNCTIONS(QtC::UpdateInfo) }; } // namespace UpdateInfo diff --git a/src/plugins/valgrind/valgrindtr.h b/src/plugins/valgrind/valgrindtr.h index c6a13e1178d..0f598332bb0 100644 --- a/src/plugins/valgrind/valgrindtr.h +++ b/src/plugins/valgrind/valgrindtr.h @@ -9,7 +9,7 @@ namespace Valgrind { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Valgrind) + Q_DECLARE_TR_FUNCTIONS(QtC::Valgrind) }; } // namespace Valgrind diff --git a/src/plugins/vcsbase/vcsbasetr.h b/src/plugins/vcsbase/vcsbasetr.h index 3bede77b173..0ba55f79a69 100644 --- a/src/plugins/vcsbase/vcsbasetr.h +++ b/src/plugins/vcsbase/vcsbasetr.h @@ -9,7 +9,7 @@ namespace VcsBase { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::VcsBase) + Q_DECLARE_TR_FUNCTIONS(QtC::VcsBase) }; } // namespace VcsBase diff --git a/src/plugins/webassembly/webassemblytr.h b/src/plugins/webassembly/webassemblytr.h index fc05192eea7..ce8b0f5d7b1 100644 --- a/src/plugins/webassembly/webassemblytr.h +++ b/src/plugins/webassembly/webassemblytr.h @@ -9,7 +9,7 @@ namespace WebAssembly { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::WebAssembly) + Q_DECLARE_TR_FUNCTIONS(QtC::WebAssembly) }; } // namespace WebAssembly diff --git a/src/plugins/welcome/welcometr.h b/src/plugins/welcome/welcometr.h index 28798fbdb08..33fc46b663d 100644 --- a/src/plugins/welcome/welcometr.h +++ b/src/plugins/welcome/welcometr.h @@ -9,7 +9,7 @@ namespace Welcome { struct Tr { - Q_DECLARE_TR_FUNCTIONS(::Welcome) + Q_DECLARE_TR_FUNCTIONS(QtC::Welcome) }; } // namespace Welcome From 70506ff1360cccccc81ccfd1cc6ba48152e4a8b4 Mon Sep 17 00:00:00 2001 From: Christian Kandeler Date: Fri, 10 Feb 2023 16:41:47 +0100 Subject: [PATCH 17/36] Update qbs submodule to HEAD of 2.0 branch Change-Id: Id69e8571ae1ac276ebfcab1eb0994012376cf4c4 Reviewed-by: Reviewed-by: Christian Stenger --- src/shared/qbs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/shared/qbs b/src/shared/qbs index 087c22e1772..7cbd3803c32 160000 --- a/src/shared/qbs +++ b/src/shared/qbs @@ -1 +1 @@ -Subproject commit 087c22e17721f37490dd2048a567b6a58065d939 +Subproject commit 7cbd3803c32ed8c0141e9dd3d116df3d84d72e84 From 1e6933f48d9a2141755b9ed5549bd2f790d8d9e4 Mon Sep 17 00:00:00 2001 From: Leena Miettinen Date: Wed, 8 Feb 2023 14:01:56 +0100 Subject: [PATCH 18/36] Doc: Reorganize the Debugger topic Divide the long topics into shorter ones and reorganize the information. The next step will be to improve the current topics: check that the information is complete, add screenshots for all views, add links between related topics, and so on. Task-number: QTCREATORBUG-28778 Change-Id: I3549289a2be512bb09f45c91f85b12f89cedbe97 Reviewed-by: Reviewed-by: hjk --- ...ommon.qdocinc => creator-debug-views.qdoc} | 180 +++++---- ...qdocinc => creator-debugger-settings.qdoc} | 19 +- .../creator-only/creator-debugger.qdoc | 370 ++++++++++++------ .../debugger/qtquick-debugger-example.qdoc | 2 +- .../src/debugger/qtquick-debugging.qdoc | 13 +- doc/qtcreator/src/qtcreator-toc.qdoc | 19 +- .../src/qtdesignstudio-toc.qdoc | 6 + 7 files changed, 383 insertions(+), 226 deletions(-) rename doc/qtcreator/src/debugger/{creator-debugger-common.qdocinc => creator-debug-views.qdoc} (84%) rename doc/qtcreator/src/debugger/creator-only/{creator-debugger-settings.qdocinc => creator-debugger-settings.qdoc} (96%) diff --git a/doc/qtcreator/src/debugger/creator-debugger-common.qdocinc b/doc/qtcreator/src/debugger/creator-debug-views.qdoc similarity index 84% rename from doc/qtcreator/src/debugger/creator-debugger-common.qdocinc rename to doc/qtcreator/src/debugger/creator-debug-views.qdoc index ac4a2e4164d..d0aa7b86da4 100644 --- a/doc/qtcreator/src/debugger/creator-debugger-common.qdocinc +++ b/doc/qtcreator/src/debugger/creator-debug-views.qdoc @@ -1,13 +1,54 @@ -// Copyright (C) 2022 The Qt Company Ltd. +// Copyright (C) 2023 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GFDL-1.3-no-invariants-only /*! + \page creator-stack-view.html + \if defined(qtdesignstudio) + \previouspage creator-debugging-qml.html + \else + \previouspage creator-debug-mode.html + \endif + \nextpage creator-breakpoints-view.html -//! [debugger-breakpoints] + \title Viewing Call Stack Trace - \section1 Setting Breakpoints + When the program being debugged is interrupted, \QC displays the nested + function calls leading to the current position as a call stack trace. This + stack trace is built up from call stack frames, each representing a + particular function. For each function, \QC tries to retrieve the file name + and line number of the corresponding source file. This data is shown in the + \uicontrol Stack view. + \image qtcreator-debug-stack.png {Stack view} + Since the call stack leading to the current position may originate or go + through code for which no debug information is available, not all stack + frames have corresponding source locations. Stack frames without + corresponding source locations are grayed out in the \uicontrol Stack view. + + If you click a frame with a known source location, the text editor jumps to + the corresponding location and updates the \uicontrol {Locals} and + \uicontrol {Expressions} views, making it seem like the program + was interrupted before entering the function. + + To find out which QML file is causing a Qt Quick 2 application to crash, + select \uicontrol {Load QML Stack} in the context menu in the + \uicontrol Stack view. The debugger tries to retrieve the JavaScript stack + from the stopped executable and prepends the frames to the C++ frames, + should it find any. You can click a frame in the QML stack to open the QML + file in the editor. +*/ + +/*! + \page creator-breakpoints-view.html + \previouspage creator-stack-view.html + \if defined(qtdesignstudio) + \nextpage creator-locals-view.html + \else + \nextpage creator-threads-view.html + \endif + + \title Setting Breakpoints You can associate breakpoints with: @@ -49,7 +90,7 @@ (\uicontrol {Unclaimed Breakpoint}) icon, when they refer to a position in code. - \image qtcreator-debugger-breakpoint-preset.png "Breakpoint Preset" view + \image qtcreator-debugger-breakpoint-preset.png {Breakpoint Preset view} When a debugger starts, the debugging backend identifies breakpoints from the set of unclaimed breakpoints that might be handled by the @@ -80,7 +121,7 @@ \image qtcreator-debug-breakpoints.png "Breakpoints view" - \section2 Adding Breakpoints + \section1 Adding Breakpoints To add breakpoints: @@ -124,11 +165,11 @@ \endlist \if defined(qtcreator) - \section2 Specifying Breakpoint Settings + \section1 Specifying Breakpoint Settings You can specify settings for breakpoints in \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger. For more information, - see \l{Specifying Debugger Settings}. + see \l{Debugger Preferences}. To use a full absolute path in breakpoints, select the \uicontrol {Set breakpoints using a full absolute path} check box. @@ -162,7 +203,7 @@ {Breakpoints, Watchpoints, and Catchpoints} in GDB documentation. \endif - \section2 Moving Breakpoints + \section1 Moving Breakpoints To move a breakpoint: @@ -175,7 +216,7 @@ line number in the \uicontrol {Line number} field. \endlist - \section2 Deleting Breakpoints + \section1 Deleting Breakpoints To delete breakpoints: @@ -195,7 +236,7 @@ \endlist - \section2 Enabling and Disabling Breakpoints + \section1 Enabling and Disabling Breakpoints To temporarily disable a breakpoint without deleting it and losing associated data like conditions and commands: @@ -223,7 +264,7 @@ With the notable exception of data breakpoints, breakpoints retain their enabled or disabled state when the debugged program is restarted. - \section2 Setting Data Breakpoints + \section1 Setting Data Breakpoints A \e {data breakpoint} stops the program when data is read or written at the specified address. @@ -254,49 +295,23 @@ is unlikely that the used addresses will stay the same at the next program launch. If you really want a data breakpoint to be active again, re-enable it manually. +*/ -//! [debugger-breakpoints] +/*! + \page creator-locals-view.html + \if defined(qtdesignstudio) + \previouspage creator-breakpoints-view.html + \else + \previouspage creator-source-files-view.html + \endif + \nextpage creator-expressions-view.html -//! [debugger-call-stack-trace] + \title Local Variables and Function Parameters - \section1 Viewing Call Stack Trace - - When the program being debugged is interrupted, \QC displays the nested - function calls leading to the current position as a call stack trace. This - stack trace is built up from call stack frames, each representing a - particular function. For each function, \QC tries to retrieve the file name - and line number of the corresponding source file. This data is shown in the - \uicontrol Stack view. - - \image qtcreator-debug-stack.png - - Since the call stack leading to the current position may originate or go - through code for which no debug information is available, not all stack - frames have corresponding source locations. Stack frames without - corresponding source locations are grayed out in the \uicontrol Stack view. - - If you click a frame with a known source location, the text editor jumps to - the corresponding location and updates the \uicontrol {Locals} and - \uicontrol {Expressions} views, making it seem like the program - was interrupted before entering the function. - - To find out which QML file is causing a Qt Quick 2 application to crash, - select \uicontrol {Load QML Stack} in the context menu in the - \uicontrol Stack view. The debugger tries to retrieve the JavaScript stack - from the stopped executable and prepends the frames to the C++ frames, - should it find any. You can click a frame in the QML stack to open the QML - file in the editor. - -//! [debugger-call-stack-trace] - -//! [debugger-locals] - - \section1 Local Variables and Function Parameters - - The Locals view consists of the \uicontrol Locals pane and the + The \uicontrol {Locals} view consists of the \uicontrol Locals pane and the \uicontrol {Return Value} pane (hidden when empty). - \image qtcreator-locals.png "Locals view" + \image qtcreator-locals.png {Locals view} Whenever a program stops under the control of the debugger, it retrieves information about the topmost stack frame and displays it in the @@ -310,12 +325,18 @@ objects will be displayed. Select \uicontrol {Use dynamic object type for display} in the context menu. Keep in mind that choosing the dynamic type might be slower. +*/ -//! [debugger-locals] +/*! + \page creator-expressions-view.html + \previouspage creator-locals-view.html + \if defined(qtdesignstudio) + \nextpage creator-qml-debugging-example.html + \else + \nextpage creator-registers-view.html + \endif -//! [debugger-expressions] - - \section1 Evaluating Expressions + \title Evaluating Expressions To compute values of arithmetic expressions or function calls, use expression evaluators in the \uicontrol Expressions view. To insert a new @@ -324,7 +345,7 @@ \uicontrol {Add New Expression Evaluator} from the context menu, or drag and drop an expression from the code editor. - \image qtcreator-debugger-expressions.png + \image qtcreator-debugger-expressions.png {Expressions view} \note Expression evaluators are powerful, but slow down debugger operation significantly. It is advisable to not use them excessively, and to remove @@ -336,16 +357,12 @@ The QML debugger can evaluate JavaScript expressions. -//! [debugger-expressions] - -//! [debugger-expressions-cpp] - + \if defined(qtcreator) GDB, LLDB and CDB support the evaluation of simple C and C++ expressions. - Functions can be called - only if they are actually compiled into the debugged executable or a library - used by the executable. Most notably, inlined functions such as most - \c{operator[]} implementations of standard containers are typically \e{not} - available. + Functions can be called only if they are actually compiled into the debugged + executable or a library used by the executable. Most notably, inlined + functions such as most \c{operator[]} implementations of standard containers + are typically \e{not} available. When using GDB or LLDB as backend, a special ranged syntax can be used to display multiple values with one expression. A sub-expression of form @@ -357,32 +374,22 @@ value and type, you can examine and traverse the low-level layout of object data. - \table - \row - \li \b{Note:} + GDB and LLDB, and therefore \QC's debugger, also work for optimized + builds on Linux and \macos. Optimization can lead to re-ordering + of instructions or removal of some local variables, causing the + \uicontrol {Locals} and \uicontrol {Expressions} view to show + unexpected data. - \row - \li GDB and LLDB, and therefore \QC's debugger, also work for optimized - builds on Linux and \macos. Optimization can lead to re-ordering - of instructions or removal of some local variables, causing the - \uicontrol {Locals} and \uicontrol {Expressions} view to show - unexpected data. - \row - \li The debug information from GCC does not include enough - information about the time when a variable is initialized. - Therefore, \QC can not tell whether the contents of a local - variable are \e {real data} or \e {initial noise}. If a QObject - appears uninitialized, its value is reported as - \uicontrol {not in scope}. Not all uninitialized objects, - however, can be recognized as such. - \endtable + The debug information from GCC does not include enough + information about the time when a variable is initialized. + Therefore, \QC can not tell whether the contents of a local + variable are \e {real data} or \e {initial noise}. If a QObject + appears uninitialized, its value is reported as + \uicontrol {not in scope}. Not all uninitialized objects, + however, can be recognized as such. \note The set of evaluated expressions is saved in your session. -//! [debugger-expressions-cpp] - -//! [debugger-qt-basic-objects] - \section1 Inspecting Basic Qt Objects The most powerful feature of the debugger is that the \uicontrol {Locals} @@ -419,6 +426,5 @@ You can enable tooltips in the main editor displaying this information. For more information, see \l{See the value of variables in tooltips while debugging}. - -//! [debugger-qt-basic-objects] + \endif */ diff --git a/doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdocinc b/doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdoc similarity index 96% rename from doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdocinc rename to doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdoc index 0cf94c9f7dd..b97be123a3a 100644 --- a/doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdocinc +++ b/doc/qtcreator/src/debugger/creator-only/creator-debugger-settings.qdoc @@ -1,11 +1,12 @@ -// Copyright (C) 2021 The Qt Company Ltd. +// Copyright (C) 2023 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GFDL-1.3-no-invariants-only /*! + \page creator-debugger-preferences.html + \previouspage creator-remote-debugging.html + \nextpage creator-debugging-helpers.html -//! [debugger-settings] - - \section1 Specifying Debugger Settings + \title Debugger Preferences To specify settings for managing debugger processes, select \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger. In the \uicontrol General tab, @@ -25,7 +26,7 @@ program, which effectively prevents storing debug output in system logs. - \section2 Mapping Source Paths + \section1 Mapping Source Paths To enable the debugger to step into the code and display the source code when using a copy of the source tree at a location different from the one @@ -47,7 +48,7 @@ of the source tree on the local machine. \endlist - \section2 Specifying GDB Settings + \section1 Specifying GDB Settings To specify settings for managing the GDB process, select \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger > \uicontrol GDB. @@ -133,7 +134,7 @@ To keep debugging all children after a fork, select the \uicontrol {Debug all child processes} check box. - \section2 Specifying CDB Settings + \section1 Specifying CDB Settings To specify settings for managing the CDB process, select \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger > \uicontrol CDB. @@ -179,7 +180,7 @@ in \l Issues, select the check boxes in the \uicontrol {Add Exceptions to Issues View} group. - \section2 Setting CDB Paths on Windows + \section1 Setting CDB Paths on Windows To obtain debugging information for the operating system libraries for debugging Windows applications, add the Microsoft Symbol Server @@ -202,6 +203,4 @@ To use the Source Server infrastructure for fetching missing source files directly from version control or the web, enter the following string in the \uicontrol {Source Paths} field: \c srv*. - -//! [debugger-settings] */ diff --git a/doc/qtcreator/src/debugger/creator-only/creator-debugger.qdoc b/doc/qtcreator/src/debugger/creator-only/creator-debugger.qdoc index 4e10efc30a3..504eaa9087b 100644 --- a/doc/qtcreator/src/debugger/creator-only/creator-debugger.qdoc +++ b/doc/qtcreator/src/debugger/creator-only/creator-debugger.qdoc @@ -1,4 +1,4 @@ -// Copyright (C) 2021 The Qt Company Ltd. +// Copyright (C) 2023 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GFDL-1.3-no-invariants-only // ********************************************************************** @@ -38,7 +38,8 @@ \li Debug Python source code - \c pdb. \endlist - For more information, see: + The following sections describe how to set up, launch, and interact with the + debugger: \list @@ -57,11 +58,34 @@ \key F5. Other, less common start options are available in the \uicontrol Debug > \uicontrol {Start Debugging} menu. - \li \l{Interacting with the Debugger} + \li \l{Debug Mode Views} - You can use the tool views in the \uicontrol Debug mode to inspect the + Use the views in the \uicontrol Debug mode to inspect the state of your application while debugging. + \li \l{Stopping Applications} + + You can interrupt a running application before it terminates + or to find out why the application does not work correctly. + Set breakpoints to stop the application for examining and changing + variables, setting new breakpoints or removing old ones, and then + continue running the application. + + \li \l{Examining Data} + + You can examine variable values and data structures in detail. + + \li \l{Remote Debugging} + + You can debug an application that runs on a remote target with the + necessary helper processes also running. + + \li \l{Debugger Preferences} + + Specify preferences for managing debugger processes. You can specify + preferences that are common to all debuggers, or the native debugger + that you use, GDB or CDB. + \li \l{Using Debugging Helpers} \QC is able to show complex data types in a customized, @@ -107,9 +131,9 @@ (\uicontrol {Start Debugging of Startup Project}) button or press \key F5. \QC checks whether the compiled program is up-to-date, and rebuilds and - deploys it if the \uicontrol {Build before deploying} field is set to - build the whole project or the application to run and the - \uicontrol {Always deploy before running} check box is selected in + deploys it if you set the \uicontrol {Build before deploying} field to + build the whole project or the application to run and select he + \uicontrol {Always deploy before running} check box in \uicontrol Edit > \uicontrol Preferences > \uicontrol {Build & Run} > \uicontrol General. To debug the program without deploying it, select \uicontrol Debug > \uicontrol {Start Debugging} > @@ -122,7 +146,7 @@ to execute before and after the backend and debugged program are started or attached in \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger > \uicontrol GDB and \uicontrol CDB. For more information, see - \l{Specifying Debugger Settings}. + \l{Debugger Preferences}. To allow reading the user's default .gdbinit file on debugger startup, select the \uicontrol {Load .gdbinit file on startup} check box in @@ -342,9 +366,14 @@ You can launch the debugger in the post-mortem mode if an application crashes on Windows. Click the \uicontrol {Debug in \QC} button in the error message that is displayed by the Windows operating system. +*/ +/*! + \page creator-remote-debugging.html + \previouspage creator-debugger-examining-data.html + \nextpage creator-debugger-preferences.html - \section1 Remote Debugging + \title Remote Debugging \QC makes remote debugging easy. In general, the remote debugging setup consist of a probe running on the @@ -364,7 +393,7 @@ Special use cases, such as attaching to a running process on the target, might still require manual setup. - \section3 Using GDB + \section1 Using GDB When debugging on a target supported by GDB server, a local GDB process talks to a GDB server running on the remote machine that controls the @@ -440,7 +469,7 @@ in GDB, see \l{https://sourceware.org/gdb/onlinedocs/gdb/Connecting.html} {Debugging with GDB: Connecting to a Remote Target}. - \section3 Using CDB + \section1 Using CDB In remote mode, the local CDB process talks to a CDB process that runs on the remote machine. The process is started with special command line options @@ -515,17 +544,16 @@ \page creator-debug-mode.html \if defined(qtdesignstudio) \previouspage studio-debugging.html - \nextpage creator-debugging-qml.html \else \previouspage creator-debugger-operating-modes.html - \nextpage creator-debugging-helpers.html \endif + \nextpage creator-stack-view.html - \title Interacting with the Debugger + \title Debug Mode Views - You can use the \QC \uicontrol Debug mode to inspect the state of your - application while debugging. You can interact with the debugger in several - ways, including the following: + In the \uicontrol Debug mode, you can inspect the state of your + application while debugging. You can interact with the debugger + in many ways, including the following: \list @@ -545,38 +573,99 @@ \li Examine the list of loaded shared libraries. \li Disassemble sections of code. - - \omit - \li Create snapshots of the current state of the debugged program - and re-examine them later. - \endomit - \endlist \QC displays the raw information from the native debuggers in a clear and concise manner with the goal to simplify the debugging process as much as possible without losing the power of the native debuggers. - In addition to the generic IDE functionality offered by stack view, views + In addition to the generic IDE functionality of the stack view, views for locals and expressions, registers, and so on, \QC includes features to make debugging Qt-based applications easy. The debugger plugin understands the internal layout of several Qt classes, for example, QString, the Qt containers, and most importantly QObject (and classes derived from it), as well as most containers of the C++ Standard Library and some GCC extensions. - This deeper understanding is used to present objects of such classes in a + It uses this deeper understanding to present objects of such classes in a useful way. - \section1 Using the Debugger + Interact with the program you are debugging in the following views. - In \uicontrol Debug mode, you can use several views to interact with the - program you are debugging. The availability of views depends on whether + \table + \header + \li View + \li Purpose + \li Learn More + \row + \li Stack + \li Examine the the nested function calls leading to the current position + as a call stack trace. + \li \l {Viewing Call Stack Trace} + \row + \li Breakpoints + \li Set \e {breakpoints} with conditions make the application stop in + a controlled way. A \e {watchpoint} stops the application when the + value of an expression changes. + \li \l {Setting Breakpoints} + \row + \li Threads + \li Switch between threads. + \li \l {Viewing Threads} + \row + \li Modules + \li View information about modules included in the application. + \li \l {Viewing Modules} + \row + \li Source Files + \li View a list of source files included in the project. + \li \l {Viewing Source Files} + \row + \li Locals + \li View information about the parameters of the function in the topmost + stack frame and local variables. + \li \l {Local Variables and Function Parameters} + \row + \li Expressions + \li Compute values of arithmetic expressions or function calls. + \li \l {Evaluating Expressions} + \row + \li Registers + \li View the current state of the CPU registers to examine the + application at the machine level. + \li \l {Viewing and Editing Register State} + \row + \li Peripheral Registers + \li View the current state of peripheral registers. + \li + \row + \li Debugger Log + \li View debug output to find out why the debugger does not work. + + The log view acts as a console, so you can send the contents + of the line under the text cursor in the log directly to the + native debugger. + \li \l{Troubleshooting Debugger} + + \l {Directly Interacting with Native Debuggers} + \row + \li Disassembler + \li View disassembled code for the current function. + \li \l {Viewing Disassembled Code} + \row + \li Editor + \li Open the current source file in the text editor for changing it. + \li \l {Working in Edit Mode} + \endtable + + \section1 Managing Debug Views + + The availability of views depends on whether you are debugging C++ or QML. Frequently used views are shown by default and rarely used ones are hidden. To change the default settings, select \uicontrol View > \uicontrol Views, and then select views to display or hide. Alternatively, you can enable or disable views from the - context menu of the title bar of any visible debugger view. + context menu of the title bar of any visible debug mode view. - \image qtcreator-debugger-views.png "Debug mode views" + \image qtcreator-debugger-views.png {Debug mode views} You can drag and drop the views in \QC to new positions on the screen. The size and position of views are saved for future sessions. Select @@ -589,6 +678,31 @@ To show and hide columns in views, toggle \uicontrol {Show Column} in the context menu. + \section1 Customizing Debug Views + + You can change the appearance and behavior of the debug views by specifying + settings in \uicontrol Preferences > \uicontrol Debugger. For example, you can: + + \list + \li Use alternating row colors in debug views. + \li Adopt font size changes from the main editor. + \li Have tooltips displayed in the main editor while you are debugging. + \li Close temporary source and memory views and switch to the previously + used \QC mode when the debugger exits. + \li Bring \QC to the foreground when the debugged application is + interrupted. + \endlist + + For more information, see \l{Debugger Preferences}. +*/ + +/*! + \page creator-debugger-stopping.html + \previouspage creator-disassembler-view.html + \nextpage creator-debugger-examining-data.html + + \title Stopping Applications + Once the program starts running under the control of the debugger, it behaves and performs as usual. You can interrupt a running C++ program by selecting \uicontrol Debug > \uicontrol Interrupt. The program is @@ -598,20 +712,30 @@ \list - \li Retrieves data representing the call stack at the program's current - position. + \li Retrieves data representing the \l{Viewing Call Stack Trace} + {call stack} at the program's current position. - \li Retrieves the contents of local variables. + \li Retrieves the contents of \l{Local Variables and Function Parameters} + {local variables}. - \li Examines \uicontrol Expressions. + \li Examines \l{Evaluating Expressions}{expressions}. - \li Updates the \uicontrol Registers, \uicontrol Modules, and - \uicontrol Disassembler views if you are debugging the C++ based - applications. + \li Updates the \l{Viewing and Editing Register State}{Registers}, + \l{Viewing Modules}{Modules}, and \l{Viewing Disassembled Code} + {Disassembler} views if you are debugging C++ based applications. \endlist +*/ - You can use the \uicontrol Debug mode views to examine the data in more detail. +/*! + \page creator-debugger-examining-data.html + \previouspage creator-debugger-stopping.html + \nextpage creator-remote-debugging.html + + \title Examining Data + + Use the \l {Debug Mode Views}{Debug mode views} to examine the data in more + detail. You can use the following keyboard shortcuts: @@ -638,10 +762,10 @@ \endlist - It is also possible to continue executing the program until the current + You can continue executing the program until the current function completes or jump to an arbitrary position in the current function. - \section2 Stepping Into Code + \section1 Stepping Into Code When using GDB as the debugging backend, you can compress several steps into one step for less noisy debugging. For more information, see @@ -651,45 +775,9 @@ but this option should be used with care, as it is slow and unstable on the GDB side. For more information, see \l{Specifying GDB Settings}. - \section2 Customizing Debug Views - - You can change the appearance and behavior of the debug views by specifying - settings in \uicontrol Preferences > \uicontrol Debugger. For example, you can: - - \list - \li Use alternating row colors in debug views. - \li Adopt font size changes from the main editor. - \li Have tooltips displayed in the main editor while you are debugging. - \li Close temporary source and memory views and switch to the previously - used \QC mode when the debugger exits. - \li Bring \QC to the foreground when the debugged application is - interrupted. - \endlist - - For more information, see \l{Specifying Debugger Settings}. - - \include creator-debugger-common.qdocinc debugger-breakpoints - \include creator-debugger-common.qdocinc debugger-call-stack-trace - \include creator-debugger-common.qdocinc debugger-locals - \include creator-debugger-common.qdocinc debugger-expressions \include creator-debugger-common.qdocinc debugger-expressions-cpp \include creator-debugger-common.qdocinc debugger-qt-basic-objects - \section1 Directly Interacting with Native Debuggers - - In some cases, it is convenient to directly interact with the command line - of the native debugger. In \QC, you can use the left pane of the - \uicontrol {Debugger Log} view for that purpose. When you press - \key {Ctrl+Enter}, the contents of the line under the text cursor are sent - directly to the native debugger. Alternatively, you can use the line edit at - the bottom of the view. Output is displayed in the right pane of the - \uicontrol {Debugger Log} view. - - \note Usually, you do not need this feature because \QC offers better ways to - handle the task. For example, instead of using the GDB - \c print command from the command line, you can evaluate an expression in - the \uicontrol {Expressions} view. - \section1 Debugging C++ Based Applications The following sections describe additional debugging functions that apply @@ -726,14 +814,45 @@ \uicontrol {Use debug versions of Frameworks} option in the project run settings. - \section2 Viewing Threads + \omit + \section2 Creating Snapshots + + A snapshot has the complete state of the debugged program at a time, + including the full memory contents. + + To create snapshots of a debugged program, select \uicontrol {Create Snapshot} + in the context menu in the \uicontrol {Debugger Perspectives} view. + + Double-click on entries in the \uicontrol {Debugger Perspectives} view to + switch between snapshots. The debug mode views are updated to reflect the state + of the program at time of taking the snapshot. + + \note Creating snapshots involves creating core files of the debugged process, + requiring significant amount of disk space. For details, see + \l{https://sourceware.org/gdb/onlinedocs/gdb/Core-File-Generation.html}. + + \endomit +*/ + +/*! + \page creator-threads-view.html + \previouspage creator-breakpoints-view.html + \nextpage creator-modules-view.html + + \title Viewing Threads If a multi-threaded program is interrupted, the \uicontrol Threads view or the combobox named \uicontrol Threads in the debugger status bar can be used to switch from one thread to another. The \uicontrol Stack view adjusts itself accordingly. +*/ - \section2 Viewing Modules +/*! + \page creator-modules-view.html + \previouspage creator-threads-view.html + \nextpage creator-source-files-view.html + + \title Viewing Modules The \uicontrol Modules view displays information that the debugger plugin has about modules included in the application that is being debugged. A @@ -768,8 +887,14 @@ for the specified modules, select \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger > \uicontrol CDB. For more information, see \l{Specifying CDB Settings}. +*/ - \section2 Viewing Source Files +/*! + \page creator-source-files-view.html + \previouspage creator-modules-view.html + \nextpage creator-locals-view.html + + \title Viewing Source Files The \uicontrol {Source Files} view lists all the source files included in the project. If you cannot step into an instruction, you can check whether @@ -785,8 +910,55 @@ paths. For more information, see \l{Mapping Source Paths}. By default, the \uicontrol {Source Files} view is hidden. +*/ - \section2 Viewing Disassembled Code +/*! + \page creator-registers-view.html + \previouspage creator-expressions-view.html + \nextpage creator-debugger-log-view.html + + \title Viewing and Editing Register State + + The \uicontrol Registers view displays the current state of the CPU registers. + Depending on the CPU type, there will be different registers available. The + values of registers that recently have changed are highlighted in red and empty + register values as well as leading zeroes are grayed out. + + In addition it is possible to edit the content of registers while the program is + stopped. This applies to both General-purpose and Special-purpose registers. + Registers can be edited in the standard condensed view or in their particular parts + if the register is displayed expanded. + + By default, the \uicontrol Registers view is hidden. +*/ + +/*! + \page creator-debugger-log-view.html + \previouspage creator-registers-view.html + \nextpage creator-disassembler-view.html + + \title Directly Interacting with Native Debuggers + + In some cases, it is convenient to directly interact with the command line + of the native debugger. In \QC, you can use the left pane of the + \uicontrol {Debugger Log} view for that purpose. When you press + \key {Ctrl+Enter}, the contents of the line under the text cursor are sent + directly to the native debugger. Alternatively, you can use the line edit at + the bottom of the view. Output is displayed in the right pane of the + \uicontrol {Debugger Log} view. + + \note Usually, you do not need this feature because \QC offers better ways to + handle the task. For example, instead of using the GDB + \c print command from the command line, you can evaluate an expression in + the \uicontrol {Expressions} view. +*/ + +/*! + \page creator-disassembler-view.html + \previouspage creator-debugger-log-view.html + \nextpage creator-debugger-stopping.html + + \title Viewing Disassembled Code The \uicontrol Disassembler view displays disassembled code for the current function. @@ -804,46 +976,10 @@ By default, GDB shows AT&T style disassembly. To switch to the Intel style, select \uicontrol Edit > \uicontrol Preferences > \uicontrol Debugger > \uicontrol GDB > \uicontrol {Use Intel style disassembly}. - - \section2 Viewing and Editing Register State - - The \uicontrol Registers view displays the current state of the CPU registers. - Depending on the CPU type, there will be different registers available. The - values of registers that recently have changed are highlighted in red and empty - register values as well as leading zeroes are grayed out. - - In addition it is possible to edit the content of registers while the program is - stopped. This applies to both General-purpose and Special-purpose registers. - Registers can be edited in the standard condensed view or in their particular parts - if the register is displayed expanded. - - By default, the \uicontrol Registers view is hidden. - - \omit - \section2 Creating Snapshots - - A snapshot has the complete state of the debugged program at a time, - including the full memory contents. - - To create snapshots of a debugged program, select \uicontrol {Create Snapshot} - in the context menu in the \uicontrol {Debugger Perspectives} view. - - Double-click on entries in the \uicontrol {Debugger Perspectives} view to - switch between snapshots. The debugger views are updated to reflect the state - of the program at time of taking the snapshot. - - \note Creating snapshots involves creating core files of the debugged process, - requiring significant amount of disk space. For details, see - \l{https://sourceware.org/gdb/onlinedocs/gdb/Core-File-Generation.html}. - - \endomit - - \include creator-debugger-settings.qdocinc debugger-settings */ - /*! - \previouspage creator-debug-mode.html + \previouspage creator-debugger-preferences.html \page creator-debugging-helpers.html \nextpage creator-debugging-qml.html diff --git a/doc/qtcreator/src/debugger/qtquick-debugger-example.qdoc b/doc/qtcreator/src/debugger/qtquick-debugger-example.qdoc index e63d09443a8..797788897ac 100644 --- a/doc/qtcreator/src/debugger/qtquick-debugger-example.qdoc +++ b/doc/qtcreator/src/debugger/qtquick-debugger-example.qdoc @@ -10,7 +10,7 @@ /*! \page creator-qml-debugging-example.html \if defined(qtdesignstudio) - \previouspage creator-debugging-qml.html + \previouspage creator-expressions-view.html \nextpage creator-qml-performance-monitor.html \else \previouspage creator-debugging-example.html diff --git a/doc/qtcreator/src/debugger/qtquick-debugging.qdoc b/doc/qtcreator/src/debugger/qtquick-debugging.qdoc index 95259d6605b..833cbe69c47 100644 --- a/doc/qtcreator/src/debugger/qtquick-debugging.qdoc +++ b/doc/qtcreator/src/debugger/qtquick-debugging.qdoc @@ -11,7 +11,7 @@ \page creator-debugging-qml.html \if defined(qtdesignstudio) \previouspage studio-debugging.html - \nextpage creator-qml-debugging-example.html + \nextpage creator-stack-view.html \else \previouspage creator-debugging-helpers.html \nextpage creator-debugging-example.html @@ -158,10 +158,10 @@ \list - \li \l{Setting Breakpoints}{Setting breakpoints} - \li \l{Viewing Call Stack Trace}{Viewing call stack trace} + \li \l{Setting Breakpoints}{Setting breakpoints} + \li \l{Local Variables and Function Parameters} {Viewing local variables and function parameters} @@ -169,13 +169,6 @@ \endlist - \if defined(qtdesignstudio) - \include creator-debugger-common.qdocinc debugger-breakpoints - \include creator-debugger-common.qdocinc debugger-call-stack-trace - \include creator-debugger-common.qdocinc debugger-locals - \include creator-debugger-common.qdocinc debugger-expressions - \endif - \section1 Inspecting Items While the application is running, you can use the \uicontrol {Locals} diff --git a/doc/qtcreator/src/qtcreator-toc.qdoc b/doc/qtcreator/src/qtcreator-toc.qdoc index f24a85857d1..543c156f519 100644 --- a/doc/qtcreator/src/qtcreator-toc.qdoc +++ b/doc/qtcreator/src/qtcreator-toc.qdoc @@ -165,7 +165,24 @@ \list \li \l{Setting Up Debugger} \li \l{Launching the Debugger} - \li \l{Interacting with the Debugger} + \li \l{Debug Mode Views} + \list + \li \l{Viewing Call Stack Trace} + \li \l{Setting Breakpoints} + \li \l{Viewing Threads} + \li \l{Viewing Modules} + \li \l{Viewing Source Files} + \li \l{Local Variables and Function Parameters} + \li \l{Evaluating Expressions} + \li \l{Viewing and Editing Register State} + \li \l{Directly Interacting with Native Debuggers} + \li \l{Viewing Disassembled Code} + \li + \endlist + \li \l{Stopping Applications} + \li \l{Examining Data} + \li \l{Remote Debugging} + \li \l{Debugger Preferences} \li \l{Using Debugging Helpers} \li \l{Debugging Qt Quick Projects} \li \l{Debugging a C++ Example Application} diff --git a/doc/qtdesignstudio/src/qtdesignstudio-toc.qdoc b/doc/qtdesignstudio/src/qtdesignstudio-toc.qdoc index 5271e5507fb..68769528e8f 100644 --- a/doc/qtdesignstudio/src/qtdesignstudio-toc.qdoc +++ b/doc/qtdesignstudio/src/qtdesignstudio-toc.qdoc @@ -229,6 +229,12 @@ \li \l{Debugging and Profiling} \list \li \l{Debugging Qt Quick Projects} + \list + \li \l{Viewing Call Stack Trace} + \li \l{Setting Breakpoints} + \li \l{Local Variables and Function Parameters} + \li \l{Evaluating Expressions} + \endlist \li \l{Debugging a Qt Quick Example Application} \li \l{Profiling QML Applications} \endlist From 728e73ea9db9383fb844cf07087844a624ee46e4 Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Sun, 12 Feb 2023 12:41:17 +0200 Subject: [PATCH 19/36] C++: Fix return type in preprocessor comparator Change-Id: I6d85a78892291db7ae0b1de8a7e3b74d0401874a Reviewed-by: Christian Kandeler --- src/libs/cplusplus/pp-engine.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/libs/cplusplus/pp-engine.cpp b/src/libs/cplusplus/pp-engine.cpp index de18711233b..d8221b151f6 100644 --- a/src/libs/cplusplus/pp-engine.cpp +++ b/src/libs/cplusplus/pp-engine.cpp @@ -203,7 +203,7 @@ struct Value inline bool is_zero () const { return l == 0; } - template static bool cmpImpl(T v1, T v2) + template static int cmpImpl(T v1, T v2) { if (v1 < v2) return -1; From c2cfe596b955616081465a015485f94b18f021b9 Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Mon, 13 Feb 2023 19:17:38 +0200 Subject: [PATCH 20/36] Git: Reduce PATH searches for executable This reduces executions in BranchModel::updateUpstreamStatus (which is called for each local branch with a tracking branch) from 3s to ~700ms on Windows. Change-Id: I92651ba8f37987bef49a80b46963964ae8cacb3c Reviewed-by: Jarek Kobus --- src/plugins/git/gitsettings.cpp | 16 +++++++++++----- src/plugins/git/gitsettings.h | 3 +++ 2 files changed, 14 insertions(+), 5 deletions(-) diff --git a/src/plugins/git/gitsettings.cpp b/src/plugins/git/gitsettings.cpp index 0b0e9e2e9ca..25a8f77988e 100644 --- a/src/plugins/git/gitsettings.cpp +++ b/src/plugins/git/gitsettings.cpp @@ -116,6 +116,9 @@ GitSettings::GitSettings() refLogShowDate.setSettingsKey("RefLogShowDate"); timeout.setDefaultValue(Utils::HostOsInfo::isWindowsHost() ? 60 : 30); + + connect(&binaryPath, &StringAspect::valueChanged, this, [this] { tryResolve = true; }); + connect(&path, &StringAspect::valueChanged, this, [this] { tryResolve = true; }); } FilePath GitSettings::gitExecutable(bool *ok, QString *errorMessage) const @@ -126,18 +129,21 @@ FilePath GitSettings::gitExecutable(bool *ok, QString *errorMessage) const if (errorMessage) errorMessage->clear(); - FilePath binPath = binaryPath.filePath(); - if (!binPath.isAbsolutePath()) - binPath = binPath.searchInPath({path.filePath()}, FilePath::PrependToPath); + if (tryResolve) { + resolvedBinPath = binaryPath.filePath(); + if (!resolvedBinPath.isAbsolutePath()) + resolvedBinPath = resolvedBinPath.searchInPath({path.filePath()}, FilePath::PrependToPath); + tryResolve = false; + } - if (binPath.isEmpty()) { + if (resolvedBinPath.isEmpty()) { if (ok) *ok = false; if (errorMessage) *errorMessage = Tr::tr("The binary \"%1\" could not be located in the path \"%2\"") .arg(binaryPath.value(), path.value()); } - return binPath; + return resolvedBinPath; } // GitSettingsPage diff --git a/src/plugins/git/gitsettings.h b/src/plugins/git/gitsettings.h index d4d5c60fb69..c03deadeb9b 100644 --- a/src/plugins/git/gitsettings.h +++ b/src/plugins/git/gitsettings.h @@ -40,6 +40,9 @@ public: Utils::BoolAspect refLogShowDate; Utils::BoolAspect instantBlame; + mutable Utils::FilePath resolvedBinPath; + mutable bool tryResolve = true; + Utils::FilePath gitExecutable(bool *ok = nullptr, QString *errorMessage = nullptr) const; }; From 7faad7b4e8a10281360ad1e07be8f024ee9d93df Mon Sep 17 00:00:00 2001 From: hjk Date: Fri, 10 Feb 2023 16:56:42 +0100 Subject: [PATCH 21/36] Android: Move a global regexp variable into a function Change-Id: I888e11b2e16553cd14e4e07335ef90b8094b6cbf Reviewed-by: Alessandro Portale --- src/plugins/android/androidsdkmanager.cpp | 21 +++++++++++++-------- 1 file changed, 13 insertions(+), 8 deletions(-) diff --git a/src/plugins/android/androidsdkmanager.cpp b/src/plugins/android/androidsdkmanager.cpp index e8598674b7a..531bd0b273f 100644 --- a/src/plugins/android/androidsdkmanager.cpp +++ b/src/plugins/android/androidsdkmanager.cpp @@ -26,6 +26,8 @@ # include "androidplugin.h" #endif // WITH_TESTS +using namespace Utils; + namespace { static Q_LOGGING_CATEGORY(sdkManagerLog, "qtc.android.sdkManager", QtWarningMsg) } @@ -41,14 +43,17 @@ const char commonArgsKey[] = "Common Arguments:"; const int sdkManagerCmdTimeoutS = 60; const int sdkManagerOperationTimeoutS = 600; -Q_GLOBAL_STATIC_WITH_ARGS(QRegularExpression, assertionReg, - ("(\\(\\s*y\\s*[\\/\\\\]\\s*n\\s*\\)\\s*)(?[\\:\\?])", - QRegularExpression::CaseInsensitiveOption - | QRegularExpression::MultilineOption)) - -using namespace Utils; using SdkCmdFutureInterface = QFutureInterface; +static const QRegularExpression &assertionRegExp() +{ + static const QRegularExpression theRegExp + (R"((\(\s*y\s*[\/\\]\s*n\s*\)\s*)(?[\:\?]))", // (y/N)? + QRegularExpression::CaseInsensitiveOption | QRegularExpression::MultilineOption); + + return theRegExp; +} + /*! Parses the \a line for a [spaces]key[spaces]value[spaces] pattern and returns \c true if \a key is found, false otherwise. Result is copied into \a value. @@ -79,7 +84,7 @@ int parseProgress(const QString &out, bool &foundAssertion) progress = -1; } if (!foundAssertion) - foundAssertion = assertionReg->match(line).hasMatch(); + foundAssertion = assertionRegExp().match(line).hasMatch(); } return progress; } @@ -1094,7 +1099,7 @@ bool AndroidSdkManagerPrivate::onLicenseStdOut(const QString &output, bool notif SdkCmdFutureInterface &fi) { m_licenseTextCache.append(output); - QRegularExpressionMatch assertionMatch = assertionReg->match(m_licenseTextCache); + const QRegularExpressionMatch assertionMatch = assertionRegExp().match(m_licenseTextCache); if (assertionMatch.hasMatch()) { if (notify) { result.stdOutput = m_licenseTextCache; From adfb5062f473cbc501ad7e0477498b954ff43329 Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Mon, 13 Feb 2023 20:38:06 +0200 Subject: [PATCH 22/36] Git: Do *not* use ctrlc stub for rev-list It's a very short command, so the time penalty for spawning another process doesn't worth the additional termination protection. Amends commit 371e674967af97cf28e2425a0b98b80a87159f09. Change-Id: I151f0bc1838cd9ddbdf822cbe5cf8923da6a9499 Reviewed-by: Jarek Kobus --- src/plugins/git/branchmodel.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/src/plugins/git/branchmodel.cpp b/src/plugins/git/branchmodel.cpp index 0ec37b7a453..cb051693d6d 100644 --- a/src/plugins/git/branchmodel.cpp +++ b/src/plugins/git/branchmodel.cpp @@ -885,7 +885,6 @@ void BranchModel::updateUpstreamStatus(BranchNode *node) process->setCommand({d->client->vcsBinary(), {"rev-list", "--no-color", "--left-right", "--count", node->fullRef() + "..." + node->tracking}}); process->setWorkingDirectory(d->workingDirectory); - process->setUseCtrlCStub(true); connect(process, &QtcProcess::done, this, [this, process, node] { process->deleteLater(); if (process->result() != ProcessResult::FinishedWithSuccess) From a8d493d3521f2aff3cd4c26f880184b3cf14bced Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Mon, 13 Feb 2023 10:44:12 +0100 Subject: [PATCH 23/36] TextEditor: Fix typo MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Change-Id: I3dcf98827789882ea9cd7a5c4072173a2f33b97a Reviewed-by: André Hartmann Reviewed-by: David Schulz --- src/plugins/texteditor/textmark.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/plugins/texteditor/textmark.cpp b/src/plugins/texteditor/textmark.cpp index 19ab3d1d346..63e339ca8b2 100644 --- a/src/plugins/texteditor/textmark.cpp +++ b/src/plugins/texteditor/textmark.cpp @@ -284,7 +284,7 @@ void TextMark::addToToolTipLayout(QGridLayout *target) const const bool isHidden = TextDocument::marksAnnotationHidden(m_category.id); visibilityAction->setIcon(Utils::Icons::EYE_OPEN_TOOLBAR.icon()); const QString tooltip = (isHidden ? Tr::tr("Show inline annotations for %1") - : Tr::tr("Tempoary hide inline annotations for %1")) + : Tr::tr("Temporary hide inline annotations for %1")) .arg(m_category.displayName); visibilityAction->setToolTip(tooltip); auto callback = [id = m_category.id, isHidden] { From 0ffb85b4d864da82c879535d382a16ba2971164f Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Thu, 19 Jan 2023 22:13:30 +0100 Subject: [PATCH 24/36] AutoTest: Improve test output handling Instead of just providing the hidden search, provide a more obvious present filter functionality for the text output similar to what is done in other output windows. This still has the find functionality present as well. Task-number: QTCREATORBUG-28706 Change-Id: I8f8b1494d86c90cbb9ea6bfad3f0e74caf3de2c9 Reviewed-by: David Schulz --- src/plugins/autotest/testresultspane.cpp | 89 ++++++++---------------- src/plugins/autotest/testresultspane.h | 8 +-- 2 files changed, 32 insertions(+), 65 deletions(-) diff --git a/src/plugins/autotest/testresultspane.cpp b/src/plugins/autotest/testresultspane.cpp index a75adb215c6..d101d2027b3 100644 --- a/src/plugins/autotest/testresultspane.cpp +++ b/src/plugins/autotest/testresultspane.cpp @@ -15,15 +15,13 @@ #include "testsettings.h" #include "testtreemodel.h" -#include - #include #include #include -#include #include #include #include +#include #include #include @@ -115,16 +113,22 @@ TestResultsPane::TestResultsPane(QObject *parent) : outputLayout->addWidget(ItemViewFind::createSearchableWrapper(m_treeView)); - m_textOutput = new QPlainTextEdit; - m_textOutput->setPalette(pal); - m_textOutput->setFont(TextEditor::TextEditorSettings::fontSettings().font()); + m_textOutput = new Core::OutputWindow(Core::Context("AutoTest.TextOutput"), + "AutoTest.TextOutput.Filter"); + + m_textOutput->setBaseFont(TextEditor::TextEditorSettings::fontSettings().font()); m_textOutput->setWordWrapMode(QTextOption::WordWrap); m_textOutput->setReadOnly(true); m_outputWidget->addWidget(m_textOutput); - auto agg = new Aggregation::Aggregate; - agg->add(m_textOutput); - agg->add(new BaseTextFind(m_textOutput)); + setupFilterUi("AutoTest.TextOutput.Filter"); + setupContext("AutoTest.TextOutput", m_textOutput); + setFilteringEnabled(false); + setZoomButtonsEnabled(false); + connect(this, &IOutputPane::zoomInRequested, m_textOutput, &Core::OutputWindow::zoomIn); + connect(this, &IOutputPane::zoomOutRequested, m_textOutput, &Core::OutputWindow::zoomOut); + connect(this, &IOutputPane::resetZoomRequested, m_textOutput, &Core::OutputWindow::resetZoom); + connect(this, &IOutputPane::fontChanged, m_textOutput, &OutputWindow::setBaseFont); createToolButtons(); @@ -235,33 +239,6 @@ void TestResultsPane::addTestResult(const TestResult &result) navigateStateChanged(); } -static void checkAndFineTuneColors(QTextCharFormat *format) -{ - QTC_ASSERT(format, return); - const QColor bgColor = format->background().color(); - QColor fgColor = format->foreground().color(); - - if (StyleHelper::isReadableOn(bgColor, fgColor)) - return; - - int h, s, v; - fgColor.getHsv(&h, &s, &v); - // adjust the color value to ensure better readability - if (StyleHelper::luminance(bgColor) < .5) - v = v + 64; - else - v = v - 64; - - fgColor.setHsv(h, s, v); - if (!StyleHelper::isReadableOn(bgColor, fgColor)) { - s = (s + 128) % 255; // adjust the saturation to ensure better readability - fgColor.setHsv(h, s, v); - if (!StyleHelper::isReadableOn(bgColor, fgColor)) - return; - } - - format->setForeground(fgColor); -} void TestResultsPane::addOutputLine(const QByteArray &outputLine, OutputChannel channel) { @@ -271,20 +248,9 @@ void TestResultsPane::addOutputLine(const QByteArray &outputLine, OutputChannel return; } - const FormattedText formattedText - = FormattedText{QString::fromUtf8(outputLine), m_defaultFormat}; - const QList formatted = channel == OutputChannel::StdOut - ? m_stdOutHandler.parseText(formattedText) - : m_stdErrHandler.parseText(formattedText); - - QTextCursor cursor = m_textOutput->textCursor(); - cursor.beginEditBlock(); - for (auto formattedText : formatted) { - checkAndFineTuneColors(&formattedText.format); - cursor.insertText(formattedText.text, formattedText.format); - } - cursor.insertText("\n"); - cursor.endEditBlock(); + m_textOutput->appendMessage(QString::fromUtf8(outputLine) + '\n', + channel == OutputChannel::StdOut ? OutputFormat::StdOutFormat + : OutputFormat::StdErrFormat); } QWidget *TestResultsPane::outputWidget(QWidget *parent) @@ -299,8 +265,11 @@ QWidget *TestResultsPane::outputWidget(QWidget *parent) QList TestResultsPane::toolBarWidgets() const { - return {m_expandCollapse, m_runAll, m_runSelected, m_runFailed, m_runFile, m_stopTestRun, - m_outputToggleButton, m_filterButton}; + QList result = {m_expandCollapse, m_runAll, m_runSelected, m_runFailed, + m_runFile, m_stopTestRun, m_outputToggleButton, m_filterButton}; + for (QWidget *widget : IOutputPane::toolBarWidgets()) + result.append(widget); + return result; } QString TestResultsPane::displayName() const @@ -325,14 +294,6 @@ void TestResultsPane::clearContents() connect(m_treeView->verticalScrollBar(), &QScrollBar::rangeChanged, this, &TestResultsPane::onScrollBarRangeChanged, Qt::UniqueConnection); m_textOutput->clear(); - m_defaultFormat.setBackground(creatorTheme()->palette().color( - m_textOutput->backgroundRole())); - m_defaultFormat.setForeground(creatorTheme()->palette().color( - m_textOutput->foregroundRole())); - - // in case they had been forgotten to reset - m_stdErrHandler.endFormatScope(); - m_stdOutHandler.endFormatScope(); clearMarks(); } @@ -445,6 +406,12 @@ void TestResultsPane::goToPrev() onItemActivated(nextCurrentIndex); } +void TestResultsPane::updateFilter() +{ + m_textOutput->updateFilterProperties(filterText(), filterCaseSensitivity(), filterUsesRegexp(), + filterIsInverted()); +} + void TestResultsPane::onItemActivated(const QModelIndex &index) { if (!index.isValid()) @@ -711,6 +678,8 @@ void TestResultsPane::toggleOutputStyle() m_outputWidget->setCurrentIndex(displayText ? 1 : 0); m_outputToggleButton->setIcon(displayText ? Icons::VISUAL_DISPLAY.icon() : Icons::TEXT_DISPLAY.icon()); + setFilteringEnabled(displayText); + setZoomButtonsEnabled(displayText); } // helper for onCopyWholeTriggered() and onSaveWholeTriggered() diff --git a/src/plugins/autotest/testresultspane.h b/src/plugins/autotest/testresultspane.h index 7cede72ad65..530b17c644c 100644 --- a/src/plugins/autotest/testresultspane.h +++ b/src/plugins/autotest/testresultspane.h @@ -7,7 +7,6 @@ #include -#include #include QT_BEGIN_NAMESPACE @@ -24,6 +23,7 @@ QT_END_NAMESPACE namespace Core { class IContext; +class OutputWindow; } namespace Autotest { @@ -71,6 +71,7 @@ public: bool canPrevious() const override; void goToNext() override; void goToPrev() override; + void updateFilter() override; void addTestResult(const TestResult &result); void addOutputLine(const QByteArray &outputLine, OutputChannel channel); @@ -118,15 +119,12 @@ private: QToolButton *m_stopTestRun; QToolButton *m_filterButton; QToolButton *m_outputToggleButton; - QPlainTextEdit *m_textOutput; + Core::OutputWindow *m_textOutput; QMenu *m_filterMenu; bool m_autoScroll = false; bool m_atEnd = false; bool m_testRunning = false; QVector m_marks; - QTextCharFormat m_defaultFormat; - Utils::AnsiEscapeCodeHandler m_stdErrHandler; - Utils::AnsiEscapeCodeHandler m_stdOutHandler; }; } // namespace Internal From 885c6c1f0e9917c217d3f9dc5ed32a39fcbef05a Mon Sep 17 00:00:00 2001 From: Christian Stenger Date: Fri, 10 Feb 2023 16:00:41 +0100 Subject: [PATCH 25/36] Pdb: Change shutdown handling behavior MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Directly finish the debugger when program ends if the debugger is in running state as this feels more natural. Only get into post-mortem handling when stepping. Change-Id: I6ac6600a7cb8f58a003a6e4783174864ed5e89d8 Reviewed-by: hjk Reviewed-by: Reviewed-by: André Hartmann --- share/qtcreator/debugger/pdbbridge.py | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/share/qtcreator/debugger/pdbbridge.py b/share/qtcreator/debugger/pdbbridge.py index 7b4774b3bff..e91c56e7163 100644 --- a/share/qtcreator/debugger/pdbbridge.py +++ b/share/qtcreator/debugger/pdbbridge.py @@ -744,13 +744,12 @@ class QtcInternalDumper(): if self._user_requested_quit: break print('The program finished') + sys.exit(0) except SystemExit: # In most cases SystemExit does not warrant a post-mortem session. print('The program exited via sys.exit(). Exit status:') print(sys.exc_info()[1]) t = sys.exc_info()[2] - self.interaction(None, t) - print('Post-mortem debugging is finished - ending debug session.') sys.exit(0) @@ -758,8 +757,7 @@ class QtcInternalDumper(): traceback.print_exc() print('Uncaught exception. Entering post mortem debugging') t = sys.exc_info()[2] - self.curframe_locals['__execption__'] = sys.exc_info()[0:2] - self.interaction(None, t) + self.curframe_locals['__exception__'] = t print('Post mortem debugger finished - ending debug session.') sys.exit(0) From cd8ea1f45b3aa7334ef2e775ec2fef8ae1453031 Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Mon, 13 Feb 2023 20:41:50 +0200 Subject: [PATCH 26/36] Git: Call updateUpstreamStatus for all branches in a single place MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * Calling it for each parsed line mixes unrelated logic. * I consider adding a cache later, but that will require data for all the remotes before this call. Change-Id: Ic3ee975fc6172f2a8848bc8d0a6620d4ccbf9cd2 Reviewed-by: André Hartmann --- src/plugins/git/branchmodel.cpp | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/src/plugins/git/branchmodel.cpp b/src/plugins/git/branchmodel.cpp index cb051693d6d..dbfbf4bfe84 100644 --- a/src/plugins/git/branchmodel.cpp +++ b/src/plugins/git/branchmodel.cpp @@ -218,6 +218,7 @@ public: bool hasTags() const { return rootNode->children.count() > Tags; } void parseOutputLine(const QString &line, bool force = false); void flushOldEntries(); + void updateAllUpstreamStatus(BranchNode *node); BranchModel *q; GitClient *client; @@ -422,6 +423,7 @@ bool BranchModel::refresh(const FilePath &workingDirectory, QString *errorMessag d->parseOutputLine(l); d->flushOldEntries(); + d->updateAllUpstreamStatus(d->rootNode->children.at(LocalBranches)); if (d->currentBranch) { if (d->currentBranch->isLocal()) d->currentBranch = nullptr; @@ -827,7 +829,6 @@ void BranchModel::Private::parseOutputLine(const QString &line, bool force) root->insert(nameParts, newNode); if (current) currentBranch = newNode; - q->updateUpstreamStatus(newNode); } void BranchModel::Private::flushOldEntries() @@ -902,6 +903,18 @@ void BranchModel::updateUpstreamStatus(BranchNode *node) process->start(); } +void BranchModel::Private::updateAllUpstreamStatus(BranchNode *node) +{ + if (!node) + return; + if (node->isLeaf()) { + q->updateUpstreamStatus(node); + return; + } + for (BranchNode *child : node->children) + updateAllUpstreamStatus(child); +} + QString BranchModel::toolTip(const QString &sha) const { // Show the sha description excluding diff as toolTip From 8cd11e93e0b113037fafbd565cd8dea5a13d3c8f Mon Sep 17 00:00:00 2001 From: Orgad Shaneh Date: Sun, 12 Feb 2023 14:40:16 +0200 Subject: [PATCH 27/36] Git: Filter out tags on command execution MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit For a repo with ~50K tags, this reduces the time of for-each-ref from ~1s to ~270ms. Change-Id: I00f735bba62307cc9419619ebe5aa71a800368ea Reviewed-by: Qt CI Bot Reviewed-by: Reviewed-by: André Hartmann --- src/plugins/git/branchmodel.cpp | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/src/plugins/git/branchmodel.cpp b/src/plugins/git/branchmodel.cpp index dbfbf4bfe84..3c4971fa734 100644 --- a/src/plugins/git/branchmodel.cpp +++ b/src/plugins/git/branchmodel.cpp @@ -409,8 +409,12 @@ bool BranchModel::refresh(const FilePath &workingDirectory, QString *errorMessag } d->currentSha = d->client->synchronousTopRevision(workingDirectory, &d->currentDateTime); - const QStringList args = {"--format=%(objectname)\t%(refname)\t%(upstream:short)\t" - "%(*objectname)\t%(committerdate:raw)\t%(*committerdate:raw)"}; + QStringList args = {"--format=%(objectname)\t%(refname)\t%(upstream:short)\t" + "%(*objectname)\t%(committerdate:raw)\t%(*committerdate:raw)", + "refs/heads/**", + "refs/remotes/**"}; + if (d->client->settings().showTags.value()) + args << "refs/tags/**"; QString output; if (!d->client->synchronousForEachRefCmd(workingDirectory, args, &output, errorMessage)) { endResetModel(); From 4838dead1a60bb24920e52830664a1ae2850550b Mon Sep 17 00:00:00 2001 From: David Schulz Date: Fri, 10 Feb 2023 13:49:24 +0100 Subject: [PATCH 28/36] DumperTest: print total time in debugger Change-Id: I1397bd3d8034cb334bdc3b84bdbcc060aa0cd9f5 Reviewed-by: Christian Stenger --- tests/auto/debugger/tst_dumpers.cpp | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/tests/auto/debugger/tst_dumpers.cpp b/tests/auto/debugger/tst_dumpers.cpp index 8dbc5808fd0..91cc051e5f5 100644 --- a/tests/auto/debugger/tst_dumpers.cpp +++ b/tests/auto/debugger/tst_dumpers.cpp @@ -1131,6 +1131,7 @@ private slots: void dumper_data(); void init(); void cleanup(); + void cleanupTestCase(); private: void disarm() { t->buildTemp.setAutoRemove(!keepTemp()); } @@ -1153,6 +1154,7 @@ private: bool m_isMacGdb = false; bool m_isQnxGdb = false; bool m_useGLibCxxDebug = false; + int m_totalDumpTime = 0; }; void tst_Dumpers::initTestCase() @@ -1310,6 +1312,11 @@ void tst_Dumpers::cleanup() delete t; } +void tst_Dumpers::cleanupTestCase() +{ + qCDebug(lcDumpers) << "Dumpers total: " << QTime::fromMSecsSinceStartOfDay(m_totalDumpTime); +} + void tst_Dumpers::dumper() { QFETCH(Data, data); @@ -1812,8 +1819,11 @@ void tst_Dumpers::dumper() debugger.setWorkingDirectory(t->buildPath); debugger.start(exe, args); QVERIFY(debugger.waitForStarted()); + QElapsedTimer dumperTimer; + dumperTimer.start(); debugger.write(cmds.toLocal8Bit()); QVERIFY(debugger.waitForFinished()); + m_totalDumpTime += dumperTimer.elapsed(); output = debugger.readAllStandardOutput(); QByteArray fullOutput = output; //qCDebug(lcDumpers) << "stdout: " << output; From c0cce829b5b8e343713ed34dcf290bdb783054a1 Mon Sep 17 00:00:00 2001 From: hjk Date: Thu, 9 Feb 2023 15:07:54 +0100 Subject: [PATCH 29/36] AutoTest: Use new test object setup Change-Id: Icf750f084d8c2b5c34e62dfedd62bc785406d590 Reviewed-by: Christian Stenger Reviewed-by: Qt CI Bot Reviewed-by: --- src/plugins/autotest/autotestplugin.cpp | 11 ++--------- src/plugins/autotest/autotestplugin.h | 3 --- 2 files changed, 2 insertions(+), 12 deletions(-) diff --git a/src/plugins/autotest/autotestplugin.cpp b/src/plugins/autotest/autotestplugin.cpp index faf4da67173..98b804b16d3 100644 --- a/src/plugins/autotest/autotestplugin.cpp +++ b/src/plugins/autotest/autotestplugin.cpp @@ -283,6 +283,8 @@ void AutotestPlugin::initialize() #ifdef WITH_TESTS ExtensionSystem::PluginManager::registerScenario("TestModelManagerInterface", [] { return dd->m_loadProjectScenario(); }); + + addTest(&dd->m_testTreeModel); #endif } @@ -540,15 +542,6 @@ void AutotestPlugin::popupResultsPane() dd->m_resultsPane->popup(Core::IOutputPane::NoModeSwitch); } -QVector AutotestPlugin::createTestObjects() const -{ - QVector tests; -#ifdef WITH_TESTS - tests << new AutoTestUnitTests(&dd->m_testTreeModel); -#endif - return tests; -} - bool ChoicePair::matches(const ProjectExplorer::RunConfiguration *rc) const { return rc && rc->displayName() == displayName && rc->runnable().command.executable() == executable; diff --git a/src/plugins/autotest/autotestplugin.h b/src/plugins/autotest/autotestplugin.h index f6b8b337af5..8705a8a538d 100644 --- a/src/plugins/autotest/autotestplugin.h +++ b/src/plugins/autotest/autotestplugin.h @@ -51,9 +51,6 @@ public: static ChoicePair cachedChoiceFor(const QString &buildTargetKey); static void clearChoiceCache(); static void popupResultsPane(); - -private: - QVector createTestObjects() const override; }; } // namespace Internal From 3685ef0f37f9657c58b2dd122648b2dade090383 Mon Sep 17 00:00:00 2001 From: hjk Date: Thu, 9 Feb 2023 10:52:16 +0100 Subject: [PATCH 30/36] McuSupport: Use new plugin test setup And some code cosmetics. Change-Id: Ia2831256a9a662d79a3736aefd7cc75760712f4c Reviewed-by: Christian Stenger --- src/plugins/mcusupport/mcusupportplugin.cpp | 23 +++++++-------------- src/plugins/mcusupport/mcusupportplugin.h | 8 ++----- 2 files changed, 9 insertions(+), 22 deletions(-) diff --git a/src/plugins/mcusupport/mcusupportplugin.cpp b/src/plugins/mcusupport/mcusupportplugin.cpp index 8e873785916..2c3dfdb28b0 100644 --- a/src/plugins/mcusupport/mcusupportplugin.cpp +++ b/src/plugins/mcusupport/mcusupportplugin.cpp @@ -41,12 +41,9 @@ using namespace Core; using namespace ProjectExplorer; -namespace { -constexpr char setupMcuSupportKits[]{"SetupMcuSupportKits"}; -} +namespace McuSupport::Internal { -namespace McuSupport { -namespace Internal { +const char setupMcuSupportKits[] = "SetupMcuSupportKits"; void printMessage(const QString &message, bool important) { @@ -125,6 +122,10 @@ void McuSupportPlugin::initialize() dd->m_options.registerQchFiles(); dd->m_options.registerExamples(); ProjectExplorer::JsonWizardFactory::addWizardPath(":/mcusupport/wizards/"); + +#if defined(WITH_TESTS) && defined(GOOGLE_TEST_IS_FOUND) + addTest(); +#endif } void McuSupportPlugin::extensionsInitialized() @@ -189,14 +190,4 @@ void McuSupportPlugin::askUserAboutMcuSupportKitsUpgrade(const SettingsHandler:: ICore::infoBar()->addInfo(info); } -QVector McuSupportPlugin::createTestObjects() const -{ - QVector tests; -#if defined(WITH_TESTS) && defined(GOOGLE_TEST_IS_FOUND) - tests << new Test::McuSupportTest; -#endif - return tests; -} - -} // namespace Internal -} // namespace McuSupport +} // McuSupport::Internal diff --git a/src/plugins/mcusupport/mcusupportplugin.h b/src/plugins/mcusupport/mcusupportplugin.h index 6db14cb63e9..08cfc61f890 100644 --- a/src/plugins/mcusupport/mcusupportplugin.h +++ b/src/plugins/mcusupport/mcusupportplugin.h @@ -24,10 +24,6 @@ public: void askUserAboutMcuSupportKitsSetup(); static void askUserAboutMcuSupportKitsUpgrade(const SettingsHandler::Ptr &settingsHandler); +}; -private: - QVector createTestObjects() const final; - -}; // class McuSupportPlugin - -} // namespace McuSupport::Internal +} // McuSupport::Internal From 288b43424a0d292497cc1a9ae9cfa9f6cf5cb538 Mon Sep 17 00:00:00 2001 From: Jarek Kobus Date: Fri, 10 Feb 2023 23:37:49 +0100 Subject: [PATCH 31/36] Remove unneeded includes of task.h and taskhub.h And some other includes spotted by the way. Change-Id: Icd5eadf16617506fe48fae52ff0639d247002d75 Reviewed-by: hjk Reviewed-by: Reviewed-by: Qt CI Bot --- .../compilationdbparser.cpp | 1 - src/plugins/debugger/debuggerengine.cpp | 1 - src/plugins/genericprojectmanager/genericprojectplugin.cpp | 1 - src/plugins/mesonprojectmanager/ninjaparser.h | 1 - src/plugins/mesonprojectmanager/tests/testmesonparser.cpp | 2 -- src/plugins/projectexplorer/clangparser.h | 1 - src/plugins/projectexplorer/compileoutputwindow.cpp | 6 +++--- src/plugins/projectexplorer/configtaskhandler.cpp | 3 --- src/plugins/projectexplorer/gccparser.cpp | 2 -- src/plugins/projectexplorer/gnumakeparser.cpp | 2 -- src/plugins/projectexplorer/kitmanager.cpp | 3 --- src/plugins/projectexplorer/osparser.h | 2 -- src/plugins/projectexplorer/targetsetuppage.h | 4 +--- src/plugins/projectexplorer/xcodebuildparser.cpp | 1 - src/plugins/qbsprojectmanager/qbsprofilessettingspage.cpp | 2 -- src/plugins/qbsprojectmanager/qbsproject.h | 1 - src/plugins/qmakeprojectmanager/qmakeparsernodes.cpp | 1 - src/plugins/qmlprofiler/qmlprofilertool.cpp | 1 - 18 files changed, 4 insertions(+), 31 deletions(-) diff --git a/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp b/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp index 27c7477abc9..251e9685c45 100644 --- a/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp +++ b/src/plugins/compilationdatabaseprojectmanager/compilationdbparser.cpp @@ -7,7 +7,6 @@ #include "compilationdatabaseprojectmanagertr.h" #include -#include #include #include #include diff --git a/src/plugins/debugger/debuggerengine.cpp b/src/plugins/debugger/debuggerengine.cpp index f9d6cfa005a..14cab127508 100644 --- a/src/plugins/debugger/debuggerengine.cpp +++ b/src/plugins/debugger/debuggerengine.cpp @@ -45,7 +45,6 @@ #include #include -#include #include #include diff --git a/src/plugins/genericprojectmanager/genericprojectplugin.cpp b/src/plugins/genericprojectmanager/genericprojectplugin.cpp index de49bd4d802..8999016c2aa 100644 --- a/src/plugins/genericprojectmanager/genericprojectplugin.cpp +++ b/src/plugins/genericprojectmanager/genericprojectplugin.cpp @@ -21,7 +21,6 @@ #include #include #include -#include #include #include diff --git a/src/plugins/mesonprojectmanager/ninjaparser.h b/src/plugins/mesonprojectmanager/ninjaparser.h index ff47a80c856..6236549ed75 100644 --- a/src/plugins/mesonprojectmanager/ninjaparser.h +++ b/src/plugins/mesonprojectmanager/ninjaparser.h @@ -4,7 +4,6 @@ #pragma once #include -#include #include diff --git a/src/plugins/mesonprojectmanager/tests/testmesonparser.cpp b/src/plugins/mesonprojectmanager/tests/testmesonparser.cpp index 5134709f354..08bd19468ec 100644 --- a/src/plugins/mesonprojectmanager/tests/testmesonparser.cpp +++ b/src/plugins/mesonprojectmanager/tests/testmesonparser.cpp @@ -3,8 +3,6 @@ #include "../mesonoutputparser.h" -#include - #include #include #include diff --git a/src/plugins/projectexplorer/clangparser.h b/src/plugins/projectexplorer/clangparser.h index 9f97d3ae641..8918bcb8213 100644 --- a/src/plugins/projectexplorer/clangparser.h +++ b/src/plugins/projectexplorer/clangparser.h @@ -4,7 +4,6 @@ #pragma once #include "gccparser.h" -#include "task.h" #include diff --git a/src/plugins/projectexplorer/compileoutputwindow.cpp b/src/plugins/projectexplorer/compileoutputwindow.cpp index e6a4c9abd3e..55680befb6c 100644 --- a/src/plugins/projectexplorer/compileoutputwindow.cpp +++ b/src/plugins/projectexplorer/compileoutputwindow.cpp @@ -4,14 +4,11 @@ #include "compileoutputwindow.h" #include "buildmanager.h" -#include "ioutputparser.h" -#include "projectexplorer.h" #include "projectexplorerconstants.h" #include "projectexplorericons.h" #include "projectexplorersettings.h" #include "projectexplorertr.h" #include "showoutputtaskhandler.h" -#include "task.h" #include #include @@ -39,6 +36,9 @@ #include namespace ProjectExplorer { + +class Task; + namespace Internal { const char SETTINGS_KEY[] = "ProjectExplorer/CompileOutput/Zoom"; diff --git a/src/plugins/projectexplorer/configtaskhandler.cpp b/src/plugins/projectexplorer/configtaskhandler.cpp index 9672c96d10a..04d0ca1f3a7 100644 --- a/src/plugins/projectexplorer/configtaskhandler.cpp +++ b/src/plugins/projectexplorer/configtaskhandler.cpp @@ -3,9 +3,6 @@ #include "configtaskhandler.h" -#include "task.h" -#include "taskhub.h" - #include #include diff --git a/src/plugins/projectexplorer/gccparser.cpp b/src/plugins/projectexplorer/gccparser.cpp index 97f7a1361eb..f3c457f90f9 100644 --- a/src/plugins/projectexplorer/gccparser.cpp +++ b/src/plugins/projectexplorer/gccparser.cpp @@ -5,8 +5,6 @@ #include "ldparser.h" #include "lldparser.h" #include "task.h" -#include "projectexplorerconstants.h" -#include "buildmanager.h" #include diff --git a/src/plugins/projectexplorer/gnumakeparser.cpp b/src/plugins/projectexplorer/gnumakeparser.cpp index 58b606d0201..a1937df384f 100644 --- a/src/plugins/projectexplorer/gnumakeparser.cpp +++ b/src/plugins/projectexplorer/gnumakeparser.cpp @@ -3,7 +3,6 @@ #include "gnumakeparser.h" -#include "projectexplorerconstants.h" #include "task.h" #include @@ -136,7 +135,6 @@ bool GnuMakeParser::hasFatalErrors() const # include "outputparser_test.h" # include "projectexplorer.h" -# include "projectexplorerconstants.h" namespace ProjectExplorer { diff --git a/src/plugins/projectexplorer/kitmanager.cpp b/src/plugins/projectexplorer/kitmanager.cpp index 5aafe5831c1..cb67e11fac0 100644 --- a/src/plugins/projectexplorer/kitmanager.cpp +++ b/src/plugins/projectexplorer/kitmanager.cpp @@ -8,11 +8,8 @@ #include "kit.h" #include "kitfeatureprovider.h" #include "kitinformation.h" -#include "kitmanagerconfigwidget.h" -#include "project.h" #include "projectexplorerconstants.h" #include "projectexplorertr.h" -#include "task.h" #include "toolchainmanager.h" #include diff --git a/src/plugins/projectexplorer/osparser.h b/src/plugins/projectexplorer/osparser.h index 4811233e689..6fb9a0ff942 100644 --- a/src/plugins/projectexplorer/osparser.h +++ b/src/plugins/projectexplorer/osparser.h @@ -5,8 +5,6 @@ #include "ioutputparser.h" -#include - namespace ProjectExplorer { class PROJECTEXPLORER_EXPORT OsParser : public ProjectExplorer::OutputTaskParser diff --git a/src/plugins/projectexplorer/targetsetuppage.h b/src/plugins/projectexplorer/targetsetuppage.h index 2adfc047ea5..99448693c6f 100644 --- a/src/plugins/projectexplorer/targetsetuppage.h +++ b/src/plugins/projectexplorer/targetsetuppage.h @@ -5,10 +5,8 @@ #include "projectexplorer_export.h" -#include "kitinformation.h" -#include "kitmanager.h" +#include "kit.h" #include "projectimporter.h" -#include "task.h" #include diff --git a/src/plugins/projectexplorer/xcodebuildparser.cpp b/src/plugins/projectexplorer/xcodebuildparser.cpp index 8bb08ce2cc0..4dd55302341 100644 --- a/src/plugins/projectexplorer/xcodebuildparser.cpp +++ b/src/plugins/projectexplorer/xcodebuildparser.cpp @@ -3,7 +3,6 @@ #include "xcodebuildparser.h" -#include "projectexplorerconstants.h" #include "projectexplorertr.h" #include "task.h" diff --git a/src/plugins/qbsprojectmanager/qbsprofilessettingspage.cpp b/src/plugins/qbsprojectmanager/qbsprofilessettingspage.cpp index 7cee7c6d2da..64c73ed5f0e 100644 --- a/src/plugins/qbsprojectmanager/qbsprofilessettingspage.cpp +++ b/src/plugins/qbsprojectmanager/qbsprofilessettingspage.cpp @@ -6,14 +6,12 @@ #include "qbsprofilemanager.h" #include "qbsprojectmanagerconstants.h" #include "qbsprojectmanagertr.h" -#include "qbssettings.h" #include #include #include #include #include -#include #include #include #include diff --git a/src/plugins/qbsprojectmanager/qbsproject.h b/src/plugins/qbsprojectmanager/qbsproject.h index ab4728ae749..048971db7ca 100644 --- a/src/plugins/qbsprojectmanager/qbsproject.h +++ b/src/plugins/qbsprojectmanager/qbsproject.h @@ -10,7 +10,6 @@ #include #include #include -#include #include #include diff --git a/src/plugins/qmakeprojectmanager/qmakeparsernodes.cpp b/src/plugins/qmakeprojectmanager/qmakeparsernodes.cpp index 14fecd00d93..e15fadb46db 100644 --- a/src/plugins/qmakeprojectmanager/qmakeparsernodes.cpp +++ b/src/plugins/qmakeprojectmanager/qmakeparsernodes.cpp @@ -21,7 +21,6 @@ #include #include #include -#include #include diff --git a/src/plugins/qmlprofiler/qmlprofilertool.cpp b/src/plugins/qmlprofiler/qmlprofilertool.cpp index ccea82819de..579a870a4b0 100644 --- a/src/plugins/qmlprofiler/qmlprofilertool.cpp +++ b/src/plugins/qmlprofiler/qmlprofilertool.cpp @@ -41,7 +41,6 @@ #include #include #include -#include #include From 72de50df83855f3340f72c61847252807518da1f Mon Sep 17 00:00:00 2001 From: Cristian Adam Date: Thu, 9 Feb 2023 14:13:32 +0100 Subject: [PATCH 32/36] GitHub Actions: Some cleanup - use the release tag for the artifact name instead of github.run_id - add releases notes to the github release page - enable macos universal builds - add architecture in the artifact name Change-Id: I478d2fb677b60fb2e59c154d538af94d1fddfac5 Reviewed-by: Eike Ziller --- .github/workflows/build_cmake.yml | 231 ++++++++---------------------- 1 file changed, 59 insertions(+), 172 deletions(-) diff --git a/.github/workflows/build_cmake.yml b/.github/workflows/build_cmake.yml index 30dae550023..0c04d2691c7 100644 --- a/.github/workflows/build_cmake.yml +++ b/.github/workflows/build_cmake.yml @@ -21,19 +21,21 @@ jobs: build: name: ${{ matrix.config.name }} runs-on: ${{ matrix.config.os }} + outputs: + tag: ${{ steps.git.outputs.tag }} strategy: fail-fast: false matrix: config: - { - name: "Windows Latest MSVC", artifact: "Windows-MSVC", + name: "Windows Latest MSVC", artifact: "windows-x64-msvc", os: windows-latest, cc: "cl", cxx: "cl", environment_script: "C:/Program Files/Microsoft Visual Studio/2022/Enterprise/VC/Auxiliary/Build/vcvars64.bat", is_msvc: true } - { - name: "Windows Latest MinGW", artifact: "Windows-MinGW", + name: "Windows Latest MinGW", artifact: "windows-x64-mingw", os: windows-latest, toolchain: "https://github.com/cristianadam/mingw-builds/releases/download/v11.2.0-rev1/x86_64-11.2.0-release-posix-seh-rt_v9-rev1.7z", toolchain_path: "mingw64/bin", @@ -41,12 +43,12 @@ jobs: is_msvc: false } - { - name: "Ubuntu Latest GCC", artifact: "Linux", + name: "Ubuntu Latest GCC", artifact: "linux-x64", os: ubuntu-latest, cc: "gcc", cxx: "g++" } - { - name: "macOS Latest Clang", artifact: "macOS", + name: "macOS Latest Clang", artifact: "macos-universal", os: macos-latest, cc: "clang", cxx: "clang++" } @@ -54,9 +56,21 @@ jobs: steps: - uses: actions/checkout@v3 - name: Checkout submodules + id: git + shell: cmake -P {0} run: | - git submodule set-url -- perfparser https://code.qt.io/qt-creator/perfparser.git - git submodule update --init --recursive + execute_process(COMMAND git submodule set-url -- perfparser https://code.qt.io/qt-creator/perfparser.git) + execute_process(COMMAND git submodule update --init --recursive) + file(MAKE_DIRECTORY release) + if (${{github.ref}} MATCHES "tags/v(.*)") + file(APPEND "$ENV{GITHUB_OUTPUT}" "tag=${CMAKE_MATCH_1}\n") + file(READ "dist/changelog/changes-${CMAKE_MATCH_1}.md" changelog_md) + file(WRITE "release/changelog.md" "These packages are not officially supported, for official packages please check out https://download.qt.io/official_releases/qtcreator\n\n") + file(APPEND "release/changelog.md" "${changelog_md}") + else() + file(APPEND "$ENV{GITHUB_OUTPUT}" "tag=${{github.run_id}}\n") + endif() + - name: Download Ninja and CMake shell: cmake -P {0} @@ -562,6 +576,10 @@ jobs: set(ENV{PATH} "$ENV{GITHUB_WORKSPACE}/${{ matrix.config.toolchain_path }}${path_separator}$ENV{PATH}") endif() + if ("${{ runner.os }}" STREQUAL "macOS") + set(ENV{CMAKE_OSX_ARCHITECTURES} "x86_64;arm64") + endif() + execute_process( COMMAND python -u @@ -579,7 +597,7 @@ jobs: --add-config=-DCMAKE_C_COMPILER_LAUNCHER=ccache --add-config=-DCMAKE_CXX_COMPILER_LAUNCHER=ccache --add-config=-DIDE_REVISION_URL=https://github.com/$ENV{GITHUB_REPOSITORY}/commits/$ENV{GITHUB_SHA} - --zip-infix=-${{ matrix.config.artifact }}-${{ github.run_id }} + --zip-infix=-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }} --no-qbs --with-cpack RESULT_VARIABLE result @@ -646,42 +664,42 @@ jobs: - name: Upload uses: actions/upload-artifact@v3 with: - path: build/qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.7z + path: build/qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z + name: qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z - name: Upload Devel uses: actions/upload-artifact@v3 with: - path: build/qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}_dev.7z - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}_dev.7z + path: build/qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}_dev.7z + name: qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}_dev.7z - name: Upload wininterrupt if: runner.os == 'Windows' uses: actions/upload-artifact@v3 with: - path: build/wininterrupt-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - name: wininterrupt-${{ matrix.config.artifact }}-${{ github.run_id }}.7z + path: build/wininterrupt-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z + name: wininterrupt-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z - name: Upload qtcreatorcdbext if: runner.os == 'Windows' && matrix.config.is_msvc uses: actions/upload-artifact@v3 with: - path: build/qtcreatorcdbext-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - name: qtcreatorcdbext-${{ matrix.config.artifact }}-${{ github.run_id }}.7z + path: build/qtcreatorcdbext-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z + name: qtcreatorcdbext-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.7z - name: Upload Debian package if: runner.os == 'Linux' uses: actions/upload-artifact@v3 with: - path: build/build/qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.deb - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.deb + path: build/build/qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.deb + name: qtcreator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.deb - name: Upload disk image if: runner.os == 'macOS' && contains(github.ref, 'tags/v') uses: actions/upload-artifact@v3 with: - path: build/qt-creator-${{ matrix.config.artifact }}-${{ github.run_id }}.dmg - name: qt-creator-${{ matrix.config.artifact }}-${{ github.run_id }}.dmg + path: build/qt-creator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.dmg + name: qt-creator-${{ matrix.config.artifact }}-${{ steps.git.outputs.tag }}.dmg - name: Create ccache archive working-directory: .ccache @@ -693,169 +711,38 @@ jobs: path: ./${{ steps.ccache.outputs.archive_name }}.tar name: ${{ steps.ccache.outputs.archive_name }} + - name: Upload Release Changelog + if: contains(github.ref, 'tags/v') + uses: actions/upload-artifact@v3 + with: + path: ./release/changelog.md + name: changelog.md + release: if: contains(github.ref, 'tags/v') runs-on: ubuntu-latest needs: build steps: + - name: Download artifacts + uses: actions/download-artifact@v3 + with: + path: release-with-dirs + + - name: Fixup artifacts + run: | + mkdir release + mv release-with-dirs/*/* release/ + rm release/ccache* + - name: Create Release id: create_release - uses: actions/create-release@v1 + uses: softprops/action-gh-release@v1 env: GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} with: - tag_name: ${{ github.ref }} - release_name: Release ${{ github.ref }} + tag_name: v${{ needs.build.outputs.tag }} + body_path: release/changelog.md + files: release/* draft: false prerelease: false - - - name: Store Release url - run: | - echo "${{ steps.create_release.outputs.upload_url }}" > ./upload_url - - - uses: actions/upload-artifact@v3 - with: - path: ./upload_url - name: upload_url - - publish: - if: contains(github.ref, 'tags/v') - name: ${{ matrix.config.name }} - runs-on: ${{ matrix.config.os }} - strategy: - fail-fast: false - matrix: - config: - - { - name: "Windows Latest MSVC", artifact: "Windows-MSVC", - os: ubuntu-latest - } - - { - name: "Windows Latest MinGW", artifact: "Windows-MinGW", - os: ubuntu-latest - } - - { - name: "Ubuntu Latest GCC", artifact: "Linux", - os: ubuntu-latest - } - - { - name: "macOS Latest Clang", artifact: "macOS", - os: ubuntu-latest - } - needs: release - - steps: - - name: Download artifact - uses: actions/download-artifact@v3 - with: - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - path: ./ - - - name: Download Devel artifact - uses: actions/download-artifact@v3 - with: - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}_dev.7z - path: ./ - - - name: Download wininterrupt artifact - if: contains(matrix.config.artifact, 'Windows') - uses: actions/download-artifact@v3 - with: - name: wininterrupt-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - path: ./ - - - name: Download qtcreatorcdbext artifact - if: matrix.config.artifact == 'Windows-MSVC' - uses: actions/download-artifact@v3 - with: - name: qtcreatorcdbext-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - path: ./ - - - name: Download Debian package artifact - if: matrix.config.artifact == 'Linux' - uses: actions/download-artifact@v3 - with: - name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.deb - path: ./ - - - name: Download disk image artifact - if: matrix.config.artifact == 'macOS' - uses: actions/download-artifact@v3 - with: - name: qt-creator-${{ matrix.config.artifact }}-${{ github.run_id }}.dmg - path: ./ - - - name: Download URL - uses: actions/download-artifact@v3 - with: - name: upload_url - path: ./ - - id: set_upload_url - run: | - upload_url=`cat ./upload_url` - echo upload_url=$upload_url >> $GITHUB_OUTPUT - - - name: Upload to Release - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_content_type: application/x-gtar - - - name: Upload Devel to Release - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}_dev.7z - asset_name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}_dev.7z - asset_content_type: application/x-gtar - - - name: Upload wininterrupt to Release - if: contains(matrix.config.artifact, 'Windows') - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./wininterrupt-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_name: wininterrupt-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_content_type: application/x-gtar - - - name: Upload qtcreatorcdbext to Release - if: matrix.config.artifact == 'Windows-MSVC' - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./qtcreatorcdbext-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_name: qtcreatorcdbext-${{ matrix.config.artifact }}-${{ github.run_id }}.7z - asset_content_type: application/x-gtar - - - name: Upload Debian package to Release - if: matrix.config.artifact == 'Linux' - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.deb - asset_name: qtcreator-${{ matrix.config.artifact }}-${{ github.run_id }}.deb - asset_content_type: application/x-gtar - - - name: Upload disk image to Release - if: matrix.config.artifact == 'macOS' - uses: actions/upload-release-asset@v1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.set_upload_url.outputs.upload_url }} - asset_path: ./qt-creator-${{ matrix.config.artifact }}-${{ github.run_id }}.dmg - asset_name: qt-creator-${{ matrix.config.artifact }}-${{ github.run_id }}.dmg - asset_content_type: application/x-gtar From e47dae643ab3317fdb075496925bef6fea3f238f Mon Sep 17 00:00:00 2001 From: David Schulz Date: Fri, 10 Feb 2023 10:20:10 +0100 Subject: [PATCH 33/36] Cdbext: lazy type lookup Postpone the lookup until we need the type id. This potentially skips the lookup for unresolvable types that are just to parse template parameters. Also cache types we already checked to prevent looking up types multiple times. Additionally traverse all modules in order to find unresolvable types. This combination reduces the time the debugger needs to execute all dumper tests from ~7:30 to ~3:30 on my machine. Task-number: QTCREATORBUG-18287 Change-Id: Ie1e9771f124096c2a9ad24ac26c9b51fcded4fed Reviewed-by: Reviewed-by: Christian Stenger --- share/qtcreator/debugger/cdbbridge.py | 2 +- src/libs/qtcreatorcdbext/pytype.cpp | 154 +++++++++++++++++++------- src/libs/qtcreatorcdbext/pytype.h | 16 +-- 3 files changed, 125 insertions(+), 47 deletions(-) diff --git a/share/qtcreator/debugger/cdbbridge.py b/share/qtcreator/debugger/cdbbridge.py index 33fd0583846..f54d2118afd 100644 --- a/share/qtcreator/debugger/cdbbridge.py +++ b/share/qtcreator/debugger/cdbbridge.py @@ -491,7 +491,7 @@ class Dumper(DumperBase): raise Exception("cdb does not support calling functions") def nameForCoreId(self, id): - for dll in ['Utilsd4', 'Utils4']: + for dll in ['Utilsd', 'Utils']: idName = cdbext.call('%s!Utils::nameForId(%d)' % (dll, id)) if idName is not None: break diff --git a/src/libs/qtcreatorcdbext/pytype.cpp b/src/libs/qtcreatorcdbext/pytype.cpp index b6844dcb629..a3c47aeba78 100644 --- a/src/libs/qtcreatorcdbext/pytype.cpp +++ b/src/libs/qtcreatorcdbext/pytype.cpp @@ -196,22 +196,49 @@ static std::string getModuleName(ULONG64 module) return std::string(); } +static std::unordered_map &typeCache() +{ + static std::unordered_map cache; + return cache; +} + PyType::PyType(ULONG64 module, unsigned long typeId, const std::string &name, int tag) - : m_module(module) - , m_typeId(typeId) + : m_typeId(typeId) + , m_module(module) , m_resolved(true) , m_tag(tag) { - m_name = SymbolGroupValue::stripClassPrefixes(name); - if (m_name.compare(0, 6, "union ") == 0) - m_name.erase(0, 6); - if (m_name == " *") - m_name.erase(10); + if (!name.empty()) { + m_name = SymbolGroupValue::stripClassPrefixes(name); + if (m_name.compare(0, 6, "union ") == 0) + m_name.erase(0, 6); + if (m_name == " *") + m_name.erase(10); + typeCache()[m_name] = *this; + if (debuggingTypeEnabled()) + DebugPrint() << "create resolved '" << m_name << "'"; + } +} + +PyType::PyType(const std::string &name, ULONG64 module) + : m_module(module) + , m_name(name) +{ + if (!m_name.empty()) { + m_name = SymbolGroupValue::stripClassPrefixes(name); + if (m_name.compare(0, 6, "union ") == 0) + m_name.erase(0, 6); + if (m_name == " *") + m_name.erase(10); + } + + if (debuggingTypeEnabled()) + DebugPrint() << "create unresolved '" << m_name << "'"; } std::string PyType::name(bool withModule) const { - if (m_name.empty()) { + if (m_name.empty() && m_resolved.value_or(false)) { auto symbols = ExtensionCommandContext::instance()->symbols(); ULONG size = 0; symbols->GetTypeName(m_module, m_typeId, NULL, 0, &size); @@ -223,6 +250,7 @@ std::string PyType::name(bool withModule) const return std::string(); m_name = typeName; + typeCache()[m_name] = *this; } if (withModule && !isIntegralType(m_name) && !isFloatType(m_name)) { @@ -238,7 +266,7 @@ std::string PyType::name(bool withModule) const ULONG64 PyType::bitsize() const { - if (!m_resolved) + if (!resolve()) return 0; ULONG size = 0; @@ -250,12 +278,7 @@ ULONG64 PyType::bitsize() const int PyType::code() const { - if (!m_resolved) - return TypeCodeUnresolvable; - - if (m_tag < 0) { - // try to parse typeName - const std::string &typeName = name(); + auto parseTypeName = [this](const std::string &typeName) -> std::optional { if (typeName.empty()) return TypeCodeUnresolvable; if (isPointerType(typeName)) @@ -268,14 +291,22 @@ int PyType::code() const return TypeCodeIntegral; if (isFloatType(typeName)) return TypeCodeFloat; + if (knownType(name(), 0) != KT_Unknown) + return TypeCodeStruct; + return std::nullopt; + }; + + if (!resolve()) + return parseTypeName(name()).value_or(TypeCodeUnresolvable); + + if (m_tag < 0) { + if (const std::optional typeCode = parseTypeName(name())) + return *typeCode; IDebugSymbolGroup2 *sg = 0; if (FAILED(ExtensionCommandContext::instance()->symbols()->CreateSymbolGroup2(&sg))) return TypeCodeStruct; - if (knownType(name(), 0) != KT_Unknown) - return TypeCodeStruct; - const std::string helperValueName = SymbolGroupValue::pointedToSymbolName(0, name(true)); ULONG index = DEBUG_ANY_ID; if (SUCCEEDED(sg->AddSymbol(helperValueName.c_str(), &index))) @@ -323,6 +354,9 @@ std::string PyType::targetName() const PyFields PyType::fields() const { + if (!resolve()) + return {}; + CIDebugSymbols *symbols = ExtensionCommandContext::instance()->symbols(); PyFields fields; if (isArrayType(name()) || isPointerType(name())) @@ -343,19 +377,25 @@ PyFields PyType::fields() const std::string PyType::module() const { + if (!resolve()) + return {}; + CIDebugSymbols *symbols = ExtensionCommandContext::instance()->symbols(); - ULONG size; + ULONG size = 0; symbols->GetModuleNameString(DEBUG_MODNAME_MODULE, DEBUG_ANY_ID, m_module, NULL, 0, &size); + if (size == 0) + return {}; std::string name(size - 1, '\0'); if (SUCCEEDED(symbols->GetModuleNameString(DEBUG_MODNAME_MODULE, DEBUG_ANY_ID, m_module, &name[0], size, NULL))) { return name; } - return std::string(); + return {}; } ULONG64 PyType::moduleId() const { + resolve(); return m_module; } @@ -408,37 +448,73 @@ PyType PyType::lookupType(const std::string &typeNameIn, ULONG64 module) typeName.erase(0, 7); const static std::regex typeNameRE("^[a-zA-Z_][a-zA-Z0-9_]*!?[a-zA-Z0-9_<>:, \\*\\&\\[\\]]*$"); - if (!std::regex_match(typeName, typeNameRE)) - return PyType(); - - CIDebugSymbols *symbols = ExtensionCommandContext::instance()->symbols(); - ULONG typeId; - HRESULT result = S_FALSE; - if (module != 0 && !isIntegralType(typeName) && !isFloatType(typeName)) - result = symbols->GetTypeId(module, typeName.c_str(), &typeId); - if (FAILED(result) || result == S_FALSE) - result = symbols->GetSymbolTypeId(typeName.c_str(), &typeId, &module); - if (FAILED(result)) - return createUnresolvedType(typeName); - return PyType(module, typeId, typeName); - + if (std::regex_match(typeName, typeNameRE)) + return PyType(typeName, module); + return PyType(); } -PyType PyType::createUnresolvedType(const std::string &typeName) +bool PyType::resolve() const { - PyType unresolvedType; - unresolvedType.m_name = typeName; - return unresolvedType; + if (m_resolved) + return *m_resolved; + + if (!m_name.empty()) { + auto cacheIt = typeCache().find(m_name); + if (cacheIt != typeCache().end() && cacheIt->second.m_resolved.has_value()) { + if (debuggingTypeEnabled()) + DebugPrint() << "found cached '" << m_name << "'"; + + // found a resolved cache entry use the ids of this entry + m_typeId = cacheIt->second.m_typeId; + m_module = cacheIt->second.m_module; + m_resolved = cacheIt->second.m_resolved; + } else { + if (debuggingTypeEnabled()) + DebugPrint() << "resolve '" << m_name << "'"; + + CIDebugSymbols *symbols = ExtensionCommandContext::instance()->symbols(); + ULONG typeId; + HRESULT result = S_FALSE; + if (m_module != 0 && !isIntegralType(m_name) && !isFloatType(m_name)) + result = symbols->GetTypeId(m_module, m_name.c_str(), &typeId); + if (FAILED(result) || result == S_FALSE) { + ULONG64 module; + if (isIntegralType(m_name)) + result = symbols->GetSymbolTypeId(m_name.c_str(), &typeId, &module); + if (FAILED(result) || result == S_FALSE) { + ULONG loaded = 0; + ULONG unloaded = 0; + symbols->GetNumberModules(&loaded, &unloaded); + ULONG moduleCount = loaded + unloaded; + for (ULONG moduleIndex = 0; + (FAILED(result) || result == S_FALSE) && moduleIndex < moduleCount; + ++moduleIndex) { + symbols->GetModuleByIndex(moduleIndex, &module); + result = symbols->GetTypeId(module, m_name.c_str(), &typeId); + } + } + + m_module = SUCCEEDED(result) ? module : 0; + } + m_typeId = SUCCEEDED(result) ? typeId : 0; + m_resolved = SUCCEEDED(result); + typeCache()[m_name] = *this; + } + } + if (!m_resolved) + m_resolved = false; + return *m_resolved; } unsigned long PyType::getTypeId() const { + resolve(); return m_typeId; } bool PyType::isValid() const { - return m_resolved; + return !m_name.empty() || m_resolved.has_value(); } // Python interface implementation diff --git a/src/libs/qtcreatorcdbext/pytype.h b/src/libs/qtcreatorcdbext/pytype.h index 968d59717cb..8b05fffe0ad 100644 --- a/src/libs/qtcreatorcdbext/pytype.h +++ b/src/libs/qtcreatorcdbext/pytype.h @@ -3,8 +3,9 @@ #pragma once -#include #include +#include +#include #include @@ -16,6 +17,7 @@ public: PyType() = default; PyType(ULONG64 module, unsigned long typeId, const std::string &name = std::string(), int tag = -1); + explicit PyType(const std::string &name, ULONG64 module = 0); PyType(const PyType &other) = default; std::string name(bool withModule = false) const; @@ -48,13 +50,13 @@ public: static PyType lookupType(const std::string &typeName, ULONG64 module = 0); private: - static PyType createUnresolvedType(const std::string &typeName); + bool resolve() const; - unsigned long m_typeId = 0; - ULONG64 m_module = 0; - bool m_resolved = false; - mutable std::string m_name; - mutable int m_tag = -1; + mutable unsigned long m_typeId = 0; + mutable ULONG64 m_module = 0; + mutable std::optional m_resolved; + mutable std::string m_name; + mutable int m_tag = -1; }; struct TypePythonObject From ab9b5357f9a1a4aa8ddd651c091dd2508d69fb1c Mon Sep 17 00:00:00 2001 From: David Schulz Date: Tue, 14 Feb 2023 09:56:22 +0100 Subject: [PATCH 34/36] Cdbext: fix expanding lamba captures Change-Id: I2c1c64e3258cec503f83dbf561a734b4694592c4 Reviewed-by: Reviewed-by: Christian Stenger --- share/qtcreator/debugger/cdbbridge.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/share/qtcreator/debugger/cdbbridge.py b/share/qtcreator/debugger/cdbbridge.py index f54d2118afd..bd96a8e15c5 100644 --- a/share/qtcreator/debugger/cdbbridge.py +++ b/share/qtcreator/debugger/cdbbridge.py @@ -182,7 +182,9 @@ class Dumper(DumperBase): def listFields(self, nativeType, value): if value.address() is None or value.address() == 0: raise Exception("") - nativeValue = cdbext.createValue(value.address(), nativeType) + nativeValue = value.nativeValue + if nativeValue is None: + nativeValue = cdbext.createValue(value.address(), nativeType) index = 0 nativeMember = nativeValue.childFromIndex(index) while nativeMember is not None: @@ -484,6 +486,7 @@ class Dumper(DumperBase): val = self.Value(self) val.laddress = value.pointer() val._type = value.type.dereference() + val.nativeValue = value.nativeValue return val From f3b58359fd534a55eb17b336cd5ba7ea225d2b57 Mon Sep 17 00:00:00 2001 From: hjk Date: Thu, 9 Feb 2023 10:24:34 +0100 Subject: [PATCH 35/36] Valgrind: De-cruft plugin setup Change-Id: I4a41ae56f9368c65c1584752ba41e035f9184a1e Reviewed-by: Christian Stenger --- src/plugins/valgrind/CMakeLists.txt | 2 +- src/plugins/valgrind/callgrindtool.cpp | 1 - src/plugins/valgrind/valgrind.qbs | 2 +- src/plugins/valgrind/valgrindplugin.cpp | 63 +++++++++++++------------ src/plugins/valgrind/valgrindplugin.h | 28 ----------- 5 files changed, 34 insertions(+), 62 deletions(-) delete mode 100644 src/plugins/valgrind/valgrindplugin.h diff --git a/src/plugins/valgrind/CMakeLists.txt b/src/plugins/valgrind/CMakeLists.txt index 192304e5795..dfe2620cae9 100644 --- a/src/plugins/valgrind/CMakeLists.txt +++ b/src/plugins/valgrind/CMakeLists.txt @@ -28,7 +28,7 @@ add_qtc_plugin(Valgrind valgrind.qrc valgrindconfigwidget.cpp valgrindconfigwidget.h valgrindengine.cpp valgrindengine.h - valgrindplugin.cpp valgrindplugin.h + valgrindplugin.cpp valgrindrunner.cpp valgrindrunner.h valgrindsettings.cpp valgrindsettings.h xmlprotocol/announcethread.cpp xmlprotocol/announcethread.h diff --git a/src/plugins/valgrind/callgrindtool.cpp b/src/plugins/valgrind/callgrindtool.cpp index 76edbbbbb3f..fc50b2ecf09 100644 --- a/src/plugins/valgrind/callgrindtool.cpp +++ b/src/plugins/valgrind/callgrindtool.cpp @@ -19,7 +19,6 @@ #include #include #include -#include #include #include diff --git a/src/plugins/valgrind/valgrind.qbs b/src/plugins/valgrind/valgrind.qbs index e28b42fec0d..f0e117ce98a 100644 --- a/src/plugins/valgrind/valgrind.qbs +++ b/src/plugins/valgrind/valgrind.qbs @@ -32,7 +32,7 @@ QtcPlugin { "valgrind.qrc", "valgrindconfigwidget.cpp", "valgrindconfigwidget.h", "valgrindengine.cpp", "valgrindengine.h", - "valgrindplugin.cpp", "valgrindplugin.h", + "valgrindplugin.cpp", "valgrindrunner.cpp", "valgrindrunner.h", "valgrindsettings.cpp", "valgrindsettings.h", "valgrindtr.h", diff --git a/src/plugins/valgrind/valgrindplugin.cpp b/src/plugins/valgrind/valgrindplugin.cpp index c6825a4ce9e..fad8db5c980 100644 --- a/src/plugins/valgrind/valgrindplugin.cpp +++ b/src/plugins/valgrind/valgrindplugin.cpp @@ -1,35 +1,32 @@ // Copyright (C) 2016 The Qt Company Ltd. // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 -#include "valgrindplugin.h" - #include "callgrindtool.h" #include "memchecktool.h" #include "valgrindconfigwidget.h" #include "valgrindsettings.h" #include "valgrindtr.h" +#include +#include +#include + +#include +#include + +#include + +#include + #ifdef WITH_TESTS # include "valgrindmemcheckparsertest.h" # include "valgrindtestrunnertest.h" #endif -#include -#include -#include -#include -#include - -#include - -#include -#include - using namespace Core; using namespace ProjectExplorer; -namespace Valgrind { -namespace Internal { +namespace Valgrind::Internal { class ValgrindRunConfigurationAspect : public GlobalOrProjectAspect { @@ -55,26 +52,30 @@ public: ValgrindOptionsPage valgrindOptionsPage; }; -ValgrindPlugin::~ValgrindPlugin() +class ValgrindPlugin final : public ExtensionSystem::IPlugin { - delete d; -} + Q_OBJECT + Q_PLUGIN_METADATA(IID "org.qt-project.Qt.QtCreatorPlugin" FILE "Valgrind.json") -void ValgrindPlugin::initialize() -{ - d = new ValgrindPluginPrivate; +public: + ValgrindPlugin() = default; + ~ValgrindPlugin() final { delete d; } - RunConfiguration::registerAspect(); -} + void initialize() final + { + d = new ValgrindPluginPrivate; -QVector ValgrindPlugin::createTestObjects() const -{ - QVector tests; + RunConfiguration::registerAspect(); #ifdef WITH_TESTS - tests << new Test::ValgrindMemcheckParserTest << new Test::ValgrindTestRunnerTest; + addTest(); + addTest(); #endif - return tests; -} + } -} // namespace Internal -} // namespace Valgrind +private: + class ValgrindPluginPrivate *d = nullptr; +}; + +} // Valgrind::Internal + +#include "valgrindplugin.moc" diff --git a/src/plugins/valgrind/valgrindplugin.h b/src/plugins/valgrind/valgrindplugin.h deleted file mode 100644 index 9c8afda19f0..00000000000 --- a/src/plugins/valgrind/valgrindplugin.h +++ /dev/null @@ -1,28 +0,0 @@ -// Copyright (C) 2016 The Qt Company Ltd. -// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 - -#pragma once - -#include -#include - -namespace Valgrind::Internal { - -class ValgrindPlugin final : public ExtensionSystem::IPlugin -{ - Q_OBJECT - Q_PLUGIN_METADATA(IID "org.qt-project.Qt.QtCreatorPlugin" FILE "Valgrind.json") - -public: - ValgrindPlugin() = default; - ~ValgrindPlugin() final; - - void initialize() final; - -private: - QVector createTestObjects() const override; - - class ValgrindPluginPrivate *d = nullptr; -}; - -} // Valgrind::Internal From b4f665f8acc73c11063cc2cb6c829428fc1d1748 Mon Sep 17 00:00:00 2001 From: hjk Date: Thu, 9 Feb 2023 10:14:59 +0100 Subject: [PATCH 36/36] Debugger: Use new plugin test object setup Change-Id: Ic97dfd9aa22c4c8e41f81478983fb79760a76807 Reviewed-by: Christian Stenger Reviewed-by: --- src/plugins/debugger/debuggerplugin.cpp | 37 ++++++++++--------------- src/plugins/debugger/debuggerplugin.h | 4 --- 2 files changed, 15 insertions(+), 26 deletions(-) diff --git a/src/plugins/debugger/debuggerplugin.cpp b/src/plugins/debugger/debuggerplugin.cpp index cec06c16b0c..8ab67c0bc54 100644 --- a/src/plugins/debugger/debuggerplugin.cpp +++ b/src/plugins/debugger/debuggerplugin.cpp @@ -2125,17 +2125,6 @@ DebuggerPlugin::~DebuggerPlugin() m_instance = nullptr; } -bool DebuggerPlugin::initialize(const QStringList &arguments, QString *errorMessage) -{ - Q_UNUSED(errorMessage) - - // Needed for call from AppOutputPane::attachToRunControl() and GammarayIntegration. - ExtensionSystem::PluginManager::addObject(this); - - dd = new DebuggerPluginPrivate(arguments); - return true; -} - IPlugin::ShutdownFlag DebuggerPlugin::aboutToShutdown() { ExtensionSystem::PluginManager::removeObject(this); @@ -2489,20 +2478,24 @@ void DebuggerUnitTests::testDebuggerMatching() QCOMPARE(expectedLevel, level); } -QVector DebuggerPlugin::createTestObjects() const +#endif // ifdef WITH_TESTS + +bool DebuggerPlugin::initialize(const QStringList &arguments, QString *errorMessage) { - return {new DebuggerUnitTests}; + Q_UNUSED(errorMessage) + + // Needed for call from AppOutputPane::attachToRunControl() and GammarayIntegration. + ExtensionSystem::PluginManager::addObject(this); + + dd = new DebuggerPluginPrivate(arguments); + +#ifdef WITH_TESTS + addTest(); +#endif + + return true; } -#else // ^-- if WITH_TESTS else --v - -QVector DebuggerPlugin::createTestObjects() const -{ - return {}; -} - -#endif // if WITH_TESTS - } // Internal } // Debugger diff --git a/src/plugins/debugger/debuggerplugin.h b/src/plugins/debugger/debuggerplugin.h index 29e004ab508..209bd0454c4 100644 --- a/src/plugins/debugger/debuggerplugin.h +++ b/src/plugins/debugger/debuggerplugin.h @@ -3,8 +3,6 @@ #pragma once -#include "debugger_global.h" - #include #include @@ -42,8 +40,6 @@ private: QString *logMessage); Q_SLOT void removeDetectedDebuggers(const QString &detectionId, QString *logMessage); Q_SLOT void listDetectedDebuggers(const QString &detectionId, QString *logMessage); - - QVector createTestObjects() const override; }; } // Debugger::Internal
" @@ -333,13 +333,13 @@ void ModelEditor::init() syncToggleButton->setDefaultAction(d->actionHandler->synchronizeBrowserAction()); QMenu *syncMenu = new QMenu(syncToggleButton); QActionGroup *syncGroup = new QActionGroup(syncMenu); - d->syncBrowserWithDiagramAction = syncMenu->addAction(tr("Synchronize Structure with Diagram")); + d->syncBrowserWithDiagramAction = syncMenu->addAction(Tr::tr("Synchronize Structure with Diagram")); d->syncBrowserWithDiagramAction->setCheckable(true); d->syncBrowserWithDiagramAction->setActionGroup(syncGroup); - d->syncDiagramWithBrowserAction = syncMenu->addAction(tr("Synchronize Diagram with Structure")); + d->syncDiagramWithBrowserAction = syncMenu->addAction(Tr::tr("Synchronize Diagram with Structure")); d->syncDiagramWithBrowserAction->setCheckable(true); d->syncDiagramWithBrowserAction->setActionGroup(syncGroup); - d->syncEachOtherAction = syncMenu->addAction(tr("Keep Synchronized")); + d->syncEachOtherAction = syncMenu->addAction(Tr::tr("Keep Synchronized")); d->syncEachOtherAction->setCheckable(true); d->syncEachOtherAction->setActionGroup(syncGroup); syncToggleButton->setMenu(syncMenu); @@ -573,13 +573,13 @@ void ModelEditor::exportToImage(bool selectedElements) if (diagram) { if (d->lastExportDirPath.isEmpty()) d->lastExportDirPath = d->document->filePath().toFileInfo().canonicalPath(); - QString filter = tr("Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf)"); + QString filter = Tr::tr("Images (*.png *.jpeg *.jpg *.tif *.tiff);;PDF (*.pdf)"); #ifndef QT_NO_SVG - filter += tr(";;SVG (*.svg)"); + filter += Tr::tr(";;SVG (*.svg)"); #endif // QT_NO_SVG QString fileName = FileUtils::getSaveFilePath( nullptr, - selectedElements ? tr("Export Selected Elements") : tr("Export Diagram"), + selectedElements ? Tr::tr("Export Selected Elements") : Tr::tr("Export Diagram"), FilePath::fromString(d->lastExportDirPath), filter).toString(); if (!fileName.isEmpty()) { qmt::DocumentController *documentController = d->document->documentController(); @@ -602,11 +602,11 @@ void ModelEditor::exportToImage(bool selectedElements) if (success) d->lastExportDirPath = QFileInfo(fileName).canonicalPath(); else if (selectedElements) - QMessageBox::critical(Core::ICore::dialogParent(), tr("Exporting Selected Elements Failed"), - tr("Exporting the selected elements of the current diagram into file
\"%1\"
failed.").arg(fileName)); + QMessageBox::critical(Core::ICore::dialogParent(), Tr::tr("Exporting Selected Elements Failed"), + Tr::tr("Exporting the selected elements of the current diagram into file
\"%1\"
failed.").arg(fileName)); else - QMessageBox::critical(Core::ICore::dialogParent(), tr("Exporting Diagram Failed"), - tr("Exporting the diagram into file
\"%1\"
failed.").arg(fileName)); + QMessageBox::critical(Core::ICore::dialogParent(), Tr::tr("Exporting Diagram Failed"), + Tr::tr("Exporting the diagram into file
\"%1\"
failed.").arg(fileName)); } } } @@ -1096,7 +1096,7 @@ void ModelEditor::initToolbars() styleEngineElementType = qmt::StyleEngine::TypeSwimlane; } QIcon icon; - QString newElementName = tr("New %1").arg(tool.m_name); + QString newElementName = Tr::tr("New %1").arg(tool.m_name); if (!tool.m_stereotype.isEmpty() && stereotypeIconElement != qmt::StereotypeIcon::ElementAny) { const qmt::Style *style = documentController->styleController()->adaptStyle(styleEngineElementType); icon = stereotypeController->createIcon( @@ -1139,32 +1139,32 @@ void ModelEditor::initToolbars() toolBars.insert(generalId, toolBar); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/package.png"), - tr("Package"), tr("New Package"), QLatin1String(qmt::ELEMENT_TYPE_PACKAGE), + Tr::tr("Package"), Tr::tr("New Package"), QLatin1String(qmt::ELEMENT_TYPE_PACKAGE), QString(), toolBar)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/component.png"), - tr("Component"), tr("New Component"), QLatin1String(qmt::ELEMENT_TYPE_COMPONENT), + Tr::tr("Component"), Tr::tr("New Component"), QLatin1String(qmt::ELEMENT_TYPE_COMPONENT), QString(), toolBar)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/class.png"), - tr("Class"), tr("New Class"), QLatin1String(qmt::ELEMENT_TYPE_CLASS), + Tr::tr("Class"), Tr::tr("New Class"), QLatin1String(qmt::ELEMENT_TYPE_CLASS), QString(), toolBar)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/item.png"), - tr("Item"), tr("New Item"), QLatin1String(qmt::ELEMENT_TYPE_ITEM), + Tr::tr("Item"), Tr::tr("New Item"), QLatin1String(qmt::ELEMENT_TYPE_ITEM), QString(), toolBar)); toolBarLayout->addWidget(Layouting::createHr(d->leftToolBox)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/annotation.png"), - tr("Annotation"), QString(), QLatin1String(qmt::ELEMENT_TYPE_ANNOTATION), + Tr::tr("Annotation"), QString(), QLatin1String(qmt::ELEMENT_TYPE_ANNOTATION), QString(), toolBar)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/boundary.png"), - tr("Boundary"), QString(), QLatin1String(qmt::ELEMENT_TYPE_BOUNDARY), + Tr::tr("Boundary"), QString(), QLatin1String(qmt::ELEMENT_TYPE_BOUNDARY), QString(), toolBar)); toolBarLayout->addWidget( new DragTool(QIcon(":/modelinglib/48x48/swimlane.png"), - tr("Swimlane"), QString(), QLatin1String(qmt::ELEMENT_TYPE_SWIMLANE), + Tr::tr("Swimlane"), QString(), QLatin1String(qmt::ELEMENT_TYPE_SWIMLANE), QString(), toolBar)); } diff --git a/src/plugins/modeleditor/modelsmanager.cpp b/src/plugins/modeleditor/modelsmanager.cpp index 6b3e49fcade..787c5556fda 100644 --- a/src/plugins/modeleditor/modelsmanager.cpp +++ b/src/plugins/modeleditor/modelsmanager.cpp @@ -6,8 +6,9 @@ #include "diagramsviewmanager.h" #include "extdocumentcontroller.h" #include "modeldocument.h" -#include "modeleditor_constants.h" #include "modeleditor.h" +#include "modeleditor_constants.h" +#include "modeleditortr.h" #include "modelindexer.h" #include "pxnodecontroller.h" @@ -97,7 +98,7 @@ ModelsManager::ModelsManager(QObject *parent) ProjectExplorer::Constants::M_FOLDERCONTEXT); folderContainer->insertGroup(ProjectExplorer::Constants::G_FOLDER_FILES, Constants::EXPLORER_GROUP_MODELING); - d->openDiagramContextMenuItem = new QAction(tr("Open Diagram"), this); + d->openDiagramContextMenuItem = new QAction(Tr::tr("Open Diagram"), this); Core::Command *cmd = Core::ActionManager::registerAction( d->openDiagramContextMenuItem, Constants::ACTION_EXPLORER_OPEN_DIAGRAM, projectTreeContext); diff --git a/src/plugins/modeleditor/pxnodecontroller.cpp b/src/plugins/modeleditor/pxnodecontroller.cpp index 1338a79f93b..d17e2232f83 100644 --- a/src/plugins/modeleditor/pxnodecontroller.cpp +++ b/src/plugins/modeleditor/pxnodecontroller.cpp @@ -3,11 +3,12 @@ #include "pxnodecontroller.h" -#include "pxnodeutilities.h" -#include "componentviewcontroller.h" #include "classviewcontroller.h" +#include "componentviewcontroller.h" +#include "modeleditortr.h" #include "modelutilities.h" #include "packageviewcontroller.h" +#include "pxnodeutilities.h" #include "qmt/model/mpackage.h" #include "qmt/model/mclass.h" @@ -134,7 +135,7 @@ void PxNodeController::addFileSystemEntry(const QString &filePath, int line, int QFileInfo fileInfo(filePath); if (fileInfo.exists() && fileInfo.isFile()) { auto menu = new QMenu; - menu->addAction(new MenuAction(tr("Add Component %1").arg(elementName), elementName, + menu->addAction(new MenuAction(Tr::tr("Add Component %1").arg(elementName), elementName, MenuAction::TYPE_ADD_COMPONENT, menu)); const QStringList classNames = Utils::toList( d->classViewController->findClassDeclarations( @@ -143,7 +144,7 @@ void PxNodeController::addFileSystemEntry(const QString &filePath, int line, int menu->addSeparator(); int index = 0; for (const QString &className : classNames) { - auto action = new MenuAction(tr("Add Class %1").arg(className), elementName, + auto action = new MenuAction(Tr::tr("Add Class %1").arg(className), elementName, MenuAction::TYPE_ADD_CLASS, index, menu); action->className = className; menu->addAction(action); @@ -161,15 +162,15 @@ void PxNodeController::addFileSystemEntry(const QString &filePath, int line, int // ignore line and column QString stereotype; auto menu = new QMenu; - auto action = new MenuAction(tr("Add Package %1").arg(elementName), elementName, + auto action = new MenuAction(Tr::tr("Add Package %1").arg(elementName), elementName, MenuAction::TYPE_ADD_PACKAGE, menu); action->packageStereotype = stereotype; menu->addAction(action); - action = new MenuAction(tr("Add Package and Diagram %1").arg(elementName), elementName, + action = new MenuAction(Tr::tr("Add Package and Diagram %1").arg(elementName), elementName, MenuAction::TYPE_ADD_PACKAGE_AND_DIAGRAM, menu); action->packageStereotype = stereotype; menu->addAction(action); - action = new MenuAction(tr("Add Component Model"), elementName, + action = new MenuAction(Tr::tr("Add Component Model"), elementName, MenuAction::TYPE_ADD_COMPONENT_MODEL, menu); action->packageStereotype = stereotype; menu->addAction(action); @@ -300,7 +301,7 @@ void PxNodeController::onMenuActionTriggered(PxNodeController::MenuAction *actio package->setName(action->elementName); if (!action->packageStereotype.isEmpty()) package->setStereotypes({action->packageStereotype}); - d->diagramSceneController->modelController()->undoController()->beginMergeSequence(tr("Create Component Model")); + d->diagramSceneController->modelController()->undoController()->beginMergeSequence(Tr::tr("Create Component Model")); QStringList relativeElements = qmt::NameController::buildElementsPath( d->pxnodeUtilities->calcRelativePath(filePath, d->anchorFolder), true); if (qmt::MObject *existingObject = d->pxnodeUtilities->findSameObject(relativeElements, package)) { @@ -321,7 +322,7 @@ void PxNodeController::onMenuActionTriggered(PxNodeController::MenuAction *actio } if (newObject) { - d->diagramSceneController->modelController()->undoController()->beginMergeSequence(tr("Drop Node")); + d->diagramSceneController->modelController()->undoController()->beginMergeSequence(Tr::tr("Drop Node")); qmt::MObject *parentForDiagram = nullptr; QStringList relativeElements = qmt::NameController::buildElementsPath( d->pxnodeUtilities->calcRelativePath(filePath, d->anchorFolder), From 6138414813c58162d948de203db4c70075d000b4 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Thu, 9 Feb 2023 15:26:50 +0100 Subject: [PATCH 12/36] Tests: Remove a couple of tr() calls No need to have them translatable and to risk lupdating them. Change-Id: I41c84240ed30ffb6e19ab133422f4e5fb3a97aa4 Reviewed-by: hjk Reviewed-by: --- .../qml/qmldesigner/coretests/tst_testcore.cpp | 3 ++- tests/auto/utils/settings/tst_settings.cpp | 3 +-- tests/manual/dockwidgets/mainwindow.cpp | 14 +++++++------- tests/manual/pluginview/plugindialog.cpp | 10 +++++----- 4 files changed, 15 insertions(+), 15 deletions(-) diff --git a/tests/auto/qml/qmldesigner/coretests/tst_testcore.cpp b/tests/auto/qml/qmldesigner/coretests/tst_testcore.cpp index e497d73d182..d6e62263807 100644 --- a/tests/auto/qml/qmldesigner/coretests/tst_testcore.cpp +++ b/tests/auto/qml/qmldesigner/coretests/tst_testcore.cpp @@ -2874,7 +2874,8 @@ void tst_TestCore::testModelRootNode() QVERIFY(rootModelNode.isValid()); QVERIFY(rootModelNode.isRootNode()); } catch (const QmlDesigner::Exception &exception) { - QString errorMsg = tr("Exception: %1 %2 %3:%4").arg(exception.type(), exception.function(), exception.file()).arg(exception.line()); + const QString errorMsg = QString("Exception: %1 %2 %3:%4") + .arg(exception.type(), exception.function(), exception.file()).arg(exception.line()); QFAIL(errorMsg.toLatin1().constData()); } QApplication::processEvents(); diff --git a/tests/auto/utils/settings/tst_settings.cpp b/tests/auto/utils/settings/tst_settings.cpp index d897102e088..a436ac45e81 100644 --- a/tests/auto/utils/settings/tst_settings.cpp +++ b/tests/auto/utils/settings/tst_settings.cpp @@ -89,8 +89,7 @@ protected: std::optional writeFile(const Utils::FilePath &path, const QVariantMap &data) const override { if (data.isEmpty()) { - return Issue(QCoreApplication::translate("Utils::SettingsAccessor", "Failed to Write File"), - QCoreApplication::translate("Utils::SettingsAccessor", "There was nothing to write."), + return Issue("Failed to Write File", "There was nothing to write.", Issue::Type::WARNING); } diff --git a/tests/manual/dockwidgets/mainwindow.cpp b/tests/manual/dockwidgets/mainwindow.cpp index 983a6e6d217..8803ece39d7 100644 --- a/tests/manual/dockwidgets/mainwindow.cpp +++ b/tests/manual/dockwidgets/mainwindow.cpp @@ -29,7 +29,7 @@ protected: QStyleOptionTabV2 opt; opt.initFrom(this); opt.shape = QTabBar::RoundedWest; - opt.text = tr("Hello"); + opt.text = "Hello"; QStylePainter p(this); p.drawControl(QStyle::CE_TabBarTab, opt); @@ -49,7 +49,7 @@ private: MainWindow::MainWindow() { - centralWidget = new QLabel(tr("Central Widget")); + centralWidget = new QLabel("Central Widget"); setCentralWidget(centralWidget); QToolBar *tb = this->addToolBar("Normal Toolbar"); @@ -62,7 +62,7 @@ MainWindow::MainWindow() createDockWindows(); - setWindowTitle(tr("Dock Widgets")); + setWindowTitle("Dock Widgets"); } void MainWindow::createDockWindows() @@ -71,10 +71,10 @@ void MainWindow::createDockWindows() for (int i=0; i<5; ++i) { QArrowManagedDockWidget *dock = new QArrowManagedDockWidget(manager); - QLabel *label = new QLabel(tr("Widget %1").arg(i), dock); - label->setWindowTitle(tr("Widget %1").arg(i)); - label->setObjectName(tr("widget_%1").arg(i)); - dock->setObjectName(tr("dock_%1").arg(i)); + QLabel *label = new QLabel(QString("Widget %1").arg(i), dock); + label->setWindowTitle(QString("Widget %1").arg(i)); + label->setObjectName(QString("widget_%1").arg(i)); + dock->setObjectName(QString("dock_%1").arg(i)); dock->setWidget(label); addDockWidget(Qt::RightDockWidgetArea, dock); } diff --git a/tests/manual/pluginview/plugindialog.cpp b/tests/manual/pluginview/plugindialog.cpp index 460411dc7eb..d1ed1d906d7 100644 --- a/tests/manual/pluginview/plugindialog.cpp +++ b/tests/manual/pluginview/plugindialog.cpp @@ -30,15 +30,15 @@ PluginDialog::PluginDialog() vl->addLayout(hl); hl->setContentsMargins(0, 0, 0, 0); hl->setSpacing(6); - m_detailsButton = new QPushButton(tr("Details"), this); - m_errorDetailsButton = new QPushButton(tr("Error Details"), this); + m_detailsButton = new QPushButton("Details", this); + m_errorDetailsButton = new QPushButton("Error Details", this); m_detailsButton->setEnabled(false); m_errorDetailsButton->setEnabled(false); hl->addWidget(m_detailsButton); hl->addWidget(m_errorDetailsButton); hl->addStretch(5); resize(650, 300); - setWindowTitle(tr("Installed Plugins")); + setWindowTitle("Installed Plugins"); connect(m_view, &ExtensionSystem::PluginView::currentPluginChanged, this, &PluginDialog::updateButtons); @@ -69,7 +69,7 @@ void PluginDialog::openDetails(ExtensionSystem::PluginSpec *spec) return; } QDialog dialog(this); - dialog.setWindowTitle(tr("Plugin Details of %1").arg(spec->name())); + dialog.setWindowTitle(QString("Plugin Details of %1").arg(spec->name())); QVBoxLayout *layout = new QVBoxLayout; dialog.setLayout(layout); ExtensionSystem::PluginDetailsView *details = new ExtensionSystem::PluginDetailsView(&dialog); @@ -89,7 +89,7 @@ void PluginDialog::openErrorDetails() if (!spec) return; QDialog dialog(this); - dialog.setWindowTitle(tr("Plugin Errors of %1").arg(spec->name())); + dialog.setWindowTitle(QString("Plugin Errors of %1").arg(spec->name())); QVBoxLayout *layout = new QVBoxLayout; dialog.setLayout(layout); ExtensionSystem::PluginErrorView *errors = new ExtensionSystem::PluginErrorView(&dialog); From 64aaf66c3b7ca5df95e6f6e2c85a42f905da9017 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Fri, 10 Feb 2023 14:44:09 +0100 Subject: [PATCH 13/36] Proliferate Tr::tr in various places This changes several tr() calls which were either missed during Tr::tr- ization or were added later. Found with regular expression: (? --- .../android/splashscreencontainerwidget.cpp | 2 +- .../autotoolsbuildconfiguration.cpp | 5 +- src/plugins/clangcodemodel/clangdclient.cpp | 6 +-- .../cmakebuildconfiguration.cpp | 7 +-- .../cmakeprojectmanager/cmakeformatter.cpp | 4 +- src/plugins/debugger/debuggerplugin.cpp | 6 +-- src/plugins/git/gerrit/gerritpushdialog.cpp | 30 ++++++------ src/plugins/projectexplorer/buildmanager.cpp | 11 ++--- .../devicesupport/devicesettingspage.cpp | 2 +- .../devicesupport/filetransfer.cpp | 6 +-- .../projectexplorer/environmentwidget.cpp | 3 +- .../jsonwizard/jsonfieldpage.cpp | 4 +- .../projectexplorer/processparameters.cpp | 3 +- src/plugins/projectexplorer/runcontrol.cpp | 4 +- src/plugins/projectexplorer/session.cpp | 10 ++-- .../projectexplorer/xcodebuildparser.cpp | 9 ++-- .../qmljseditor/qmljseditingsettingspage.cpp | 6 +-- src/plugins/qmljseditor/qmllsclient.cpp | 4 +- src/plugins/qmlprofiler/quick3dframemodel.cpp | 30 ++++++------ src/plugins/qmlprofiler/quick3dframeview.cpp | 18 +++---- src/plugins/qmlprofiler/quick3dmodel.cpp | 8 ++-- src/plugins/qnx/qnxdebugsupport.cpp | 3 +- src/shared/help/bookmarkmanager.cpp | 48 ++++++++++--------- src/shared/help/contentwindow.cpp | 6 ++- src/shared/help/topicchooser.cpp | 9 ++-- 25 files changed, 131 insertions(+), 113 deletions(-) diff --git a/src/plugins/android/splashscreencontainerwidget.cpp b/src/plugins/android/splashscreencontainerwidget.cpp index 44c834ffa11..a30af15f24c 100644 --- a/src/plugins/android/splashscreencontainerwidget.cpp +++ b/src/plugins/android/splashscreencontainerwidget.cpp @@ -43,7 +43,7 @@ const char splashscreenFileName[] = "logo"; const char splashscreenPortraitFileName[] = "logo_port"; const char splashscreenLandscapeFileName[] = "logo_land"; const char imageSuffix[] = ".png"; -const QString fileDialogImageFiles = QString(QWidget::tr("Images (*.png *.jpg *.jpeg)")); // TODO: Implement a centralized images filter string +const QString fileDialogImageFiles = Tr::tr("Images (*.png *.jpg *.jpeg)"); // TODO: Implement a centralized images filter string const QSize lowDpiImageSize{200, 320}; const QSize mediumDpiImageSize{320, 480}; const QSize highDpiImageSize{480, 800}; diff --git a/src/plugins/autotoolsprojectmanager/autotoolsbuildconfiguration.cpp b/src/plugins/autotoolsprojectmanager/autotoolsbuildconfiguration.cpp index 301b81aa56c..583a4c471c8 100644 --- a/src/plugins/autotoolsprojectmanager/autotoolsbuildconfiguration.cpp +++ b/src/plugins/autotoolsprojectmanager/autotoolsbuildconfiguration.cpp @@ -10,6 +10,7 @@ #include #include #include +#include #include using namespace ProjectExplorer; @@ -56,12 +57,12 @@ AutotoolsBuildConfigurationFactory::AutotoolsBuildConfigurationFactory() setBuildGenerator([](const Kit *, const FilePath &projectPath, bool forSetup) { BuildInfo info; - info.typeName = BuildConfiguration::tr("Build"); + info.typeName = ::ProjectExplorer::Tr::tr("Build"); info.buildDirectory = forSetup ? FilePath::fromString(projectPath.toFileInfo().absolutePath()) : projectPath; if (forSetup) { //: The name of the build configuration created by default for a autotools project. - info.displayName = BuildConfiguration::tr("Default"); + info.displayName = ::ProjectExplorer::Tr::tr("Default"); } return QList{info}; }); diff --git a/src/plugins/clangcodemodel/clangdclient.cpp b/src/plugins/clangcodemodel/clangdclient.cpp index 2c3f722617b..1ae8adc616c 100644 --- a/src/plugins/clangcodemodel/clangdclient.cpp +++ b/src/plugins/clangcodemodel/clangdclient.cpp @@ -417,9 +417,9 @@ ClangdClient::ClangdClient(Project *project, const Utils::FilePath &jsonDbDir, c setClientCapabilities(caps); setLocatorsEnabled(false); setAutoRequestCodeActions(false); // clangd sends code actions inside diagnostics - progressManager()->setTitleForToken(indexingToken(), - project ? tr("Indexing %1 with clangd").arg(project->displayName()) - : tr("Indexing session with clangd")); + progressManager()->setTitleForToken( + indexingToken(), project ? Tr::tr("Indexing %1 with clangd").arg(project->displayName()) + : Tr::tr("Indexing session with clangd")); progressManager()->setCancelHandlerForToken(indexingToken(), [this, project]() { CppEditor::ClangdProjectSettings projectSettings(project); projectSettings.blockIndexing(); diff --git a/src/plugins/cmakeprojectmanager/cmakebuildconfiguration.cpp b/src/plugins/cmakeprojectmanager/cmakebuildconfiguration.cpp index 10256fc5dc2..7c0f6227ff9 100644 --- a/src/plugins/cmakeprojectmanager/cmakebuildconfiguration.cpp +++ b/src/plugins/cmakeprojectmanager/cmakebuildconfiguration.cpp @@ -40,6 +40,7 @@ #include #include #include +#include #include #include #include @@ -1970,12 +1971,12 @@ BuildInfo CMakeBuildConfigurationFactory::createBuildInfo(BuildType buildType) switch (buildType) { case BuildTypeNone: info.typeName = "Build"; - info.displayName = BuildConfiguration::tr("Build"); + info.displayName = ::ProjectExplorer::Tr::tr("Build"); info.buildType = BuildConfiguration::Unknown; break; case BuildTypeDebug: { info.typeName = "Debug"; - info.displayName = BuildConfiguration::tr("Debug"); + info.displayName = ::ProjectExplorer::Tr::tr("Debug"); info.buildType = BuildConfiguration::Debug; QVariantMap extraInfo; // enable QML debugging by default @@ -1985,7 +1986,7 @@ BuildInfo CMakeBuildConfigurationFactory::createBuildInfo(BuildType buildType) } case BuildTypeRelease: info.typeName = "Release"; - info.displayName = BuildConfiguration::tr("Release"); + info.displayName = ::ProjectExplorer::Tr::tr("Release"); info.buildType = BuildConfiguration::Release; break; case BuildTypeMinSizeRel: diff --git a/src/plugins/cmakeprojectmanager/cmakeformatter.cpp b/src/plugins/cmakeprojectmanager/cmakeformatter.cpp index 17fbb65fbbb..d9aa8b2c84a 100644 --- a/src/plugins/cmakeprojectmanager/cmakeformatter.cpp +++ b/src/plugins/cmakeprojectmanager/cmakeformatter.cpp @@ -3,8 +3,10 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "cmakeformatter.h" + #include "cmakeformattersettings.h" #include "cmakeprojectconstants.h" +#include "cmakeprojectmanagertr.h" #include #include @@ -57,7 +59,7 @@ bool CMakeFormatter::isApplicable(const Core::IDocument *document) const void CMakeFormatter::initialize() { - m_formatFile = new QAction(tr("Format &Current File"), this); + m_formatFile = new QAction(Tr::tr("Format &Current File"), this); Core::Command *cmd = Core::ActionManager::registerAction(m_formatFile, Constants::CMAKEFORMATTER_ACTION_ID); connect(m_formatFile, &QAction::triggered, this, &CMakeFormatter::formatFile); diff --git a/src/plugins/debugger/debuggerplugin.cpp b/src/plugins/debugger/debuggerplugin.cpp index 4e3d00298bf..8180395d403 100644 --- a/src/plugins/debugger/debuggerplugin.cpp +++ b/src/plugins/debugger/debuggerplugin.cpp @@ -1613,7 +1613,7 @@ void DebuggerPluginPrivate::attachToRunningApplication() kitChooser->setShowIcons(true); auto dlg = new DeviceProcessesDialog(kitChooser, ICore::dialogParent()); - dlg->addAcceptButton(DeviceProcessesDialog::tr("&Attach to Process")); + dlg->addAcceptButton(Tr::tr("&Attach to Process")); dlg->showAllDevices(); if (dlg->exec() == QDialog::Rejected) { delete dlg; @@ -2261,7 +2261,7 @@ bool wantRunTool(ToolMode toolMode, const QString &toolName) QAction *createStartAction() { - auto action = new QAction(DebuggerMainWindow::tr("Start"), m_instance); + auto action = new QAction(Tr::tr("Start"), m_instance); action->setIcon(ProjectExplorer::Icons::ANALYZER_START_SMALL_TOOLBAR.icon()); action->setEnabled(true); return action; @@ -2269,7 +2269,7 @@ QAction *createStartAction() QAction *createStopAction() { - auto action = new QAction(DebuggerMainWindow::tr("Stop"), m_instance); + auto action = new QAction(Tr::tr("Stop"), m_instance); action->setIcon(Utils::Icons::STOP_SMALL_TOOLBAR.icon()); action->setEnabled(true); return action; diff --git a/src/plugins/git/gerrit/gerritpushdialog.cpp b/src/plugins/git/gerrit/gerritpushdialog.cpp index 17aef08093a..057d4cd6448 100644 --- a/src/plugins/git/gerrit/gerritpushdialog.cpp +++ b/src/plugins/git/gerrit/gerritpushdialog.cpp @@ -113,19 +113,20 @@ GerritPushDialog::GerritPushDialog(const Utils::FilePath &workingDir, const QStr , m_remoteComboBox(new GerritRemoteChooser) , m_targetBranchComboBox(new QComboBox) , m_commitView(new LogChangeWidget) - , m_infoLabel(new QLabel(tr("Number of commits"))) + , m_infoLabel(new QLabel(::Git::Tr::tr("Number of commits"))) , m_topicLineEdit(new QLineEdit) - , m_draftCheckBox(new QCheckBox(tr("&Draft/private"))) - , m_wipCheckBox(new QCheckBox(tr("&Work-in-progress"))) + , m_draftCheckBox(new QCheckBox(::Git::Tr::tr("&Draft/private"))) + , m_wipCheckBox(new QCheckBox(::Git::Tr::tr("&Work-in-progress"))) , m_reviewersLineEdit(new QLineEdit) , m_buttonBox(new QDialogButtonBox) , m_workingDir(workingDir) { - m_draftCheckBox->setToolTip(tr("Checked - Mark change as private.\n" - "Unchecked - Remove mark.\n" - "Partially checked - Do not change current state.")); - m_commitView->setToolTip(tr("Pushes the selected commit and all dependent commits.")); - m_reviewersLineEdit->setToolTip(tr("Comma-separated list of reviewers.\n" + m_draftCheckBox->setToolTip(::Git::Tr::tr("Checked - Mark change as private.\n" + "Unchecked - Remove mark.\n" + "Partially checked - Do not change current state.")); + m_commitView->setToolTip(::Git::Tr::tr( + "Pushes the selected commit and all dependent commits.")); + m_reviewersLineEdit->setToolTip(::Git::Tr::tr("Comma-separated list of reviewers.\n" "\n" "Reviewers can be specified by nickname or email address. Spaces not allowed.\n" "\n" @@ -138,14 +139,14 @@ GerritPushDialog::GerritPushDialog(const Utils::FilePath &workingDir, const QStr using namespace Utils::Layouting; Grid { - tr("Push:"), workingDir.toUserOutput(), m_localBranchComboBox, br, - tr("To:"), m_remoteComboBox, m_targetBranchComboBox, br, - tr("Commits:"), br, + ::Git::Tr::tr("Push:"), workingDir.toUserOutput(), m_localBranchComboBox, br, + ::Git::Tr::tr("To:"), m_remoteComboBox, m_targetBranchComboBox, br, + ::Git::Tr::tr("Commits:"), br, Span(3, m_commitView), br, Span(3, m_infoLabel), br, Span(3, Form { - tr("&Topic:"), Row { m_topicLineEdit, m_draftCheckBox, m_wipCheckBox }, br, - tr("&Reviewers:"), m_reviewersLineEdit, br + ::Git::Tr::tr("&Topic:"), Row { m_topicLineEdit, m_draftCheckBox, m_wipCheckBox }, br, + ::Git::Tr::tr("&Reviewers:"), m_reviewersLineEdit, br }), br, Span(3, m_buttonBox) }.attachTo(this); @@ -220,7 +221,8 @@ void GerritPushDialog::setChangeRange() } m_infoLabel->show(); const QString remote = selectedRemoteName() + '/' + remoteBranchName; - QString labelText = Git::Tr::tr("Number of commits between %1 and %2: %3").arg(branch, remote, range); + QString labelText = + Git::Tr::tr("Number of commits between %1 and %2: %3").arg(branch, remote, range); const int currentRange = range.toInt(); QPalette palette = QApplication::palette(); if (currentRange > ReasonableDistance) { diff --git a/src/plugins/projectexplorer/buildmanager.cpp b/src/plugins/projectexplorer/buildmanager.cpp index d04af1516a0..57bfde6e46a 100644 --- a/src/plugins/projectexplorer/buildmanager.cpp +++ b/src/plugins/projectexplorer/buildmanager.cpp @@ -53,7 +53,7 @@ using namespace Internal; static QString msgProgress(int progress, int total) { - return BuildManager::tr("Finished %1 of %n steps", nullptr, total).arg(progress); + return Tr::tr("Finished %1 of %n steps", nullptr, total).arg(progress); } static const QList targetsForSelection(const Project *project, @@ -129,8 +129,8 @@ static int queue(const QList &projects, const QList &stepIds, if (settings.prompToStopRunControl) { QStringList names = Utils::transform(toStop, &RunControl::displayName); if (QMessageBox::question(ICore::dialogParent(), - BuildManager::tr("Stop Applications"), - BuildManager::tr("Stop these applications before building?") + Tr::tr("Stop Applications"), + Tr::tr("Stop these applications before building?") + "\n\n" + names.join('\n')) == QMessageBox::No) { stopThem = false; @@ -156,7 +156,7 @@ static int queue(const QList &projects, const QList &stepIds, for (const Project *pro : projects) { if (pro && pro->needsConfiguration()) { preambleMessage.append( - BuildManager::tr("The project %1 is not configured, skipping it.") + Tr::tr("The project %1 is not configured, skipping it.") .arg(pro->displayName()) + QLatin1Char('\n')); } } @@ -168,8 +168,7 @@ static int queue(const QList &projects, const QList &stepIds, if (device && !device->prepareForBuild(t)) { preambleMessage.append( - BuildManager::tr("The build device failed to prepare for the build of %1 " - "(%2).") + Tr::tr("The build device failed to prepare for the build of %1 (%2).") .arg(pro->displayName()) .arg(t->displayName()) + QLatin1Char('\n')); diff --git a/src/plugins/projectexplorer/devicesupport/devicesettingspage.cpp b/src/plugins/projectexplorer/devicesupport/devicesettingspage.cpp index 562c7ea8221..6fdb19f38d1 100644 --- a/src/plugins/projectexplorer/devicesupport/devicesettingspage.cpp +++ b/src/plugins/projectexplorer/devicesupport/devicesettingspage.cpp @@ -15,7 +15,7 @@ namespace Internal { DeviceSettingsPage::DeviceSettingsPage() { setId(Constants::DEVICE_SETTINGS_PAGE_ID); - setDisplayName(DeviceSettingsWidget::tr("Devices")); + setDisplayName(Tr::tr("Devices")); setCategory(Constants::DEVICE_SETTINGS_CATEGORY); setDisplayCategory(Tr::tr("Devices")); setCategoryIconPath(":/projectexplorer/images/settingscategory_devices.png"); diff --git a/src/plugins/projectexplorer/devicesupport/filetransfer.cpp b/src/plugins/projectexplorer/devicesupport/filetransfer.cpp index aa94292047e..bd386db0d11 100644 --- a/src/plugins/projectexplorer/devicesupport/filetransfer.cpp +++ b/src/plugins/projectexplorer/devicesupport/filetransfer.cpp @@ -214,9 +214,9 @@ ProcessResultData FileTransfer::resultData() const QString FileTransfer::transferMethodName(FileTransferMethod method) { switch (method) { - case FileTransferMethod::Sftp: return FileTransfer::tr("sftp"); - case FileTransferMethod::Rsync: return FileTransfer::tr("rsync"); - case FileTransferMethod::GenericCopy: return FileTransfer::tr("generic file copy"); + case FileTransferMethod::Sftp: return Tr::tr("sftp"); + case FileTransferMethod::Rsync: return Tr::tr("rsync"); + case FileTransferMethod::GenericCopy: return Tr::tr("generic file copy"); } QTC_CHECK(false); return {}; diff --git a/src/plugins/projectexplorer/environmentwidget.cpp b/src/plugins/projectexplorer/environmentwidget.cpp index d3807824e65..5fa21953113 100644 --- a/src/plugins/projectexplorer/environmentwidget.cpp +++ b/src/plugins/projectexplorer/environmentwidget.cpp @@ -20,6 +20,7 @@ #include #include #include +#include #include #include @@ -375,7 +376,7 @@ void EnvironmentWidget::updateSummaryText() QString text; for (const Utils::EnvironmentItem &item : std::as_const(list)) { - if (item.name != Utils::EnvironmentModel::tr("")) { + if (item.name != ::Utils::Tr::tr("")) { if (!d->m_baseEnvironmentText.isEmpty() || !text.isEmpty()) text.append(QLatin1String("
")); switch (item.operation) { diff --git a/src/plugins/projectexplorer/jsonwizard/jsonfieldpage.cpp b/src/plugins/projectexplorer/jsonwizard/jsonfieldpage.cpp index 5681481b0c3..f155c5656e7 100644 --- a/src/plugins/projectexplorer/jsonwizard/jsonfieldpage.cpp +++ b/src/plugins/projectexplorer/jsonwizard/jsonfieldpage.cpp @@ -92,9 +92,9 @@ public: { if (pattern.pattern().isEmpty() || !pattern.isValid()) return; - m_expander.setDisplayName(JsonFieldPage::tr("Line Edit Validator Expander")); + m_expander.setDisplayName(Tr::tr("Line Edit Validator Expander")); m_expander.setAccumulating(true); - m_expander.registerVariable("INPUT", JsonFieldPage::tr("The text edit input to fix up."), + m_expander.registerVariable("INPUT", Tr::tr("The text edit input to fix up."), [this] { return m_currentInput; }); m_expander.registerSubProvider([expander]() -> MacroExpander * { return expander; }); setValidationFunction([this, pattern](FancyLineEdit *, QString *) { diff --git a/src/plugins/projectexplorer/processparameters.cpp b/src/plugins/projectexplorer/processparameters.cpp index 3aa0ad167d5..49b50dccb3a 100644 --- a/src/plugins/projectexplorer/processparameters.cpp +++ b/src/plugins/projectexplorer/processparameters.cpp @@ -7,6 +7,7 @@ #include #include #include +#include #include @@ -156,7 +157,7 @@ static QString invalidCommandMessage(const QString &displayName) { return QString("%1: %2") .arg(displayName, - QtcProcess::tr("Invalid command"), + ::Utils::Tr::tr("Invalid command"), creatorTheme()->color(Theme::TextColorError).name()); } diff --git a/src/plugins/projectexplorer/runcontrol.cpp b/src/plugins/projectexplorer/runcontrol.cpp index f89bc2d93f5..ac323b44cfa 100644 --- a/src/plugins/projectexplorer/runcontrol.cpp +++ b/src/plugins/projectexplorer/runcontrol.cpp @@ -1568,7 +1568,7 @@ void RunWorkerPrivate::timerEvent(QTimerEvent *ev) killStartWatchdog(); startWatchdogCallback(); } else { - q->reportFailure(RunWorker::tr("Worker start timed out.")); + q->reportFailure(Tr::tr("Worker start timed out.")); } return; } @@ -1577,7 +1577,7 @@ void RunWorkerPrivate::timerEvent(QTimerEvent *ev) killStopWatchdog(); stopWatchdogCallback(); } else { - q->reportFailure(RunWorker::tr("Worker stop timed out.")); + q->reportFailure(Tr::tr("Worker stop timed out.")); } return; } diff --git a/src/plugins/projectexplorer/session.cpp b/src/plugins/projectexplorer/session.cpp index 6ed90a39970..6dcfd9a4619 100644 --- a/src/plugins/projectexplorer/session.cpp +++ b/src/plugins/projectexplorer/session.cpp @@ -599,7 +599,7 @@ QString SessionManagerPrivate::sessionTitle(const FilePath &filePath) } else { QString sessionName = d->m_sessionName; if (sessionName.isEmpty()) - sessionName = SessionManager::tr("Untitled"); + sessionName = Tr::tr("Untitled"); return sessionName; } return QString(); @@ -935,11 +935,11 @@ void SessionManagerPrivate::askUserAboutFailedProjects() if (!failedProjects.isEmpty()) { QString fileList = FilePath::formatFilePaths(failedProjects, "
"); QMessageBox box(QMessageBox::Warning, - SessionManager::tr("Failed to restore project files"), - SessionManager::tr("Could not restore the following project files:
%1"). + Tr::tr("Failed to restore project files"), + Tr::tr("Could not restore the following project files:
%1"). arg(fileList)); - auto keepButton = new QPushButton(SessionManager::tr("Keep projects in Session"), &box); - auto removeButton = new QPushButton(SessionManager::tr("Remove projects from Session"), &box); + auto keepButton = new QPushButton(Tr::tr("Keep projects in Session"), &box); + auto removeButton = new QPushButton(Tr::tr("Remove projects from Session"), &box); box.addButton(keepButton, QMessageBox::AcceptRole); box.addButton(removeButton, QMessageBox::DestructiveRole); diff --git a/src/plugins/projectexplorer/xcodebuildparser.cpp b/src/plugins/projectexplorer/xcodebuildparser.cpp index 8dd1d3d8a05..8bb08ce2cc0 100644 --- a/src/plugins/projectexplorer/xcodebuildparser.cpp +++ b/src/plugins/projectexplorer/xcodebuildparser.cpp @@ -206,8 +206,7 @@ void ProjectExplorerPlugin::testXcodebuildParserParsing_data() << OutputParserTester::STDERR << QString() << QString() << (Tasks() - << CompileTask(Task::Error, - XcodebuildParser::tr("Xcodebuild failed."))) + << CompileTask(Task::Error, Tr::tr("Xcodebuild failed."))) << QString() << XcodebuildParser::UnknownXcodebuildState; @@ -219,8 +218,7 @@ void ProjectExplorerPlugin::testXcodebuildParserParsing_data() << OutputParserTester::STDERR << QString() << QString::fromLatin1("outErr\n") << (Tasks() - << CompileTask(Task::Error, - XcodebuildParser::tr("Xcodebuild failed."))) + << CompileTask(Task::Error, Tr::tr("Xcodebuild failed."))) << QString() << XcodebuildParser::UnknownXcodebuildState; @@ -230,8 +228,7 @@ void ProjectExplorerPlugin::testXcodebuildParserParsing_data() << QString() << QString() << (Tasks() << CompileTask(Task::Warning, - XcodebuildParser::tr("Replacing signature"), - "/somepath/somefile.app")) + Tr::tr("Replacing signature"), "/somepath/somefile.app")) << QString() << XcodebuildParser::InXcodebuild; diff --git a/src/plugins/qmljseditor/qmljseditingsettingspage.cpp b/src/plugins/qmljseditor/qmljseditingsettingspage.cpp index 7310a3d9be1..2a0ecb41771 100644 --- a/src/plugins/qmljseditor/qmljseditingsettingspage.cpp +++ b/src/plugins/qmljseditor/qmljseditingsettingspage.cpp @@ -238,9 +238,9 @@ public: uiQmlOpenComboBox->setSizePolicy(QSizePolicy::Maximum, QSizePolicy::Preferred); uiQmlOpenComboBox->setSizeAdjustPolicy(QComboBox::QComboBox::AdjustToContents); - useQmlls = new QCheckBox(tr("Use qmlls (EXPERIMENTAL!)")); + useQmlls = new QCheckBox(Tr::tr("Use qmlls (EXPERIMENTAL!)")); useQmlls->setChecked(s.qmllsSettigs().useQmlls); - useLatestQmlls = new QCheckBox(tr("Always use latest qmlls")); + useLatestQmlls = new QCheckBox(Tr::tr("Always use latest qmlls")); useLatestQmlls->setChecked(s.qmllsSettigs().useLatestQmlls); useLatestQmlls->setEnabled(s.qmllsSettigs().useQmlls); QObject::connect(useQmlls, &QCheckBox::stateChanged, this, [this](int checked) { @@ -276,7 +276,7 @@ public: }, }, Group{ - title(tr("Language Server")), + title(Tr::tr("Language Server")), Column{useQmlls, useLatestQmlls}, }, st, diff --git a/src/plugins/qmljseditor/qmllsclient.cpp b/src/plugins/qmljseditor/qmllsclient.cpp index 10f146ba0b6..6777f267cc1 100644 --- a/src/plugins/qmljseditor/qmllsclient.cpp +++ b/src/plugins/qmljseditor/qmllsclient.cpp @@ -3,6 +3,8 @@ #include "qmllsclient.h" +#include "qmljseditortr.h" + #include #include @@ -47,7 +49,7 @@ QmllsClient *QmllsClient::clientForQmlls(const FilePath &qmlls) auto interface = new StdIOClientInterface; interface->setCommandLine(CommandLine(qmlls)); auto client = new QmllsClient(interface); - client->setName(QmllsClient::tr("Qmlls (%1)").arg(qmlls.toUserOutput())); + client->setName(Tr::tr("Qmlls (%1)").arg(qmlls.toUserOutput())); client->setActivateDocumentAutomatically(true); LanguageFilter filter; using namespace QmlJSTools::Constants; diff --git a/src/plugins/qmlprofiler/quick3dframemodel.cpp b/src/plugins/qmlprofiler/quick3dframemodel.cpp index 3271f87c45e..ea8d09c2475 100644 --- a/src/plugins/qmlprofiler/quick3dframemodel.cpp +++ b/src/plugins/qmlprofiler/quick3dframemodel.cpp @@ -23,12 +23,14 @@ ** ****************************************************************************/ -#include #include "quick3dframemodel.h" -#include "quick3dmodel.h" -#include "qmlprofilermodelmanager.h" -#include "qmlprofilerconstants.h" +#include "qmlprofilerconstants.h" +#include "qmlprofilermodelmanager.h" +#include "qmlprofilertr.h" +#include "quick3dmodel.h" + +#include namespace QmlProfiler { namespace Internal { @@ -234,19 +236,19 @@ QVariant Quick3DFrameModel::headerData(int section, Qt::Orientation orientation, case Qt::DisplayRole: switch (section) { case Frame: - result = QVariant::fromValue(tr("Frame")); + result = QVariant::fromValue(Tr::tr("Frame")); break; case Duration: - result = QVariant::fromValue(tr("Duration")); + result = QVariant::fromValue(Tr::tr("Duration")); break; case Timestamp: - result = QVariant::fromValue(tr("Timestamp")); + result = QVariant::fromValue(Tr::tr("Timestamp")); break; case FrameDelta: - result = QVariant::fromValue(tr("Frame Delta")); + result = QVariant::fromValue(Tr::tr("Frame Delta")); break; case View3D: - result = QVariant::fromValue(tr("View3D")); + result = QVariant::fromValue(Tr::tr("View3D")); break; } break; @@ -441,7 +443,7 @@ QList Quick3DFrameModel::frameIndices(const QString &view3DFilter) const { QList ret; int key = -1; - if (view3DFilter != tr("All")) { + if (view3DFilter != Tr::tr("All")) { for (int v3d : m_frameTimes.keys()) { if (m_modelManager->eventType(m_eventData[v3d]).data() == view3DFilter) { key = v3d; @@ -463,17 +465,17 @@ QStringList Quick3DFrameModel::frameNames(const QString &view3D) const QStringList ret; for (auto index : indices) { const Item &item = m_data[index]; - ret << QString(tr("Frame") + QLatin1Char(' ') + QString::number(item.data)); + ret << QString(Tr::tr("Frame") + QLatin1Char(' ') + QString::number(item.data)); } return ret; } void Quick3DFrameModel::setFilterFrame(const QString &frame) { - if (frame == tr("None")) { + if (frame == Tr::tr("None")) { m_filterFrame = -1; } else { - QString title = tr("Frame"); + QString title = Tr::tr("Frame"); QString number = frame.right(frame.length() - title.length()); m_filterFrame = number.toInt(); } @@ -482,7 +484,7 @@ void Quick3DFrameModel::setFilterFrame(const QString &frame) void Quick3DFrameModel::setFilterView3D(const QString &view3D) { int key = -1; - if (view3D != tr("All")) { + if (view3D != Tr::tr("All")) { for (int v3d : m_frameTimes.keys()) { if (m_modelManager->eventType(m_eventData[v3d]).data() == view3D) { key = v3d; diff --git a/src/plugins/qmlprofiler/quick3dframeview.cpp b/src/plugins/qmlprofiler/quick3dframeview.cpp index 4b9221a6bcc..9853dbe9912 100644 --- a/src/plugins/qmlprofiler/quick3dframeview.cpp +++ b/src/plugins/qmlprofiler/quick3dframeview.cpp @@ -25,6 +25,8 @@ #include "quick3dframeview.h" +#include "qmlprofilertr.h" + #include #include @@ -41,7 +43,7 @@ Quick3DFrameView::Quick3DFrameView(QmlProfilerModelManager *profilerModelManager : QmlProfilerEventsView(parent) { setObjectName(QLatin1String("QmlProfiler.Quick3DFrame.Dock")); - setWindowTitle(tr("Quick3D Frame")); + setWindowTitle(Tr::tr("Quick3D Frame")); auto model = new Quick3DFrameModel(profilerModelManager); m_mainView.reset(new Quick3DMainView(model, false, this)); @@ -65,8 +67,8 @@ Quick3DFrameView::Quick3DFrameView(QmlProfilerModelManager *profilerModelManager auto view3DComboModel = new QStringListModel(this); auto frameComboBox = new QComboBox(this); auto frameComboModel = new QStringListModel(this); - auto selectView3DLabel = new QLabel(tr("Select View3D"), this); - auto selectFrameLabel = new QLabel(tr("Compare Frame"), this); + auto selectView3DLabel = new QLabel(Tr::tr("Select View3D"), this); + auto selectFrameLabel = new QLabel(Tr::tr("Compare Frame"), this); view3DComboBox->setModel(view3DComboModel); frameComboBox->setModel(frameComboModel); hFrameLayout->addWidget(selectView3DLabel); @@ -79,19 +81,19 @@ Quick3DFrameView::Quick3DFrameView(QmlProfilerModelManager *profilerModelManager groupLayout->addLayout(hMainLayout); connect(model, &Quick3DFrameModel::modelReset, [model, view3DComboModel, frameComboModel](){ QStringList list; - list << tr("All"); + list << Tr::tr("All"); list << model->view3DNames(); view3DComboModel->setStringList(list); list.clear(); - list << tr("None"); - list << model->frameNames(tr("All")); + list << Tr::tr("None"); + list << model->frameNames(Tr::tr("All")); frameComboModel->setStringList(list); }); connect(view3DComboBox, &QComboBox::currentTextChanged, [this, model, frameComboModel](const QString &text){ m_mainView->setFilterView3D(text); model->setFilterView3D(text); QStringList list; - list << tr("None"); + list << Tr::tr("None"); list << model->frameNames(text); frameComboModel->setStringList(list); }); @@ -158,7 +160,7 @@ Quick3DMainView::Quick3DMainView(Quick3DFrameModel *model, bool compareView, QWi void Quick3DMainView::setFilterView3D(const QString &objectName) { - if (objectName == tr("All")) + if (objectName == Tr::tr("All")) m_sortModel->setFilterFixedString(""); else m_sortModel->setFilterFixedString(objectName); diff --git a/src/plugins/qmlprofiler/quick3dmodel.cpp b/src/plugins/qmlprofiler/quick3dmodel.cpp index 03dfe17803c..fc0b9fff1ea 100644 --- a/src/plugins/qmlprofiler/quick3dmodel.cpp +++ b/src/plugins/qmlprofiler/quick3dmodel.cpp @@ -166,8 +166,8 @@ QVariantMap Quick3DModel::details(int index) const if ((detailType == RenderPass || detailType == PrepareFrame) && m_data[index].data) { quint32 width = m_data[index].data & 0xffffffff; quint32 height = m_data[index].data >> 32; - result.insert(tr("Width"), width); - result.insert(tr("Height"), height); + result.insert(Tr::tr("Width"), width); + result.insert(Tr::tr("Height"), height); } if ((detailType >= MeshLoad && detailType <= TextureLoad) || (detailType >= MeshMemoryConsumption && detailType <= TextureMemoryConsumption)) { @@ -176,9 +176,9 @@ QVariantMap Quick3DModel::details(int index) const if (detailType == RenderCall) { quint32 primitives = m_data[index].data & 0xffffffff; quint32 instances = m_data[index].data >> 32; - result.insert(tr("Primitives"), primitives); + result.insert(Tr::tr("Primitives"), primitives); if (instances > 1) - result.insert(tr("Instances"), instances); + result.insert(Tr::tr("Instances"), instances); } if (!m_data[index].eventData.isEmpty()) { for (int i = 0; i < m_data[index].eventData.size(); i++) { diff --git a/src/plugins/qnx/qnxdebugsupport.cpp b/src/plugins/qnx/qnxdebugsupport.cpp index c401536d49a..cb3932daab5 100644 --- a/src/plugins/qnx/qnxdebugsupport.cpp +++ b/src/plugins/qnx/qnxdebugsupport.cpp @@ -12,6 +12,7 @@ #include #include +#include #include #include @@ -212,7 +213,7 @@ void showAttachToProcessDialog() }); QnxAttachDebugDialog dlg(kitChooser); - dlg.addAcceptButton(DeviceProcessesDialog::tr("&Attach to Process")); + dlg.addAcceptButton(::Debugger::Tr::tr("&Attach to Process")); dlg.showAllDevices(); if (dlg.exec() == QDialog::Rejected) return; diff --git a/src/shared/help/bookmarkmanager.cpp b/src/shared/help/bookmarkmanager.cpp index d95b93e883e..6a3ed6e14ea 100644 --- a/src/shared/help/bookmarkmanager.cpp +++ b/src/shared/help/bookmarkmanager.cpp @@ -7,6 +7,8 @@ #include +#include + #include #include #include @@ -45,7 +47,7 @@ BookmarkDialog::BookmarkDialog(BookmarkManager *manager, const QString &title, { installEventFilter(this); resize(450, 0); - setWindowTitle(tr("Add Bookmark")); + setWindowTitle(::Help::Tr::tr("Add Bookmark")); proxyModel = new QSortFilterProxyModel(this); proxyModel->setFilterKeyColumn(0); @@ -70,14 +72,14 @@ BookmarkDialog::BookmarkDialog(BookmarkManager *manager, const QString &title, treeViewSP.setVerticalStretch(1); m_treeView->setSizePolicy(treeViewSP); - m_newFolderButton = new QPushButton(tr("New Folder")); + m_newFolderButton = new QPushButton(::Help::Tr::tr("New Folder")); m_buttonBox = new QDialogButtonBox(QDialogButtonBox::Ok | QDialogButtonBox::Cancel); using namespace Utils::Layouting; Column { Form { - tr("Bookmark:"), m_bookmarkEdit, br, - tr("Add in folder:"), m_bookmarkFolders, br, + ::Help::Tr::tr("Bookmark:"), m_bookmarkEdit, br, + ::Help::Tr::tr("Add in folder:"), m_bookmarkFolders, br, }, Row { m_toolButton, hr }, m_treeView, @@ -172,7 +174,7 @@ void BookmarkDialog::itemChanged(QStandardItem *item) m_bookmarkFolders->clear(); m_bookmarkFolders->addItems(bookmarkManager->bookmarkFolders()); - QString name = tr("Bookmarks"); + QString name = ::Help::Tr::tr("Bookmarks"); const QModelIndex& index = m_treeView->currentIndex(); if (index.isValid()) name = index.data().toString(); @@ -188,7 +190,7 @@ void BookmarkDialog::textChanged(const QString& string) void BookmarkDialog::selectBookmarkFolder(int index) { const QString folderName = m_bookmarkFolders->itemText(index); - if (folderName == tr("Bookmarks")) { + if (folderName == ::Help::Tr::tr("Bookmarks")) { m_treeView->clearSelection(); return; } @@ -214,8 +216,8 @@ void BookmarkDialog::showContextMenu(const QPoint &point) QMenu menu(this); - QAction *removeItem = menu.addAction(tr("Delete Folder")); - QAction *renameItem = menu.addAction(tr("Rename Folder")); + QAction *removeItem = menu.addAction(::Help::Tr::tr("Delete Folder")); + QAction *renameItem = menu.addAction(::Help::Tr::tr("Rename Folder")); QAction *picked = menu.exec(m_treeView->mapToGlobal(point)); if (!picked) @@ -227,7 +229,7 @@ void BookmarkDialog::showContextMenu(const QPoint &point) m_bookmarkFolders->clear(); m_bookmarkFolders->addItems(bookmarkManager->bookmarkFolders()); - QString name = tr("Bookmarks"); + QString name = ::Help::Tr::tr("Bookmarks"); index = m_treeView->currentIndex(); if (index.isValid()) name = index.data().toString(); @@ -244,7 +246,7 @@ void BookmarkDialog::showContextMenu(const QPoint &point) void BookmarkDialog::currentChanged(const QModelIndex ¤t) { - QString text = tr("Bookmarks"); + QString text = ::Help::Tr::tr("Bookmarks"); if (current.isValid()) text = current.data().toString(); m_bookmarkFolders->setCurrentIndex(m_bookmarkFolders->findText(text)); @@ -275,7 +277,7 @@ bool BookmarkDialog::eventFilter(QObject *object, QEvent *e) m_bookmarkFolders->clear(); m_bookmarkFolders->addItems(bookmarkManager->bookmarkFolders()); - QString name = tr("Bookmarks"); + QString name = ::Help::Tr::tr("Bookmarks"); index = m_treeView->currentIndex(); if (index.isValid()) name = index.data().toString(); @@ -365,16 +367,16 @@ void BookmarkWidget::showContextMenu(const QPoint &point) QMenu menu(this); QString data = index.data(Qt::UserRole + 10).toString(); if (data == QLatin1String("Folder")) { - removeItem = menu.addAction(tr("Delete Folder")); - renameItem = menu.addAction(tr("Rename Folder")); + removeItem = menu.addAction(::Help::Tr::tr("Delete Folder")); + renameItem = menu.addAction(::Help::Tr::tr("Rename Folder")); } else { - showItem = menu.addAction(tr("Show Bookmark")); + showItem = menu.addAction(::Help::Tr::tr("Show Bookmark")); if (m_isOpenInNewPageActionVisible) - showItemNewTab = menu.addAction(tr("Show Bookmark as New Page")); + showItemNewTab = menu.addAction(::Help::Tr::tr("Show Bookmark as New Page")); if (searchField->text().isEmpty()) { menu.addSeparator(); - removeItem = menu.addAction(tr("Delete Bookmark")); - renameItem = menu.addAction(tr("Rename Bookmark")); + removeItem = menu.addAction(::Help::Tr::tr("Delete Bookmark")); + renameItem = menu.addAction(::Help::Tr::tr("Rename Bookmark")); } } @@ -603,7 +605,7 @@ void BookmarkManager::saveBookmarks() QStringList BookmarkManager::bookmarkFolders() const { - QStringList folders(tr("Bookmarks")); + QStringList folders(::Help::Tr::tr("Bookmarks")); const QList list = treeModel->findItems(QLatin1String("*"), Qt::MatchWildcard | Qt::MatchRecursive, @@ -641,9 +643,9 @@ void BookmarkManager::removeBookmarkItem(QTreeView *treeView, if (item) { QString data = index.data(Qt::UserRole + 10).toString(); if (data == QLatin1String("Folder") && item->rowCount() > 0) { - int value = QMessageBox::question(treeView, tr("Remove"), - tr("Deleting a folder also removes its content.
" - "Do you want to continue?"), + int value = QMessageBox::question(treeView, ::Help::Tr::tr("Remove"), + ::Help::Tr::tr("Deleting a folder also removes its content.
" + "Do you want to continue?"), QMessageBox::Yes | QMessageBox::Cancel, QMessageBox::Cancel); if (value == QMessageBox::Cancel) @@ -755,7 +757,7 @@ void BookmarkManager::setupBookmarkModels() QString BookmarkManager::uniqueFolderName() const { - QString folderName = tr("New Folder"); + QString folderName = ::Help::Tr::tr("New Folder"); const QList list = treeModel->findItems(folderName, Qt::MatchContains | Qt::MatchRecursive, 0); @@ -764,7 +766,7 @@ QString BookmarkManager::uniqueFolderName() const for (const QStandardItem *item : list) names << item->text(); - QString folderNameBase = tr("New Folder") + QLatin1String(" %1"); + QString folderNameBase = ::Help::Tr::tr("New Folder") + QLatin1String(" %1"); for (int i = 1; i <= names.count(); ++i) { folderName = folderNameBase.arg(i); if (!names.contains(folderName)) diff --git a/src/shared/help/contentwindow.cpp b/src/shared/help/contentwindow.cpp index 01677b06d6d..52c27a60180 100644 --- a/src/shared/help/contentwindow.cpp +++ b/src/shared/help/contentwindow.cpp @@ -7,6 +7,8 @@ #include #include +#include + #include #include @@ -106,10 +108,10 @@ void ContentWindow::showContextMenu(const QPoint &pos) contentModel->contentItemAt(m_contentWidget->currentIndex()); QMenu menu; - QAction *curTab = menu.addAction(tr("Open Link")); + QAction *curTab = menu.addAction(::Help::Tr::tr("Open Link")); QAction *newTab = 0; if (m_isOpenInNewPageActionVisible) - newTab = menu.addAction(tr("Open Link as New Page")); + newTab = menu.addAction(::Help::Tr::tr("Open Link as New Page")); QAction *action = menu.exec(m_contentWidget->mapToGlobal(pos)); if (curTab == action) diff --git a/src/shared/help/topicchooser.cpp b/src/shared/help/topicchooser.cpp index d3cc8396898..efa3705b14b 100644 --- a/src/shared/help/topicchooser.cpp +++ b/src/shared/help/topicchooser.cpp @@ -3,8 +3,11 @@ #include "topicchooser.h" -#include +#include "helptr.h" + #include +#include +#include #include #include @@ -21,7 +24,7 @@ TopicChooser::TopicChooser(QWidget *parent, const QString &keyword, , m_filterModel(new QSortFilterProxyModel(this)) { resize(400, 220); - setWindowTitle(tr("Choose Topic")); + setWindowTitle(::Help::Tr::tr("Choose Topic")); QStandardItemModel *model = new QStandardItemModel(this); m_filterModel->setSourceModel(model); @@ -51,7 +54,7 @@ TopicChooser::TopicChooser(QWidget *parent, const QString &keyword, using namespace Utils::Layouting; Column { - tr("Choose a topic for %1:").arg(keyword), + ::Help::Tr::tr("Choose a topic for %1:").arg(keyword), m_lineEdit, m_listWidget, buttonBox, From 14280acfd956264d15a92c2976d65e5813836d32 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Thu, 9 Feb 2023 15:33:41 +0100 Subject: [PATCH 14/36] Translations: Merge orphaned contexts Following orphaned contexts are merged into ::Debugger QtDumperHelper Analyzer Following orphaned contexts are merged into ::Git Gerrit::Internal::GerritDialog Gerrit::Internal::GerritPushDialog Following orphaned contexts are merged into ::QmlJSTools QmlJSTools::QmlJSToolsSettings Following orphaned contexts are merged into ::Android QWidget Change-Id: I5263104b96520e2b7701366962d6f63b9b595f68 Reviewed-by: hjk Reviewed-by: --- share/qtcreator/translations/qtcreator_cs.ts | 8 ++----- share/qtcreator/translations/qtcreator_da.ts | 4 ++-- share/qtcreator/translations/qtcreator_de.ts | 21 +++++------------- share/qtcreator/translations/qtcreator_es.ts | 14 ------------ share/qtcreator/translations/qtcreator_fr.ts | 8 +------ share/qtcreator/translations/qtcreator_hr.ts | 5 +---- share/qtcreator/translations/qtcreator_hu.ts | 2 +- share/qtcreator/translations/qtcreator_it.ts | 14 ------------ share/qtcreator/translations/qtcreator_ja.ts | 8 +------ share/qtcreator/translations/qtcreator_pl.ts | 5 +---- share/qtcreator/translations/qtcreator_ru.ts | 6 ++--- share/qtcreator/translations/qtcreator_sl.ts | 8 +------ share/qtcreator/translations/qtcreator_uk.ts | 7 ++---- .../qtcreator/translations/qtcreator_zh_CN.ts | 22 +++++-------------- .../qtcreator/translations/qtcreator_zh_TW.ts | 8 +------ 15 files changed, 26 insertions(+), 114 deletions(-) diff --git a/share/qtcreator/translations/qtcreator_cs.ts b/share/qtcreator/translations/qtcreator_cs.ts index fcfac6a2a09..1608d5b72aa 100644 --- a/share/qtcreator/translations/qtcreator_cs.ts +++ b/share/qtcreator/translations/qtcreator_cs.ts @@ -2541,10 +2541,6 @@ Chcete je nechat přepsat? Symbol paths: %1 Cesty k symbolům: %1 - - <none> - <žádná> - Source paths: %1 Cesty ke zdrojovému textu: %1 @@ -11910,7 +11906,7 @@ p, li { white-space: pre-wrap; } - QtDumperHelper + ::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. Byla nalezena zastaralá verze pomocného ladicího programu (%1). Je požadována verze %2. @@ -28812,7 +28808,7 @@ Server: %2. - Analyzer + ::Debugger Analyzer Rozbor diff --git a/share/qtcreator/translations/qtcreator_da.ts b/share/qtcreator/translations/qtcreator_da.ts index 4fffb2abfbf..fa2243b82e6 100644 --- a/share/qtcreator/translations/qtcreator_da.ts +++ b/share/qtcreator/translations/qtcreator_da.ts @@ -83,7 +83,7 @@ - Analyzer + ::Debugger Analyzer Analysator @@ -30357,7 +30357,7 @@ Er du sikker på, at du vil fortsætte? - QtDumperHelper + ::Debugger ptrace: Operation not permitted. diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index b84b0a9aa1e..93c986506b5 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -6403,9 +6403,6 @@ Das Setzen von Haltepunkten anhand von Dateinamen und Zeilennummern könnte fehl Der zu debuggende Prozess kann nicht angehalten werden: - - - QtDumperHelper ptrace: Operation not permitted. @@ -18139,7 +18136,7 @@ Wird ein Problem gefunden, dann wird die Anwendung angehalten und kann untersuch - Analyzer + ::Debugger Analyzer Analyzer @@ -43866,7 +43863,7 @@ Doppelklicken Sie einen Eintrag um ihn zu ändern. - QWidget + ::Android Images (*.png *.jpg *.jpeg) @@ -49806,7 +49803,7 @@ z.B. name = "m_test_foo_": - Gerrit::Internal::GerritPushDialog + ::Git Push to Gerrit Push zu Gerrit @@ -49815,14 +49812,6 @@ z.B. name = "m_test_foo_": &Reviewers: &Reviewer: - - Checked - Mark change as private. -Unchecked - Remove mark. -Partially checked - Do not change current state. - Markiert - Änderung als privat markieren. -Nicht markiert - Markierung entfernen. -Teilmarkiert - Zustand nicht verändern. - &Draft/private &Entwurf/privat @@ -52174,7 +52163,7 @@ Flags: %3 - Gerrit::Internal::GerritDialog + ::Git Certificate Error Zertifikatsfehler @@ -54276,7 +54265,7 @@ fails because Clang does not understand the target architecture. - QmlJSTools::QmlJSToolsSettings + ::QmlJSTools Global Settings diff --git a/share/qtcreator/translations/qtcreator_es.ts b/share/qtcreator/translations/qtcreator_es.ts index 3ff0536e19a..2da2de12bc1 100644 --- a/share/qtcreator/translations/qtcreator_es.ts +++ b/share/qtcreator/translations/qtcreator_es.ts @@ -2099,9 +2099,6 @@ Would you like to overwrite them? <Encoding error> <Error de codificación> - - - QtDumperHelper Found a too-old version of the debugging helper library (%1); version %2 is required. @@ -2124,9 +2121,6 @@ Would you like to overwrite them? %n tipos conocidos, versión de Qt: %1, namespace Qt: %2 - - - ::Debugger Select Core File Seleccione archivo principal @@ -8821,14 +8815,6 @@ Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y lueg ::Debugger - - Executable: - Ejecutable: - - - Arguments: - Argumentos: - Break at 'main': Interrumpir en 'main': diff --git a/share/qtcreator/translations/qtcreator_fr.ts b/share/qtcreator/translations/qtcreator_fr.ts index 490649b8be6..6204512b3b9 100644 --- a/share/qtcreator/translations/qtcreator_fr.ts +++ b/share/qtcreator/translations/qtcreator_fr.ts @@ -2748,9 +2748,6 @@ Voulez vous les écraser ? <Encoding error> <Erreur d'encodage> - - - QtDumperHelper Found a too-old version of the debugging helper library (%1); version %2 is required. Une version trop ancienne de la bibliothèque d'aide au débogage a été trouvé(%1); La version %2 est nécessaire. @@ -2832,9 +2829,6 @@ Pour plus de détails, voir /etc/sysctl.d/10-ptrace.conf <none> <aucun> - - - ::Debugger Load Core File Charger un fichier core @@ -28334,7 +28328,7 @@ Les version de Qt précédentes ont des limitations lors de la compilation des f - Analyzer + ::Debugger Analyzer Analyseur diff --git a/share/qtcreator/translations/qtcreator_hr.ts b/share/qtcreator/translations/qtcreator_hr.ts index 4278d56267f..73ea3f82f68 100644 --- a/share/qtcreator/translations/qtcreator_hr.ts +++ b/share/qtcreator/translations/qtcreator_hr.ts @@ -15854,7 +15854,7 @@ Izlaz: - Analyzer + ::Debugger Analyzer Analizator @@ -20531,9 +20531,6 @@ Affected are breakpoints %1 Error Greška - - - QtDumperHelper ptrace: Operation not permitted. diff --git a/share/qtcreator/translations/qtcreator_hu.ts b/share/qtcreator/translations/qtcreator_hu.ts index 3e0328459d1..c9e3e698dfd 100644 --- a/share/qtcreator/translations/qtcreator_hu.ts +++ b/share/qtcreator/translations/qtcreator_hu.ts @@ -14031,7 +14031,7 @@ Ellenőrizze le, hogy vajon a telefon csatlakoztatva van-e és a TRK alkalmazás - QtDumperHelper + ::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. A debuggolást segítő könyvtárban (%1) egy idejét múlt verzió található; %2 verzió igényelt. diff --git a/share/qtcreator/translations/qtcreator_it.ts b/share/qtcreator/translations/qtcreator_it.ts index acb3c75923e..99b3af157e0 100644 --- a/share/qtcreator/translations/qtcreator_it.ts +++ b/share/qtcreator/translations/qtcreator_it.ts @@ -2096,9 +2096,6 @@ Vuoi sovrascriverli? <Encoding error> <Errore di codifica> - - - QtDumperHelper Found a too-old version of the debugging helper library (%1); version %2 is required. @@ -2121,9 +2118,6 @@ Vuoi sovrascriverli? %n tipi conosciuti, versione Qt: %1, namespace Qt: %2 - - - ::Debugger Select Executable Scegli l'Eseguibile @@ -3472,10 +3466,6 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato. Copy contents to clipboard Copia il contenuto negli appunti - - Executable: - Eseguibile: - Arguments: Parametri: @@ -8662,10 +8652,6 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da ::Debugger - - Arguments: - Parametri: - Break at 'main': Interrompi su 'main' diff --git a/share/qtcreator/translations/qtcreator_ja.ts b/share/qtcreator/translations/qtcreator_ja.ts index 6f624b630a6..9d66be54895 100644 --- a/share/qtcreator/translations/qtcreator_ja.ts +++ b/share/qtcreator/translations/qtcreator_ja.ts @@ -16962,9 +16962,6 @@ Qt Creator はアタッチできません。 Qt Sources Qt ソース - - - QtDumperHelper ptrace: Operation not permitted. @@ -16997,9 +16994,6 @@ For more details, see /etc/sysctl.d/10-ptrace.conf 詳細は /etc/sysctl.d/10-ptrace.conf を参照してください - - - ::Debugger The gdb process failed to start. Either the invoked program "%1" is missing, or you may have insufficient permissions to invoke the program. %2 @@ -30397,7 +30391,7 @@ When a problem is detected, the application is interrupted and can be debugged.< - Analyzer + ::Debugger Analyzer 解析 diff --git a/share/qtcreator/translations/qtcreator_pl.ts b/share/qtcreator/translations/qtcreator_pl.ts index c92c5b815c1..80f04938e3f 100644 --- a/share/qtcreator/translations/qtcreator_pl.ts +++ b/share/qtcreator/translations/qtcreator_pl.ts @@ -4998,9 +4998,6 @@ receives a signal like SIGSEGV during debugging. Are you sure you want to remove all expression evaluators? Czy usunąć wszystkie procedury przetwarzające? - - - QtDumperHelper ptrace: Operation not permitted. @@ -13862,7 +13859,7 @@ Local pulls are not applied to the master branch. - Analyzer + ::Debugger Analyzer Analizator diff --git a/share/qtcreator/translations/qtcreator_ru.ts b/share/qtcreator/translations/qtcreator_ru.ts index 9bd650d0b44..caefaf60694 100644 --- a/share/qtcreator/translations/qtcreator_ru.ts +++ b/share/qtcreator/translations/qtcreator_ru.ts @@ -426,7 +426,7 @@ - Analyzer + ::Debugger Analyzer Анализатор @@ -32914,7 +32914,7 @@ Copy the path to the source files to the clipboard? - QWidget + ::Android Images (*.png *.jpg *.webp *.svg) Изображения (*.png *.jpg *.webp *.svg) @@ -39207,7 +39207,7 @@ Are you sure you want to continue? - QtDumperHelper + ::Debugger ptrace: Operation not permitted. diff --git a/share/qtcreator/translations/qtcreator_sl.ts b/share/qtcreator/translations/qtcreator_sl.ts index bfc5e00f2c6..dd4c4b51408 100644 --- a/share/qtcreator/translations/qtcreator_sl.ts +++ b/share/qtcreator/translations/qtcreator_sl.ts @@ -1646,9 +1646,6 @@ Ali jih želite nadomestiti? Zaganjanje oddaljene izvršljive datoteke ni uspelo: - - - QtDumperHelper Found an outdated version of the debugging helper library (%1); version %2 is required. Najdena je bila zastarela različica knjižnice pomočnika za razhroščevanje (%1). Potrebna je različica %2. @@ -1666,9 +1663,6 @@ Ali jih želite nadomestiti? <none> <brez> - - - ::Debugger Select Core File Izberite datoteko posnetka @@ -19727,7 +19721,7 @@ Seznam za strežnik je: %2. - Analyzer + ::Debugger Analyzer Analizator diff --git a/share/qtcreator/translations/qtcreator_uk.ts b/share/qtcreator/translations/qtcreator_uk.ts index 832ba384b66..2780beb7ab7 100644 --- a/share/qtcreator/translations/qtcreator_uk.ts +++ b/share/qtcreator/translations/qtcreator_uk.ts @@ -2,7 +2,7 @@ - Analyzer + ::Debugger Analyzer Аналізатор @@ -16619,7 +16619,7 @@ Reason: %2 - QtDumperHelper + ::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. Знайдено застарілу версію бібліотеки помічника зневадження (%1); необхідна версія %2. @@ -39987,9 +39987,6 @@ Setting breakpoints by file name and line number may fail. Debuggers Зневаджувачі - - - ::Debugger Debugger Settings Налаштування зневаджувача diff --git a/share/qtcreator/translations/qtcreator_zh_CN.ts b/share/qtcreator/translations/qtcreator_zh_CN.ts index b39f8ca8d27..da8fa46d63b 100644 --- a/share/qtcreator/translations/qtcreator_zh_CN.ts +++ b/share/qtcreator/translations/qtcreator_zh_CN.ts @@ -272,7 +272,7 @@ - Analyzer + ::Debugger Analyzer 分析器 @@ -19300,7 +19300,7 @@ Use drag and drop to change the order of the parameters. - Gerrit::Internal::GerritDialog + ::Git Certificate Error @@ -19311,9 +19311,6 @@ Do you want to disable SSL verification for this server? Note: This can expose you to man-in-the-middle attack. - - - Gerrit::Internal::GerritPushDialog Push to Gerrit @@ -19372,9 +19369,6 @@ Reviewers can be specified by nickname or email address. Spaces not allowed. Partial names can be used if they are unambiguous. - - - ::Git Delete Branch 删除分支 @@ -20473,12 +20467,6 @@ were not verified among remotes in %3. Select different folder? Checked - Mark change as WIP. Unchecked - Mark change as ready for review. -Partially checked - Do not change current state. - - - - Checked - Mark change as private. -Unchecked - Remove mark. Partially checked - Do not change current state. @@ -30814,7 +30802,7 @@ Are you sure? - QWidget + ::Android Images (*.png *.jpg *.jpeg) @@ -36650,7 +36638,7 @@ the QML editor know about a likely URI. - QmlJSTools::QmlJSToolsSettings + ::QmlJSTools Global Settings @@ -37974,7 +37962,7 @@ Are you sure you want to continue? - QtDumperHelper + ::Debugger ptrace: Operation not permitted. diff --git a/share/qtcreator/translations/qtcreator_zh_TW.ts b/share/qtcreator/translations/qtcreator_zh_TW.ts index c31fe46819f..69204c31a0f 100644 --- a/share/qtcreator/translations/qtcreator_zh_TW.ts +++ b/share/qtcreator/translations/qtcreator_zh_TW.ts @@ -1794,9 +1794,6 @@ Ctrl+Shift+F11 Ctrl+Shift+F11 - - - QtDumperHelper Found an outdated version of the debugging helper library (%1); version %2 is required. 系統找到一個已過期的除錯小助手函式庫 (%1),需要的版號為 %2。 @@ -1859,9 +1856,6 @@ For more details, see/etc/sysctl.d/10-ptrace.conf <none> <無> - - - ::Debugger Load Core File @@ -17514,7 +17508,7 @@ Local pulls are not applied to the master branch. - Analyzer + ::Debugger Analyzer 分析器 From 226799858c8a0da51f7f0b99b83308c60f30a288 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Thu, 9 Feb 2023 11:43:49 +0100 Subject: [PATCH 15/36] Translations: Replace QCoreApplication::translate() with Tr::tr() Calling ::Tr::tr() is preferred over QCoreApplication::translate("::", "..."). This changes occurrences in .cpp files. Change-Id: I3311ef0dbf3e7d105a3f181b6b988f3b444468f1 Reviewed-by: hjk --- src/libs/advanceddockingsystem/dockmanager.cpp | 5 ++--- .../clangcodemodel/clangdlocatorfilters.cpp | 14 +++++--------- src/plugins/clangtools/settingswidget.cpp | 5 ++--- .../cmakeprojectmanager/cmakebuildstep.cpp | 3 ++- src/plugins/coreplugin/externaltool.cpp | 4 +--- src/plugins/coreplugin/fileutils.cpp | 4 ++-- .../coreplugin/locator/locatorsettingspage.cpp | 3 +-- src/plugins/cppcheck/cppcheckoptions.cpp | 3 ++- .../cppeditor/cppcurrentdocumentfilter.cpp | 4 ++-- src/plugins/debugger/console/console.cpp | 4 +--- src/plugins/debugger/debuggerplugin.cpp | 6 +++--- src/plugins/designer/formeditorplugin.cpp | 4 ++-- src/plugins/designer/formtemplatewizardpage.cpp | 6 +++--- src/plugins/docker/dockerdevice.cpp | 3 ++- src/plugins/help/helpwidget.cpp | 17 +++++++---------- .../languageclient/languageclientoutline.cpp | 4 ++-- src/plugins/perfprofiler/perfoptionspage.cpp | 3 ++- src/plugins/projectexplorer/projectexplorer.cpp | 4 ++-- src/plugins/projectexplorer/projectwindow.cpp | 7 +++---- src/plugins/qmldesigner/qmldesignerplugin.cpp | 5 ++--- src/plugins/qmlprofiler/qmlprofilersettings.cpp | 3 ++- src/plugins/qtsupport/codegensettingspage.cpp | 4 ++-- .../texteditor/snippets/snippetscollection.cpp | 2 +- src/plugins/valgrind/valgrindconfigwidget.cpp | 3 ++- src/plugins/vcsbase/basevcseditorfactory.cpp | 5 +++-- src/plugins/vcsbase/vcsbasesubmiteditor.cpp | 2 +- 26 files changed, 59 insertions(+), 68 deletions(-) diff --git a/src/libs/advanceddockingsystem/dockmanager.cpp b/src/libs/advanceddockingsystem/dockmanager.cpp index 44bbc5ffdbf..1be298ef9c5 100644 --- a/src/libs/advanceddockingsystem/dockmanager.cpp +++ b/src/libs/advanceddockingsystem/dockmanager.cpp @@ -17,6 +17,7 @@ #include #include #include +#include #include #include @@ -951,9 +952,7 @@ namespace ADS QString errorString; const bool success = write(workspace, data, &errorString); if (!success) - QMessageBox::critical(parent, - QCoreApplication::translate("::Utils", "File Error"), - errorString); + QMessageBox::critical(parent, ::Utils::Tr::tr("File Error"), errorString); return success; } diff --git a/src/plugins/clangcodemodel/clangdlocatorfilters.cpp b/src/plugins/clangcodemodel/clangdlocatorfilters.cpp index ed80fc1a5ca..725d961591d 100644 --- a/src/plugins/clangcodemodel/clangdlocatorfilters.cpp +++ b/src/plugins/clangcodemodel/clangdlocatorfilters.cpp @@ -7,6 +7,7 @@ #include "clangmodelmanagersupport.h" #include +#include #include #include #include @@ -122,8 +123,7 @@ ClangGlobalSymbolFilter::ClangGlobalSymbolFilter(ILocatorFilter *cppFilter, : m_cppFilter(cppFilter), m_lspFilter(lspFilter) { setId(CppEditor::Constants::LOCATOR_FILTER_ID); - setDisplayName(QCoreApplication::translate("::CppEditor", - CppEditor::Constants::LOCATOR_FILTER_DISPLAY_NAME)); + setDisplayName(::CppEditor::Tr::tr(CppEditor::Constants::LOCATOR_FILTER_DISPLAY_NAME)); setDefaultShortcutString(":"); setDefaultIncludedByDefault(false); } @@ -186,8 +186,7 @@ ClangClassesFilter::ClangClassesFilter() : ClangGlobalSymbolFilter(new CppClassesFilter, new LspClassesFilter) { setId(CppEditor::Constants::CLASSES_FILTER_ID); - setDisplayName(QCoreApplication::translate("::CppEditor", - CppEditor::Constants::CLASSES_FILTER_DISPLAY_NAME)); + setDisplayName(::CppEditor::Tr::tr(CppEditor::Constants::CLASSES_FILTER_DISPLAY_NAME)); setDefaultShortcutString("c"); setDefaultIncludedByDefault(false); } @@ -196,8 +195,7 @@ ClangFunctionsFilter::ClangFunctionsFilter() : ClangGlobalSymbolFilter(new CppFunctionsFilter, new LspFunctionsFilter) { setId(CppEditor::Constants::FUNCTIONS_FILTER_ID); - setDisplayName(QCoreApplication::translate("::CppEditor", - CppEditor::Constants::FUNCTIONS_FILTER_DISPLAY_NAME)); + setDisplayName(::CppEditor::Tr::tr(CppEditor::Constants::FUNCTIONS_FILTER_DISPLAY_NAME)); setDefaultShortcutString("m"); setDefaultIncludedByDefault(false); } @@ -253,9 +251,7 @@ public: ClangdCurrentDocumentFilter::ClangdCurrentDocumentFilter() : d(new Private) { setId(CppEditor::Constants::CURRENT_DOCUMENT_FILTER_ID); - setDisplayName( - QCoreApplication::translate("::CppEditor", - CppEditor::Constants::CURRENT_DOCUMENT_FILTER_DISPLAY_NAME)); + setDisplayName(::CppEditor::Tr::tr(CppEditor::Constants::CURRENT_DOCUMENT_FILTER_DISPLAY_NAME)); setDefaultShortcutString("."); setPriority(High); setDefaultIncludedByDefault(false); diff --git a/src/plugins/clangtools/settingswidget.cpp b/src/plugins/clangtools/settingswidget.cpp index bbac5aa7068..76f915dd99c 100644 --- a/src/plugins/clangtools/settingswidget.cpp +++ b/src/plugins/clangtools/settingswidget.cpp @@ -12,12 +12,11 @@ #include #include +#include #include #include -#include - using namespace CppEditor; using namespace Utils; @@ -116,7 +115,7 @@ ClangToolsOptionsPage::ClangToolsOptionsPage() setId(Constants::SETTINGS_PAGE_ID); setDisplayName(Tr::tr("Clang Tools")); setCategory("T.Analyzer"); - setDisplayCategory(QCoreApplication::translate("::Debugger", "Analyzer")); + setDisplayCategory(::Debugger::Tr::tr("Analyzer")); setCategoryIconPath(Analyzer::Icons::SETTINGSCATEGORY_ANALYZER); setWidgetCreator([] { return new SettingsWidget; }); } diff --git a/src/plugins/cmakeprojectmanager/cmakebuildstep.cpp b/src/plugins/cmakeprojectmanager/cmakebuildstep.cpp index e37e40337d9..ccb21ccfb3e 100644 --- a/src/plugins/cmakeprojectmanager/cmakebuildstep.cpp +++ b/src/plugins/cmakeprojectmanager/cmakebuildstep.cpp @@ -22,6 +22,7 @@ #include #include #include +#include #include #include #include @@ -246,7 +247,7 @@ bool CMakeBuildStep::init() RunConfiguration *rc = target()->activeRunConfiguration(); if (!rc || rc->buildKey().isEmpty()) { emit addTask(BuildSystemTask(Task::Error, - QCoreApplication::translate("::ProjectExplorer", + ::ProjectExplorer::Tr::tr( "You asked to build the current Run Configuration's build target only, " "but it is not associated with a build target. " "Update the Make Step in your build settings."))); diff --git a/src/plugins/coreplugin/externaltool.cpp b/src/plugins/coreplugin/externaltool.cpp index bfac272b3d5..0c0b1d89260 100644 --- a/src/plugins/coreplugin/externaltool.cpp +++ b/src/plugins/coreplugin/externaltool.cpp @@ -308,9 +308,7 @@ static void localizedText(const QStringList &locales, QXmlStreamReader *reader, } } else { if (*currentLocale < 0 && currentText->isEmpty()) { - *currentText = QCoreApplication::translate("::Core", - reader->readElementText().toUtf8().constData(), - ""); + *currentText = Tr::tr(reader->readElementText().toUtf8().constData(), ""); } else { reader->skipCurrentElement(); } diff --git a/src/plugins/coreplugin/fileutils.cpp b/src/plugins/coreplugin/fileutils.cpp index 05aeb219b2e..6c783488971 100644 --- a/src/plugins/coreplugin/fileutils.cpp +++ b/src/plugins/coreplugin/fileutils.cpp @@ -78,7 +78,7 @@ void FileUtils::showInGraphicalShell(QWidget *parent, const FilePath &pathIn) UnixUtils::substituteFileBrowserParameters(app, folder)); QString error; if (browserArgs.isEmpty()) { - error = QApplication::translate("::Core", "The command for file browser is not set."); + error = Tr::tr("The command for file browser is not set."); } else { QProcess browserProc; browserProc.setProgram(browserArgs.takeFirst()); @@ -86,7 +86,7 @@ void FileUtils::showInGraphicalShell(QWidget *parent, const FilePath &pathIn) const bool success = browserProc.startDetached(); error = QString::fromLocal8Bit(browserProc.readAllStandardError()); if (!success && error.isEmpty()) - error = QApplication::translate("::Core", "Error while starting file browser."); + error = Tr::tr("Error while starting file browser."); } if (!error.isEmpty()) showGraphicalShellError(parent, app, error); diff --git a/src/plugins/coreplugin/locator/locatorsettingspage.cpp b/src/plugins/coreplugin/locator/locatorsettingspage.cpp index f85948dc5ef..9940680aa25 100644 --- a/src/plugins/coreplugin/locator/locatorsettingspage.cpp +++ b/src/plugins/coreplugin/locator/locatorsettingspage.cpp @@ -20,7 +20,6 @@ #include #include -#include #include #include #include @@ -430,7 +429,7 @@ void LocatorSettingsWidget::removeCustomFilter() LocatorSettingsPage::LocatorSettingsPage() { setId(Constants::FILTER_OPTIONS_PAGE); - setDisplayName(QCoreApplication::translate("::Core", Constants::FILTER_OPTIONS_PAGE)); + setDisplayName(Tr::tr(Constants::FILTER_OPTIONS_PAGE)); setCategory(Constants::SETTINGS_CATEGORY_CORE); setWidgetCreator([] { return new LocatorSettingsWidget; }); } diff --git a/src/plugins/cppcheck/cppcheckoptions.cpp b/src/plugins/cppcheck/cppcheckoptions.cpp index 217a8e9063f..11563430cc1 100644 --- a/src/plugins/cppcheck/cppcheckoptions.cpp +++ b/src/plugins/cppcheck/cppcheckoptions.cpp @@ -18,6 +18,7 @@ #include #include +#include #include #include @@ -126,7 +127,7 @@ CppcheckOptionsPage::CppcheckOptionsPage(CppcheckTool &tool, CppcheckTrigger &tr setId(Constants::OPTIONS_PAGE_ID); setDisplayName(Tr::tr("Cppcheck")); setCategory("T.Analyzer"); - setDisplayCategory(QCoreApplication::translate("::Debugger", "Analyzer")); + setDisplayCategory(::Debugger::Tr::tr("Analyzer")); setCategoryIconPath(Analyzer::Icons::SETTINGSCATEGORY_ANALYZER); CppcheckOptions options; diff --git a/src/plugins/cppeditor/cppcurrentdocumentfilter.cpp b/src/plugins/cppeditor/cppcurrentdocumentfilter.cpp index 6c7c4448069..0285fd71fd1 100644 --- a/src/plugins/cppeditor/cppcurrentdocumentfilter.cpp +++ b/src/plugins/cppeditor/cppcurrentdocumentfilter.cpp @@ -4,6 +4,7 @@ #include "cppcurrentdocumentfilter.h" #include "cppeditorconstants.h" +#include "cppeditortr.h" #include "cppmodelmanager.h" #include @@ -20,8 +21,7 @@ CppCurrentDocumentFilter::CppCurrentDocumentFilter(CppModelManager *manager) : m_modelManager(manager) { setId(Constants::CURRENT_DOCUMENT_FILTER_ID); - setDisplayName(QCoreApplication::translate("::CppEditor", - Constants::CURRENT_DOCUMENT_FILTER_DISPLAY_NAME)); + setDisplayName(Tr::tr(Constants::CURRENT_DOCUMENT_FILTER_DISPLAY_NAME)); setDefaultShortcutString("."); setPriority(High); setDefaultIncludedByDefault(false); diff --git a/src/plugins/debugger/console/console.cpp b/src/plugins/debugger/console/console.cpp index 72fecca154f..b1c3767f0e9 100644 --- a/src/plugins/debugger/console/console.cpp +++ b/src/plugins/debugger/console/console.cpp @@ -18,7 +18,6 @@ #include #include -#include #include #include #include @@ -256,8 +255,7 @@ void Console::evaluate(const QString &expression) m_scriptEvaluator(expression); } else { auto item = new ConsoleItem( - ConsoleItem::ErrorType, - QCoreApplication::translate("::Debugger", "Can only evaluate during a debug session.")); + ConsoleItem::ErrorType, Tr::tr("Can only evaluate during a debug session.")); m_consoleItemModel->shiftEditableRow(); printItem(item); } diff --git a/src/plugins/debugger/debuggerplugin.cpp b/src/plugins/debugger/debuggerplugin.cpp index 8180395d403..cec06c16b0c 100644 --- a/src/plugins/debugger/debuggerplugin.cpp +++ b/src/plugins/debugger/debuggerplugin.cpp @@ -1063,19 +1063,19 @@ DebuggerPluginPrivate::DebuggerPluginPrivate(const QStringList &arguments) debugMenu->addSeparator(); act = new QAction(this); - act->setText(QCoreApplication::translate("::Debugger", "Move to Calling Frame")); + act->setText(Tr::tr("Move to Calling Frame")); act->setEnabled(false); act->setVisible(false); ActionManager::registerAction(act, Constants::FRAME_UP); act = new QAction(this); - act->setText(QCoreApplication::translate("::Debugger", "Move to Called Frame")); + act->setText(Tr::tr("Move to Called Frame")); act->setEnabled(false); act->setVisible(false); ActionManager::registerAction(act, Constants::FRAME_DOWN); act = new QAction(this); - act->setText(QCoreApplication::translate("::Debugger", "Operate by Instruction")); + act->setText(Tr::tr("Operate by Instruction")); act->setEnabled(false); act->setVisible(false); act->setCheckable(true); diff --git a/src/plugins/designer/formeditorplugin.cpp b/src/plugins/designer/formeditorplugin.cpp index 50a5f4a8df5..8d26f27f0fb 100644 --- a/src/plugins/designer/formeditorplugin.cpp +++ b/src/plugins/designer/formeditorplugin.cpp @@ -18,6 +18,7 @@ #include #include #include +#include #include #include #include @@ -65,8 +66,7 @@ void FormEditorPlugin::initialize() IWizardFactory::registerFactoryCreator([]() -> IWizardFactory * { IWizardFactory *wizard = new FormClassWizard; wizard->setCategory(Core::Constants::WIZARD_CATEGORY_QT); - wizard->setDisplayCategory( - QCoreApplication::translate("::Core", Core::Constants::WIZARD_TR_CATEGORY_QT)); + wizard->setDisplayCategory(::Core::Tr::tr(Core::Constants::WIZARD_TR_CATEGORY_QT)); wizard->setDisplayName(Tr::tr("Qt Designer Form Class")); wizard->setIcon({}, "ui/h"); wizard->setId("C.FormClass"); diff --git a/src/plugins/designer/formtemplatewizardpage.cpp b/src/plugins/designer/formtemplatewizardpage.cpp index a77b5b4321b..c6417522f44 100644 --- a/src/plugins/designer/formtemplatewizardpage.cpp +++ b/src/plugins/designer/formtemplatewizardpage.cpp @@ -6,11 +6,11 @@ #include "formtemplatewizardpage.h" #include +#include #include #include -#include #include #include #include @@ -46,8 +46,8 @@ bool FormPageFactory::validateData(Utils::Id typeId, const QVariant &data, QStri { QTC_ASSERT(canCreate(typeId), return false); if (!data.isNull() && (data.type() != QVariant::Map || !data.toMap().isEmpty())) { - *errorMessage = QCoreApplication::translate("::ProjectExplorer", - "\"data\" for a \"Form\" page needs to be unset or an empty object."); + *errorMessage = ::ProjectExplorer::Tr::tr( + "\"data\" for a \"Form\" page needs to be unset or an empty object."); return false; } diff --git a/src/plugins/docker/dockerdevice.cpp b/src/plugins/docker/dockerdevice.cpp index 5c11a0e7dc7..2a955f131fe 100644 --- a/src/plugins/docker/dockerdevice.cpp +++ b/src/plugins/docker/dockerdevice.cpp @@ -20,6 +20,7 @@ #include #include #include +#include #include #include #include @@ -976,7 +977,7 @@ public: m_log->setVisible(dockerDeviceLog().isDebugEnabled()); const QString fail = QString{"Docker: "} - + QCoreApplication::translate("::Debugger", "Process failed to start."); + + ::ProjectExplorer::Tr::tr("The process failed to start."); auto errorLabel = new Utils::InfoLabel(fail, Utils::InfoLabel::Error, this); errorLabel->setVisible(false); diff --git a/src/plugins/help/helpwidget.cpp b/src/plugins/help/helpwidget.cpp index d0b822ecfe0..571964d0b3e 100644 --- a/src/plugins/help/helpwidget.cpp +++ b/src/plugins/help/helpwidget.cpp @@ -20,19 +20,19 @@ #include #include #include -#include +#include #include +#include #include #include -#include #include +#include #include #include #include #include #include -#include #include #include #include @@ -223,18 +223,15 @@ HelpWidget::HelpWidget(const Core::Context &context, WidgetStyle style, QWidget if (style != SideBarWidget) { m_toggleSideBarAction = new QAction(Utils::Icons::TOGGLE_LEFT_SIDEBAR_TOOLBAR.icon(), - QCoreApplication::translate("::Core", - Core::Constants::TR_SHOW_LEFT_SIDEBAR), - toolBar); + Tr::tr(Core::Constants::TR_SHOW_LEFT_SIDEBAR), toolBar); m_toggleSideBarAction->setCheckable(true); m_toggleSideBarAction->setChecked(false); cmd = Core::ActionManager::registerAction(m_toggleSideBarAction, Core::Constants::TOGGLE_LEFT_SIDEBAR, context); connect(m_toggleSideBarAction, &QAction::toggled, m_toggleSideBarAction, [this](bool checked) { - m_toggleSideBarAction->setText( - QCoreApplication::translate("::Core", - checked ? Core::Constants::TR_HIDE_LEFT_SIDEBAR - : Core::Constants::TR_SHOW_LEFT_SIDEBAR)); + m_toggleSideBarAction->setText(::Core::Tr::tr( + checked ? Core::Constants::TR_HIDE_LEFT_SIDEBAR + : Core::Constants::TR_SHOW_LEFT_SIDEBAR)); }); addSideBar(); m_toggleSideBarAction->setChecked(m_sideBar->isVisibleTo(this)); diff --git a/src/plugins/languageclient/languageclientoutline.cpp b/src/plugins/languageclient/languageclientoutline.cpp index 9ab057de62f..0d7ae8c3715 100644 --- a/src/plugins/languageclient/languageclientoutline.cpp +++ b/src/plugins/languageclient/languageclientoutline.cpp @@ -13,6 +13,7 @@ #include #include #include +#include #include #include #include @@ -388,8 +389,7 @@ OutlineComboBox::OutlineComboBox(Client *client, TextEditor::BaseTextEditor *edi setMaxVisibleItems(40); setContextMenuPolicy(Qt::ActionsContextMenu); - const QString sortActionText - = QCoreApplication::translate("::TextEditor", "Sort Alphabetically"); + const QString sortActionText = ::TextEditor::Tr::tr("Sort Alphabetically"); auto sortAction = new QAction(sortActionText, this); sortAction->setCheckable(true); sortAction->setChecked(sorted); diff --git a/src/plugins/perfprofiler/perfoptionspage.cpp b/src/plugins/perfprofiler/perfoptionspage.cpp index c67d18d63f7..e295a5be489 100644 --- a/src/plugins/perfprofiler/perfoptionspage.cpp +++ b/src/plugins/perfprofiler/perfoptionspage.cpp @@ -7,6 +7,7 @@ #include "perfprofilertr.h" #include +#include namespace PerfProfiler { namespace Internal { @@ -16,7 +17,7 @@ PerfOptionsPage::PerfOptionsPage(PerfSettings *settings) setId(Constants::PerfSettingsId); setDisplayName(Tr::tr("CPU Usage")); setCategory("T.Analyzer"); - setDisplayCategory(QCoreApplication::translate("::Debugger", "Analyzer")); + setDisplayCategory(::Debugger::Tr::tr("Analyzer")); setCategoryIconPath(Analyzer::Icons::SETTINGSCATEGORY_ANALYZER); setWidgetCreator([settings] { return new PerfConfigWidget(settings); }); } diff --git a/src/plugins/projectexplorer/projectexplorer.cpp b/src/plugins/projectexplorer/projectexplorer.cpp index 0cfd8a89261..622b18b31eb 100644 --- a/src/plugins/projectexplorer/projectexplorer.cpp +++ b/src/plugins/projectexplorer/projectexplorer.cpp @@ -90,6 +90,7 @@ #include #include #include +#include #include #include #include @@ -3358,8 +3359,7 @@ void ProjectExplorerPluginPrivate::updateRecentProjectMenu() // add the Clear Menu item if (hasRecentProjects) { menu->addSeparator(); - QAction *action = menu->addAction(QCoreApplication::translate( - "::Core", Core::Constants::TR_CLEAR_MENU)); + QAction *action = menu->addAction(::Core::Tr::tr(Core::Constants::TR_CLEAR_MENU)); connect(action, &QAction::triggered, this, &ProjectExplorerPluginPrivate::clearRecentProjects); } diff --git a/src/plugins/projectexplorer/projectwindow.cpp b/src/plugins/projectexplorer/projectwindow.cpp index 6adcefd342a..afe2b45e7e7 100644 --- a/src/plugins/projectexplorer/projectwindow.cpp +++ b/src/plugins/projectexplorer/projectwindow.cpp @@ -22,6 +22,7 @@ #include #include #include +#include #include #include #include @@ -619,10 +620,8 @@ public: m_toggleRightSidebarAction.setCheckable(true); m_toggleRightSidebarAction.setChecked(true); const auto toolTipText = [](bool checked) { - return checked ? QCoreApplication::translate("::Core", - Core::Constants::TR_HIDE_RIGHT_SIDEBAR) - : QCoreApplication::translate("::Core", - Core::Constants::TR_SHOW_RIGHT_SIDEBAR); + return checked ? ::Core::Tr::tr(Core::Constants::TR_HIDE_RIGHT_SIDEBAR) + : ::Core::Tr::tr(Core::Constants::TR_SHOW_RIGHT_SIDEBAR); }; m_toggleRightSidebarAction.setText(toolTipText(false)); // always "Show Right Sidebar" m_toggleRightSidebarAction.setToolTip(toolTipText(m_toggleRightSidebarAction.isChecked())); diff --git a/src/plugins/qmldesigner/qmldesignerplugin.cpp b/src/plugins/qmldesigner/qmldesignerplugin.cpp index 71930d5ea17..7b1fdbe092a 100644 --- a/src/plugins/qmldesigner/qmldesignerplugin.cpp +++ b/src/plugins/qmldesigner/qmldesignerplugin.cpp @@ -2,6 +2,7 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "qmldesignerplugin.h" +#include "qmldesignertr.h" #include "coreplugin/iwizardfactory.h" #include "designmodecontext.h" #include "designmodewidget.h" @@ -63,7 +64,6 @@ #include #include -#include #include #include #include @@ -254,8 +254,7 @@ bool QmlDesignerPlugin::initialize(const QStringList & /*arguments*/, QString *e .toBool()); Exception::setShowExceptionCallback([&](QStringView title, QStringView description) { - QString composedTitle = title.isEmpty() ? QCoreApplication::translate("::QmlDesigner", "Error") - : title.toString(); + const QString composedTitle = title.isEmpty() ? Tr::tr("Error") : title.toString(); Core::AsynchronousMessageBox::warning(composedTitle, description.toString()); }); diff --git a/src/plugins/qmlprofiler/qmlprofilersettings.cpp b/src/plugins/qmlprofiler/qmlprofilersettings.cpp index 62fba256d8a..481a88ab323 100644 --- a/src/plugins/qmlprofiler/qmlprofilersettings.cpp +++ b/src/plugins/qmlprofiler/qmlprofilersettings.cpp @@ -9,6 +9,7 @@ #include #include +#include #include @@ -82,7 +83,7 @@ QmlProfilerOptionsPage::QmlProfilerOptionsPage() setId(Constants::SETTINGS); setDisplayName(Tr::tr("QML Profiler")); setCategory("T.Analyzer"); - setDisplayCategory(Tr::tr("Analyzer")); + setDisplayCategory(::Debugger::Tr::tr("Analyzer")); setCategoryIconPath(Analyzer::Icons::SETTINGSCATEGORY_ANALYZER); } diff --git a/src/plugins/qtsupport/codegensettingspage.cpp b/src/plugins/qtsupport/codegensettingspage.cpp index 7291487c491..8e0a3cfca08 100644 --- a/src/plugins/qtsupport/codegensettingspage.cpp +++ b/src/plugins/qtsupport/codegensettingspage.cpp @@ -10,6 +10,7 @@ #include #include +#include #include @@ -117,8 +118,7 @@ CodeGenSettingsPage::CodeGenSettingsPage() setId(Constants::CODEGEN_SETTINGS_PAGE_ID); setDisplayName(Tr::tr("Qt Class Generation")); setCategory(CppEditor::Constants::CPP_SETTINGS_CATEGORY); - setDisplayCategory( - QCoreApplication::translate("::CppEditor", CppEditor::Constants::CPP_SETTINGS_NAME)); + setDisplayCategory(::CppEditor::Tr::tr(CppEditor::Constants::CPP_SETTINGS_NAME)); setCategoryIconPath(":/projectexplorer/images/settingscategory_cpp.png"); setWidgetCreator([] { return new CodeGenSettingsPageWidget; }); } diff --git a/src/plugins/texteditor/snippets/snippetscollection.cpp b/src/plugins/texteditor/snippets/snippetscollection.cpp index c9b148360b7..be658c14777 100644 --- a/src/plugins/texteditor/snippets/snippetscollection.cpp +++ b/src/plugins/texteditor/snippets/snippetscollection.cpp @@ -356,7 +356,7 @@ QList SnippetsCollection::readXML(const FilePath &fileName, const QStri } else if (isGroupKnown(groupId) && (snippetId.isEmpty() || snippetId == id)) { Snippet snippet(groupId, id); snippet.setTrigger(trigger); - snippet.setComplement(QCoreApplication::translate("::TextEditor", + snippet.setComplement(Tr::tr( atts.value(kComplement).toString().toLatin1(), atts.value(kId).toString().toLatin1())); snippet.setIsRemoved(toBool(atts.value(kRemoved).toString())); diff --git a/src/plugins/valgrind/valgrindconfigwidget.cpp b/src/plugins/valgrind/valgrindconfigwidget.cpp index ebcda20fdd0..d8999c9e690 100644 --- a/src/plugins/valgrind/valgrindconfigwidget.cpp +++ b/src/plugins/valgrind/valgrindconfigwidget.cpp @@ -6,6 +6,7 @@ #include "valgrindtr.h" #include +#include #include @@ -90,7 +91,7 @@ ValgrindOptionsPage::ValgrindOptionsPage() setId(ANALYZER_VALGRIND_SETTINGS); setDisplayName(Tr::tr("Valgrind")); setCategory("T.Analyzer"); - setDisplayCategory(Tr::tr("Analyzer")); + setDisplayCategory(::Debugger::Tr::tr("Analyzer")); setCategoryIconPath(Analyzer::Icons::SETTINGSCATEGORY_ANALYZER); setWidgetCreator([] { return new ValgrindConfigWidget(ValgrindGlobalSettings::instance()); }); } diff --git a/src/plugins/vcsbase/basevcseditorfactory.cpp b/src/plugins/vcsbase/basevcseditorfactory.cpp index 463202f87bd..cbcfd2f86f5 100644 --- a/src/plugins/vcsbase/basevcseditorfactory.cpp +++ b/src/plugins/vcsbase/basevcseditorfactory.cpp @@ -2,7 +2,9 @@ // SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0 #include "basevcseditorfactory.h" + #include "vcsbaseeditor.h" +#include "vcsbasetr.h" #include #include @@ -11,7 +13,6 @@ #include #include -#include #include using namespace TextEditor; @@ -33,7 +34,7 @@ VcsEditorFactory::VcsEditorFactory(const VcsBaseEditorParameters *parameters, std::function describeFunc) { setId(parameters->id); - setDisplayName(QCoreApplication::translate("::VcsBase", parameters->displayName)); + setDisplayName(Tr::tr(parameters->displayName)); if (QLatin1String(parameters->mimeType) != QLatin1String(DiffEditor::Constants::DIFF_EDITOR_MIMETYPE)) addMimeType(QLatin1String(parameters->mimeType)); diff --git a/src/plugins/vcsbase/vcsbasesubmiteditor.cpp b/src/plugins/vcsbase/vcsbasesubmiteditor.cpp index 282609c0f71..00c46fbce16 100644 --- a/src/plugins/vcsbase/vcsbasesubmiteditor.cpp +++ b/src/plugins/vcsbase/vcsbasesubmiteditor.cpp @@ -151,7 +151,7 @@ void VcsBaseSubmitEditor::setParameters(const VcsBaseSubmitEditorParameters &par d->m_file.setMimeType(QLatin1String(parameters.mimeType)); setWidget(d->m_widget); - document()->setPreferredDisplayName(QCoreApplication::translate("::VcsBase", d->m_parameters.displayName)); + document()->setPreferredDisplayName(Tr::tr(d->m_parameters.displayName)); // Message font according to settings CompletingTextEdit *descriptionEdit = d->m_widget->descriptionEdit(); From 9f2f2f3390fe88b120073be9a08da66cbdc95552 Mon Sep 17 00:00:00 2001 From: Alessandro Portale Date: Fri, 10 Feb 2023 16:15:49 +0100 Subject: [PATCH 16/36] Translations: Change translation context prefix from "::" to "QtC::" lupdate would be confused by translation contexts starting with :: Change-Id: Ie95e73436fd3cafc80a8e89f908efadc747e644c Reviewed-by: hjk --- .../content/InstallQdsStatusBlock.ui.qml | 6 +- .../content/ProjectInfoStatusBlock.ui.qml | 14 +- .../landingpage/content/Screen01.ui.qml | 12 +- share/qtcreator/translations/qtcreator_cs.ts | 950 +++++++++--------- share/qtcreator/translations/qtcreator_da.ts | 324 +++--- share/qtcreator/translations/qtcreator_de.ts | 650 ++++++------ share/qtcreator/translations/qtcreator_es.ts | 168 ++-- share/qtcreator/translations/qtcreator_fr.ts | 922 ++++++++--------- share/qtcreator/translations/qtcreator_hr.ts | 336 +++---- share/qtcreator/translations/qtcreator_hu.ts | 118 +-- share/qtcreator/translations/qtcreator_it.ts | 168 ++-- share/qtcreator/translations/qtcreator_ja.ts | 682 ++++++------- share/qtcreator/translations/qtcreator_pl.ts | 926 ++++++++--------- share/qtcreator/translations/qtcreator_ru.ts | 364 +++---- share/qtcreator/translations/qtcreator_sl.ts | 462 ++++----- share/qtcreator/translations/qtcreator_uk.ts | 778 +++++++------- .../qtcreator/translations/qtcreator_zh_CN.ts | 276 ++--- .../qtcreator/translations/qtcreator_zh_TW.ts | 624 ++++++------ .../advanceddockingsystemtr.h | 2 +- src/libs/extensionsystem/extensionsystemtr.h | 2 +- .../languageserverprotocol/jsonrpcmessages.h | 6 +- .../languageserverprotocoltr.h | 2 +- src/libs/modelinglib/modelinglibtr.h | 2 +- src/libs/qmldebug/qmldebugtr.h | 2 +- .../qmleditorwidgets/qmleditorwidgetstr.h | 2 +- src/libs/qmljs/qmljstr.h | 2 +- src/libs/tracing/qml/ButtonsBar.qml | 10 +- src/libs/tracing/qml/CategoryLabel.qml | 4 +- src/libs/tracing/qml/FlameGraphView.qml | 6 +- src/libs/tracing/qml/RangeDetails.qml | 8 +- src/libs/tracing/qml/RowLabel.qml | 2 +- .../tracing/qml/SelectionRangeDetails.qml | 10 +- src/libs/tracing/tracingtr.h | 2 +- src/libs/utils/utilstr.h | 2 +- src/plugins/android/androidtr.h | 2 +- src/plugins/autotest/autotesttr.h | 2 +- .../autotest/boost/boosttestconstants.h | 2 +- src/plugins/autotest/gtest/gtestconstants.h | 2 +- src/plugins/autotest/qtest/qttestconstants.h | 2 +- src/plugins/autotest/testrunconfiguration.h | 2 +- .../autotoolsprojectmanagertr.h | 2 +- src/plugins/baremetal/baremetaltr.h | 2 +- src/plugins/bazaar/bazaarplugin.cpp | 2 +- src/plugins/bazaar/bazaartr.h | 2 +- src/plugins/bazaar/constants.h | 6 +- .../artisticstyle/artisticstyleconstants.h | 2 +- src/plugins/beautifier/beautifiertr.h | 2 +- .../clangformat/clangformatconstants.h | 2 +- .../uncrustify/uncrustifyconstants.h | 2 +- src/plugins/bineditor/bineditortr.h | 2 +- src/plugins/bookmarks/bookmarkstr.h | 2 +- src/plugins/boot2qt/qdbtr.h | 2 +- src/plugins/clangcodemodel/clangcodemodeltr.h | 2 +- src/plugins/clangformat/clangformattr.h | 2 +- .../clangtools/clangtoolslogfilereader.cpp | 4 +- src/plugins/clangtools/clangtoolstr.h | 2 +- src/plugins/classview/classviewtr.h | 2 +- src/plugins/clearcase/clearcaseconstants.h | 2 +- src/plugins/clearcase/clearcaseplugin.cpp | 6 +- src/plugins/clearcase/clearcasetr.h | 2 +- .../cmakeprojectmanagertr.h | 2 +- src/plugins/coco/cocotr.h | 2 +- .../compilationdatabaseproject.cpp | 2 +- .../compilationdatabaseprojectmanagertr.h | 2 +- src/plugins/conan/conantr.h | 2 +- src/plugins/coreplugin/coreconstants.h | 12 +- src/plugins/coreplugin/coreplugintr.h | 2 +- src/plugins/coreplugin/documentmanager.cpp | 4 +- .../coreplugin/locator/locatorconstants.h | 2 +- src/plugins/cpaster/cpastertr.h | 2 +- src/plugins/cppcheck/cppchecktr.h | 2 +- src/plugins/cppeditor/cppeditorconstants.h | 16 +- src/plugins/cppeditor/cppeditortr.h | 2 +- src/plugins/cppeditor/cppfilesettingspage.cpp | 2 +- src/plugins/cppeditor/cppoutlinemodel.cpp | 4 +- src/plugins/ctfvisualizer/ctfvisualizertool.h | 2 +- src/plugins/ctfvisualizer/ctfvisualizertr.h | 2 +- src/plugins/cvs/cvsplugin.cpp | 10 +- src/plugins/cvs/cvstr.h | 2 +- src/plugins/debugger/cdb/cdboptionspage.cpp | 12 +- src/plugins/debugger/debuggertr.h | 2 +- src/plugins/designer/designerconstants.h | 4 +- src/plugins/designer/designertr.h | 2 +- src/plugins/diffeditor/diffeditortr.h | 2 +- src/plugins/docker/dockertr.h | 2 +- src/plugins/emacskeys/emacskeystr.h | 2 +- src/plugins/fakevim/fakevimtr.h | 2 +- src/plugins/fossil/constants.h | 8 +- src/plugins/fossil/fossiltr.h | 2 +- .../genericprojectmanagertr.h | 2 +- src/plugins/git/gitconstants.h | 14 +- src/plugins/git/gittr.h | 2 +- src/plugins/gitlab/gitlabtr.h | 2 +- src/plugins/glsleditor/glsleditortr.h | 2 +- src/plugins/helloworld/helloworldtr.h | 2 +- src/plugins/help/helpconstants.h | 14 +- src/plugins/help/helptr.h | 2 +- src/plugins/imageviewer/imageviewertr.h | 2 +- src/plugins/incredibuild/incredibuildtr.h | 2 +- src/plugins/ios/iostr.h | 2 +- .../languageclient/languageclient_global.h | 10 +- src/plugins/languageclient/languageclienttr.h | 2 +- src/plugins/macros/macrostr.h | 2 +- src/plugins/marketplace/marketplacetr.h | 2 +- src/plugins/mcusupport/mcusupporttr.h | 2 +- src/plugins/mercurial/constants.h | 8 +- src/plugins/mercurial/mercurialtr.h | 2 +- .../mesonprojectmanager/mesonactionsmanager.h | 4 +- .../mesonprojectmanagertr.h | 2 +- src/plugins/modeleditor/modeleditortr.h | 2 +- src/plugins/nim/nimconstants.h | 2 +- src/plugins/nim/nimtr.h | 2 +- src/plugins/perforce/perforceplugin.cpp | 8 +- src/plugins/perforce/perforcetr.h | 2 +- .../perfprofilerstatisticsmodel.cpp | 26 +- src/plugins/perfprofiler/perfprofilertool.h | 2 +- src/plugins/perfprofiler/perfprofilertr.h | 2 +- .../projectexplorer/compileoutputwindow.h | 2 +- .../projectexplorerconstants.h | 8 +- .../projectexplorer/projectexplorertr.h | 2 +- .../projectexplorer/projectwelcomepage.h | 2 +- src/plugins/python/pythontr.h | 2 +- .../qbsprojectmanagerconstants.h | 2 +- .../qbsprojectmanager/qbsprojectmanagertr.h | 2 +- .../qmakenodetreebuilder.cpp | 14 +- .../qmakeprojectmanagertr.h | 2 +- src/plugins/qmldesigner/qmldesignertr.h | 2 +- src/plugins/qmljseditor/qmljseditortr.h | 2 +- src/plugins/qmljstools/qmljstoolsconstants.h | 2 +- src/plugins/qmljstools/qmljstoolstr.h | 2 +- src/plugins/qmlpreview/qmlpreviewtr.h | 2 +- .../qmlprofiler/debugmessagesmodel.cpp | 10 +- .../qmlprofiler/qmlprofilermodelmanager.cpp | 26 +- src/plugins/qmlprofiler/qmlprofilertr.h | 2 +- src/plugins/qmlprofiler/quick3dmodel.cpp | 34 +- .../qmlprofiler/scenegraphtimelinemodel.cpp | 46 +- .../tests/debugmessagesmodel_test.cpp | 10 +- .../qmlprojectmanager/qmlmainfileaspect.cpp | 2 +- .../qmlprojectmanager/qmlprojectmanagertr.h | 2 +- src/plugins/qnx/qnxtr.h | 2 +- src/plugins/qtsupport/externaleditors.cpp | 2 +- src/plugins/qtsupport/qtsupporttr.h | 2 +- src/plugins/remotelinux/remotelinuxtr.h | 2 +- src/plugins/resourceeditor/resourceeditortr.h | 2 +- src/plugins/scxmleditor/common/search.h | 2 +- src/plugins/scxmleditor/scxmleditortr.h | 2 +- .../serialterminal/serialterminalconstants.h | 2 +- src/plugins/serialterminal/serialterminaltr.h | 2 +- src/plugins/silversearcher/silversearchertr.h | 2 +- .../squish/deletesymbolicnamedialog.cpp | 2 +- src/plugins/squish/squishtr.h | 2 +- src/plugins/studiowelcome/studiowelcometr.h | 2 +- src/plugins/subversion/subversionconstants.h | 6 +- src/plugins/subversion/subversiontr.h | 2 +- src/plugins/texteditor/texteditortr.h | 2 +- src/plugins/todo/todotr.h | 2 +- src/plugins/updateinfo/updateinfotr.h | 2 +- src/plugins/valgrind/valgrindtr.h | 2 +- src/plugins/vcsbase/vcsbasetr.h | 2 +- src/plugins/webassembly/webassemblytr.h | 2 +- src/plugins/welcome/welcometr.h | 2 +- 161 files changed, 4185 insertions(+), 4185 deletions(-) diff --git a/share/qtcreator/qmldesigner/landingpage/content/InstallQdsStatusBlock.ui.qml b/share/qtcreator/qmldesigner/landingpage/content/InstallQdsStatusBlock.ui.qml index f12372b0ff9..1cec8b2adae 100644 --- a/share/qtcreator/qmldesigner/landingpage/content/InstallQdsStatusBlock.ui.qml +++ b/share/qtcreator/qmldesigner/landingpage/content/InstallQdsStatusBlock.ui.qml @@ -35,19 +35,19 @@ Rectangle { width: parent.width topPadding: 0 padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "No Qt Design Studio installation found") + text: qsTranslate("QtC::QmlProjectManager", "No Qt Design Studio installation found") } PageText { id: suggestionText width: parent.width padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "Would you like to install it now?") + text: qsTranslate("QtC::QmlProjectManager", "Would you like to install it now?") } PushButton { id: installButton - text: qsTranslate("::QmlProjectManager", "Install") + text: qsTranslate("QtC::QmlProjectManager", "Install") anchors.horizontalCenter: parent.horizontalCenter } } diff --git a/share/qtcreator/qmldesigner/landingpage/content/ProjectInfoStatusBlock.ui.qml b/share/qtcreator/qmldesigner/landingpage/content/ProjectInfoStatusBlock.ui.qml index 4704d8399f2..ac6b173416f 100644 --- a/share/qtcreator/qmldesigner/landingpage/content/ProjectInfoStatusBlock.ui.qml +++ b/share/qtcreator/qmldesigner/landingpage/content/ProjectInfoStatusBlock.ui.qml @@ -19,8 +19,8 @@ Rectangle { property bool qdsInstalled: qdsVersionText.text.length > 0 property bool projectFileExists: false - property string qtVersion: qsTranslate("::QmlProjectManager", "Unknown") - property string qdsVersion: qsTranslate("::QmlProjectManager", "Unknown") + property string qtVersion: qsTranslate("QtC::QmlProjectManager", "Unknown") + property string qdsVersion: qsTranslate("QtC::QmlProjectManager", "Unknown") property alias generateProjectFileButton: generateProjectFileButton color: Theme.Colors.backgroundSecondary @@ -41,7 +41,7 @@ Rectangle { PageText { id: projectFileInfoTitle width: parent.width - text: qsTranslate("::QmlProjectManager", "QML PROJECT FILE INFO") + text: qsTranslate("QtC::QmlProjectManager", "QML PROJECT FILE INFO") } Column { @@ -53,14 +53,14 @@ Rectangle { id: qtVersionText width: parent.width padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "Qt Version - ") + root.qtVersion + text: qsTranslate("QtC::QmlProjectManager", "Qt Version - ") + root.qtVersion } PageText { id: qdsVersionText width: parent.width padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "Qt Design Studio Version - ") + root.qdsVersion + text: qsTranslate("QtC::QmlProjectManager", "Qt Design Studio Version - ") + root.qdsVersion } } @@ -73,12 +73,12 @@ Rectangle { id: projectFileInfoMissingText width: parent.width padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "No QML project file found - Would you like to create one?") + text: qsTranslate("QtC::QmlProjectManager", "No QML project file found - Would you like to create one?") } PushButton { id: generateProjectFileButton - text: qsTranslate("::QmlProjectManager", "Generate") + text: qsTranslate("QtC::QmlProjectManager", "Generate") anchors.horizontalCenter: parent.horizontalCenter } } diff --git a/share/qtcreator/qmldesigner/landingpage/content/Screen01.ui.qml b/share/qtcreator/qmldesigner/landingpage/content/Screen01.ui.qml index 6929a3ec6ac..08c8feb4927 100644 --- a/share/qtcreator/qmldesigner/landingpage/content/Screen01.ui.qml +++ b/share/qtcreator/qmldesigner/landingpage/content/Screen01.ui.qml @@ -101,7 +101,7 @@ Rectangle { Text { id: qdsText anchors.horizontalCenter: parent.horizontalCenter - text: qsTranslate("::QmlProjectManager", "Qt Design Studio") + text: qsTranslate("QtC::QmlProjectManager", "Qt Design Studio") font.pixelSize: Theme.Values.fontSizeTitle font.family: Theme.Values.baseFont color: Theme.Colors.text @@ -150,13 +150,13 @@ Rectangle { id: openQdsText width: buttonBoxGrid.tmpWidth padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "Open with Qt Design Studio") + text: qsTranslate("QtC::QmlProjectManager", "Open with Qt Design Studio") wrapMode: Text.NoWrap } PushButton { id: openQds - text: qsTranslate("::QmlProjectManager", "Open") + text: qsTranslate("QtC::QmlProjectManager", "Open") enabled: LandingPageApi.qdsInstalled anchors.horizontalCenter: parent.horizontalCenter } @@ -170,20 +170,20 @@ Rectangle { id: openQtcText width: buttonBoxGrid.tmpWidth padding: Theme.Values.spacing - text: qsTranslate("::QmlProjectManager", "Open with Qt Creator - Text Mode") + text: qsTranslate("QtC::QmlProjectManager", "Open with Qt Creator - Text Mode") wrapMode: Text.NoWrap } PushButton { id: openQtc - text: qsTranslate("::QmlProjectManager", "Open") + text: qsTranslate("QtC::QmlProjectManager", "Open") anchors.horizontalCenter: parent.horizontalCenter } } CustomCheckBox { id: rememberCheckbox - text: qsTranslate("::QmlProjectManager", "Remember my choice") + text: qsTranslate("QtC::QmlProjectManager", "Remember my choice") font.family: Theme.Values.baseFont Layout.columnSpan: buttonBoxGrid.columns Layout.alignment: Qt.AlignHCenter diff --git a/share/qtcreator/translations/qtcreator_cs.ts b/share/qtcreator/translations/qtcreator_cs.ts index 1608d5b72aa..974ba86ece2 100644 --- a/share/qtcreator/translations/qtcreator_cs.ts +++ b/share/qtcreator/translations/qtcreator_cs.ts @@ -33,7 +33,7 @@ - ::BinEditor + QtC::BinEditor &Undo &Zpět @@ -44,7 +44,7 @@ - ::Bookmarks + QtC::Bookmarks Add Bookmark Přidat záložku @@ -234,14 +234,14 @@ - ::Debugger + QtC::Debugger Ignore count: Zastavit teprve po: - ::CMakeProjectManager + QtC::CMakeProjectManager Clear system environment Vyprázdnit prostředí systému @@ -493,7 +493,7 @@ - ::CppEditor + QtC::CppEditor <Select Symbol> <Vybrat symbol> @@ -523,7 +523,7 @@ - ::CodePaster + QtC::CodePaster &Code Pasting &Vkládání kódu @@ -698,7 +698,7 @@ - ::TextEditor + QtC::TextEditor Code Completion Doplnění kódu @@ -777,7 +777,7 @@ - ::Help + QtC::Help Open Link as New Page Otevřít odkaz jako novou stránku @@ -788,7 +788,7 @@ - ::Core + QtC::Core File Generation Failure Chyba při vytváření souboru @@ -1842,7 +1842,7 @@ Chcete je nechat přepsat? - ::CppEditor + QtC::CppEditor Sort alphabetically Roztřídit podle abecedy @@ -2133,7 +2133,7 @@ Chcete je nechat přepsat? - ::Debugger + QtC::Debugger Common Společné @@ -4217,7 +4217,7 @@ informacemi o ladění. - ::ProjectExplorer + QtC::ProjectExplorer Unable to add dependency Nepodařilo se přidat závislost @@ -4232,7 +4232,7 @@ informacemi o ladění. - ::Designer + QtC::Designer The file name is empty. Název souboru je prázdný. @@ -4558,7 +4558,7 @@ Také se automaticky nastaví správná verze Qt. - ::ExtensionSystem + QtC::ExtensionSystem Name: Název: @@ -4803,7 +4803,7 @@ Důvod: %3 - ::FakeVim + QtC::FakeVim Toggle vim-style editing Přepnout úpravy do režimu vim @@ -5357,7 +5357,7 @@ Přidat, upravit a odstranit dokumentové filtry, které v režimu nápovědy ur - ::Core + QtC::Core Search for... Hledání... @@ -5560,7 +5560,7 @@ Přidat, upravit a odstranit dokumentové filtry, které v režimu nápovědy ur - ::Debugger + QtC::Debugger Gdb interaction Výměna informací Gdb @@ -5694,7 +5694,7 @@ více času, než je nastaveno. V takovém případě by se měla hodnota zvýš - ::ProjectExplorer + QtC::ProjectExplorer Override %1: Přepsat %1: @@ -5709,7 +5709,7 @@ více času, než je nastaveno. V takovém případě by se měla hodnota zvýš - ::GenericProjectManager + QtC::GenericProjectManager <new> <nový> @@ -5813,7 +5813,7 @@ více času, než je nastaveno. V takovém případě by se měla hodnota zvýš - ::Git + QtC::Git Checkout Načíst (checkout) @@ -7591,7 +7591,7 @@ Commit now? - ::Help + QtC::Help Add new page Přidat novou stranu @@ -8028,7 +8028,7 @@ Přidat, upravit a odstranit dokumentové filtry, které v režimu nápovědy ur - ::Core + QtC::Core Filters Filtry @@ -8284,7 +8284,7 @@ ve svém .pro souboru. - ::ProjectExplorer + QtC::ProjectExplorer MyMain @@ -8313,7 +8313,7 @@ ve svém .pro souboru. - ::Perforce + QtC::Perforce Change Number Číslo změny @@ -8852,7 +8852,7 @@ ve svém .pro souboru. - ::ExtensionSystem + QtC::ExtensionSystem The plugin '%1' is specified twice for testing. Přídavný modul '%1' je ve zkušebním seznamu přítomen dvakrát. @@ -8939,7 +8939,7 @@ ve svém .pro souboru. - ::ProjectExplorer + QtC::ProjectExplorer <font color="#0000ff">Starting: %1 %2</font> @@ -9461,7 +9461,7 @@ ve svém .pro souboru. - ::Core + QtC::Core File System Souborový systém @@ -9480,7 +9480,7 @@ ve svém .pro souboru. - ::ProjectExplorer + QtC::ProjectExplorer Enter the name of the new session: Zadejte název nového sezení: @@ -10564,7 +10564,7 @@ přidat do správy verzí (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager QMake Build Configuration: Nastavení sestavování pro QMake: @@ -10640,7 +10640,7 @@ přidat do správy verzí (%2)? - ::QmlProjectManager + QtC::QmlProjectManager QML Application Program QML @@ -10699,7 +10699,7 @@ přidat do správy verzí (%2)? - ::ResourceEditor + QtC::ResourceEditor Add Přidat @@ -10722,7 +10722,7 @@ přidat do správy verzí (%2)? - ::QmakeProjectManager + QtC::QmakeProjectManager Qt4 Console Application Konzolová aplikace v Qt4 @@ -11906,7 +11906,7 @@ p, li { white-space: pre-wrap; } - ::Debugger + QtC::Debugger Found an outdated version of the debugging helper library (%1); version %2 is required. Byla nalezena zastaralá verze pomocného ladicího programu (%1). Je požadována verze %2. @@ -12197,7 +12197,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::ResourceEditor + QtC::ResourceEditor Creates a Qt Resource file (.qrc). Vytvoří zdrojový soubor Qt (.qrc). @@ -12315,7 +12315,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::ResourceEditor + QtC::ResourceEditor Invalid file Neplatný soubor @@ -12382,7 +12382,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::Core + QtC::Core Defaults Výchozí @@ -12404,7 +12404,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::Debugger + QtC::Debugger Executable: Spustitelný soubor: @@ -12495,7 +12495,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::Subversion + QtC::Subversion Subversion Command: Příkaz pro Subversion: @@ -12843,7 +12843,7 @@ Další podrobnosti hledejte v /etc/sysctl.d/10-ptrace.conf - ::TextEditor + QtC::TextEditor Search Hledat @@ -14127,7 +14127,7 @@ Nepoužije se na mezeru v poznámkách a řetězcích. - ::Help + QtC::Help Filter Filtr @@ -14154,7 +14154,7 @@ Nepoužije se na mezeru v poznámkách a řetězcích. - ::VcsBase + QtC::VcsBase Version Control Správa verzí @@ -14365,7 +14365,7 @@ p, li { white-space: pre-wrap; } - ::Utils + QtC::Utils Dialog Dialog @@ -14586,7 +14586,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Server Prefix: Předpona serveru: @@ -14615,7 +14615,7 @@ p, li { white-space: pre-wrap; } - ::CVS + QtC::CVS Prompt to submit Potvrdit předložení @@ -14682,7 +14682,7 @@ p, li { white-space: pre-wrap; } - ::Designer + QtC::Designer Form Formulář @@ -14830,7 +14830,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Show side-by-side if possible Ukázat, je-li to možné, vedle sebe @@ -14869,7 +14869,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Name: Název: @@ -14954,7 +14954,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::ProjectExplorer + QtC::ProjectExplorer Build and Run Sestavování a spuštění @@ -15113,14 +15113,14 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Welcome + QtC::Welcome Form Formulář - ::QmakeProjectManager + QtC::QmakeProjectManager Form Formulář @@ -15280,7 +15280,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Welcome + QtC::Welcome Examples not installed Příklady nenainstalovány @@ -15482,7 +15482,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::QmakeProjectManager + QtC::QmakeProjectManager Installed S60 SDKs: Nainstalované S60-SDK: @@ -15517,7 +15517,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::TextEditor + QtC::TextEditor Bold Tučné @@ -15556,7 +15556,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Welcome + QtC::Welcome News From the Qt Labs Novinky z laboratoří Qt @@ -15664,7 +15664,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Utils + QtC::Utils The class name must not contain namespace delimiters. Název třídy nesmí obsahovat znaky pro oddělení jmenného prostoru. @@ -15967,7 +15967,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::CMakeProjectManager + QtC::CMakeProjectManager Create Vytvořit @@ -16050,7 +16050,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Core + QtC::Core Preferences Nastavení @@ -16061,7 +16061,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::CodePaster + QtC::CodePaster No Server defined in the CodePaster preferences. V nastavení ke CodePaster nebyl stanoven žádný server. @@ -16100,7 +16100,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::CppEditor + QtC::CppEditor Methods in current Document Postupy v nynějším dokumentu @@ -16183,7 +16183,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::CVS + QtC::CVS Checks out a project from a CVS repository. Odhlásí projekt ze skladiště CVS. @@ -16555,7 +16555,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Debugger + QtC::Debugger Select Start Address Vybrat počáteční adresu @@ -16662,14 +16662,14 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Designer + QtC::Designer untitled Bez názvu - ::GenericProjectManager + QtC::GenericProjectManager Create Vytvořit @@ -16701,7 +16701,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Git + QtC::Git Clones a project from a git repository. Vytvoří přesnou kopii projektu ze skladiště jménem Git. @@ -16800,7 +16800,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Help + QtC::Help General settings Obecná nastavení @@ -16967,7 +16967,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::Core + QtC::Core Generic Directory Filter Obecný adresářový filtr @@ -17054,7 +17054,7 @@ Toho se dosáhne vložením této zkratky v zadávacím poli vyhledávače, nás - ::ProjectExplorer + QtC::ProjectExplorer Failed to start program. Path or permissions wrong? Program se nepodařilo spustit. Možná nesouhlasí cesta, nebo nejsou dostatečná oprávnění? @@ -17481,14 +17481,14 @@ Důvod: %2 - ::QmlProjectManager + QtC::QmlProjectManager <b>QML Make</b> <b>QML Make</b> - ::QmakeProjectManager + QtC::QmakeProjectManager <New class> <Nová třída> @@ -17547,14 +17547,14 @@ Důvod: %2 - ::Welcome + QtC::Welcome Getting Started Rychlý nástup - ::QmakeProjectManager + QtC::QmakeProjectManager Make Make @@ -18030,7 +18030,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Subversion + QtC::Subversion Checks out a project from a Subversion repository. Odhlásí projekt ze skladiště Subversion. @@ -18061,7 +18061,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::TextEditor + QtC::TextEditor Not a color scheme file. Není souborem znázornění barev. @@ -18072,7 +18072,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::VcsBase + QtC::VcsBase Cannot Open Project Chyba při otevírání projektu @@ -18167,7 +18167,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Welcome + QtC::Welcome Community Společenství @@ -18525,7 +18525,7 @@ S60 emulator run configuration default display name, %1 is base pro-File name - ::Git + QtC::Git Stashes Odložené změny @@ -18657,7 +18657,7 @@ Můžete si vybrat mezi odložením změn nebo jejich vyhozením. - ::Mercurial + QtC::Mercurial General Information Obecné informace @@ -18796,7 +18796,7 @@ Můžete si vybrat mezi odložením změn nebo jejich vyhozením. - ::ProjectExplorer + QtC::ProjectExplorer Add target Přidat cíl @@ -19796,7 +19796,7 @@ a předpokladem je, že vzdálený spustitelný soubor bude v adresáři zmiňov - ::QmakeProjectManager + QtC::QmakeProjectManager Self-signed certificate Osobně podepsaný certifikát @@ -19944,7 +19944,7 @@ a předpokladem je, že vzdálený spustitelný soubor bude v adresáři zmiňov - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. Adresář %1 se nepodařilo smazat. @@ -20671,7 +20671,7 @@ a předpokladem je, že vzdálený spustitelný soubor bude v adresáři zmiňov - ::ExtensionSystem + QtC::ExtensionSystem None Žádná @@ -20690,7 +20690,7 @@ a předpokladem je, že vzdálený spustitelný soubor bude v adresáři zmiňov - ::QmlJS + QtC::QmlJS unknown value for enum Neznámá hodnota pro 'enum' @@ -20932,7 +20932,7 @@ Pro projekty qmlproject použijte vlastnost importPaths pro přidání zaváděc - ::Utils + QtC::Utils Locked Ukotveno @@ -21003,7 +21003,7 @@ Pro projekty qmlproject použijte vlastnost importPaths pro přidání zaváděc - ::BinEditor + QtC::BinEditor Decimal unsigned value (little endian): %1 Decimal unsigned value (big endian): %2 @@ -21020,7 +21020,7 @@ Desetinná hodnota se znaménkem (velký endian): %4 - ::CMakeProjectManager + QtC::CMakeProjectManager Run CMake target CMake-Ziel ausführen @@ -21075,7 +21075,7 @@ Desetinná hodnota se znaménkem (velký endian): %4 - ::Core + QtC::Core Command Mappings Přiřazení příkazů @@ -21182,7 +21182,7 @@ Desetinná hodnota se znaménkem (velký endian): %4 - ::Core + QtC::Core Error sending input Chyba při posílání vstupních dat @@ -21270,7 +21270,7 @@ heslem, jež můžete zadat níže. - ::CodePaster + QtC::CodePaster Code Pasting Úryvky kódu @@ -21321,7 +21321,7 @@ heslem, jež můžete zadat níže. - ::CppEditor + QtC::CppEditor Rewrite Using %1 Přepsat za použití %1 @@ -21452,7 +21452,7 @@ heslem, jež můžete zadat níže. - ::VcsBase + QtC::VcsBase CVS Commit Editor Editor odevzdání (commit) pro CVS @@ -21607,14 +21607,14 @@ heslem, jež můžete zadat níže. - ::CVS + QtC::CVS Annotate revision "%1" Opatřit anotacemi revizi "%1" - ::Debugger + QtC::Debugger CDB CDB @@ -21718,7 +21718,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Designer + QtC::Designer This file can only be edited in <b>Design</b> mode. Tento soubor lze upravovat pouze v <b>Režimu návrhu</b>. @@ -21737,7 +21737,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::FakeVim + QtC::FakeVim Recursive mapping Rekurzivní přiřazení @@ -21772,7 +21772,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Core + QtC::Core &Find/Replace &Hledat/Nahradit @@ -21795,7 +21795,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::GenericProjectManager + QtC::GenericProjectManager Make Make @@ -21826,7 +21826,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Git + QtC::Git (no branch) <žádná větev> @@ -21886,7 +21886,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Help + QtC::Help <html><head><meta http-equiv="content-type" content="text/html; charset=UTF-8"><title>Error 404...</title></head><body><div align="center"><br/><br/><h1>The page could not be found</h1><br/><h3>'%1'</h3></div></body></html> <html><head><meta http-equiv="content-type" content="text/html; charset=UTF-8"><title>Error 404...</title></head><body><div align="center"><br/><br/><h1>Stránku se nepodařilo najít</h1><br/><h3>'%1'</h3></div></body></html> @@ -21913,7 +21913,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Mercurial + QtC::Mercurial Cloning Klonování @@ -22222,7 +22222,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Perforce + QtC::Perforce No executable specified Nebyl zadán žádný spustitelný soubor @@ -22262,7 +22262,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::ProjectExplorer + QtC::ProjectExplorer Location Umístění @@ -22309,7 +22309,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::ProjectExplorer + QtC::ProjectExplorer Details Default short title for custom wizard page to be shown in the progress pane of the wizard. @@ -22644,7 +22644,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::ProjectExplorer + QtC::ProjectExplorer Dependencies Závislosti @@ -22666,7 +22666,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::Core + QtC::Core Open parent folder Otevřít rodičovskou složku @@ -22729,7 +22729,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::ProjectExplorer + QtC::ProjectExplorer Select active build configuration Vybrat nastavení sestavení @@ -23018,7 +23018,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -23026,7 +23026,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::QmakeProjectManager + QtC::QmakeProjectManager Desktop Qt4 Desktop target display name @@ -23076,7 +23076,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::QmlProjectManager + QtC::QmlProjectManager QML Viewer QML Viewer target display name @@ -23356,7 +23356,7 @@ Proces Pdb po určité době od úspěšného spuštění spadl. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Open File Otevřít soubor @@ -24033,7 +24033,7 @@ Ověřte, prosím, nastavení svého projektu. - ::QmlJSEditor + QtC::QmlJSEditor Rename... Přejmenovat... @@ -24200,7 +24200,7 @@ Ověřte, prosím, nastavení svého projektu. - ::QmlProjectManager + QtC::QmlProjectManager Error while loading project file! Chyba při nahrávání projektového souboru! @@ -24371,7 +24371,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QmakeProjectManager + QtC::QmakeProjectManager Start Maemo Emulator Spustit napodobovatele jinak též emulátor Maemo @@ -24542,7 +24542,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::ProjectExplorer + QtC::ProjectExplorer The Symbian SDK and the project sources must reside on the same drive. Symbian SDK a projekt se musí nacházet na stejné diskové jednotce. @@ -24569,7 +24569,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QmakeProjectManager + QtC::QmakeProjectManager Evaluating Vyhodnocení @@ -24616,7 +24616,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -24629,7 +24629,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QmakeProjectManager + QtC::QmakeProjectManager Qmake does not support build directories below the source directory. Qmake nepodporuje žádné sestavování v adresářích, které se nacházejí pod zdrojovým adresářem. @@ -24640,7 +24640,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QtSupport + QtC::QtSupport No qmake path set Není nastavena žádná cesta ke qmake @@ -24809,7 +24809,7 @@ Projekty Qt Quick UI není potřeba je sestavovat a lze je spouštět přímo v - ::QmakeProjectManager + QtC::QmakeProjectManager Mobile Qt Application Program Qt pro přenosná zařízení @@ -24848,14 +24848,14 @@ Vybere pro napodobovatele a přenosné cíle vhodné verze Qt, jsou-li dostupné - ::Subversion + QtC::Subversion Annotate revision "%1" Opatřit anotacemi revizi "%1" - ::TextEditor + QtC::TextEditor Text Editor Textový editor @@ -24866,7 +24866,7 @@ Vybere pro napodobovatele a přenosné cíle vhodné verze Qt, jsou-li dostupné - ::VcsBase + QtC::VcsBase The file '%1' could not be deleted. Soubor '%1' se nepodařilo smazat. @@ -24956,7 +24956,7 @@ Vybere pro napodobovatele a přenosné cíle vhodné verze Qt, jsou-li dostupné - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Text @@ -24994,7 +24994,7 @@ Vybere pro napodobovatele a přenosné cíle vhodné verze Qt, jsou-li dostupné - ::QmlEditorWidgets + QtC::QmlEditorWidgets Form Formulář @@ -25236,7 +25236,7 @@ Vybere pro napodobovatele a přenosné cíle vhodné verze Qt, jsou-li dostupné - ::Bazaar + QtC::Bazaar General Information Obecné informace @@ -25279,7 +25279,7 @@ Místní zápisy nejsou odevzdány do hlavní větve, dokud není proveden norm - ::Bazaar + QtC::Bazaar By default, branch will fail if the target directory exists, but does not already have a control directory. This flag will allow branch to proceed. @@ -25356,7 +25356,7 @@ Nová větev bude ve všech operacích závislá na dostupnosti zdrojové větve - ::Bazaar + QtC::Bazaar Form Formulář @@ -25513,7 +25513,7 @@ Místní přivedení nejsou použita na hlavní větev. - ::Bazaar + QtC::Bazaar Revert Vrátit @@ -25524,7 +25524,7 @@ Místní přivedení nejsou použita na hlavní větev. - ::ClassView + QtC::ClassView Form Formulář @@ -25535,7 +25535,7 @@ Místní přivedení nejsou použita na hlavní větev. - ::Core + QtC::Core Form Formulář @@ -25674,7 +25674,7 @@ Místní přivedení nejsou použita na hlavní větev. - ::CppEditor + QtC::CppEditor Form Formulář @@ -25943,7 +25943,7 @@ if (a && - ::Debugger + QtC::Debugger Edit Breakpoint Properties Upravit vlastnosti bodu přerušení @@ -26125,7 +26125,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::Git + QtC::Git Dialog Dialog @@ -26192,7 +26192,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::Help + QtC::Help Filter configuration Nastavení filtru @@ -26215,7 +26215,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::ImageViewer + QtC::ImageViewer Image Viewer Prohlížeč obrázků @@ -26246,7 +26246,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::Macros + QtC::Macros Form Formulář @@ -26289,7 +26289,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::ProjectExplorer + QtC::ProjectExplorer Publishing Wizard Selection Výběr průvodce pro zveřejnění @@ -26341,7 +26341,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::QmlJSEditor + QtC::QmlJSEditor Dialog Dialog @@ -26383,7 +26383,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::QmlProfiler + QtC::QmlProfiler Dialog Dialog @@ -26426,7 +26426,7 @@ Při GDB může být zadána posloupnost příkazů oddělená oddělovačem &ap - ::QmakeProjectManager + QtC::QmakeProjectManager Library: Knihovna: @@ -26611,7 +26611,7 @@ Předchozí verze Qt mají omezení v sestavování vhodných souborů SIS. - ::QmakeProjectManager + QtC::QmakeProjectManager Dialog Dialog @@ -26819,7 +26819,7 @@ Vyžaduje Qt 4.7.4 nebo novější, a soubor součástek nainstalovaný pro tuto - ::QtSupport + QtC::QtSupport Used to extract QML type information from library-based plugins. Používá se k určení informace o typu QML pro na knihovně založené přídavné moduly. @@ -27205,7 +27205,7 @@ Vyžaduje Qt 4.7.4 nebo novější, a soubor součástek nainstalovaný pro tuto - ::TextEditor + QtC::TextEditor Default encoding: Výchozí kódování: @@ -27284,7 +27284,7 @@ Vyžaduje Qt 4.7.4 nebo novější, a soubor součástek nainstalovaný pro tuto - ::TextEditor + QtC::TextEditor Automatically determine based on the nearest indented line (previous line preferred over next line) Automaticky určit vycházeje z nejbližšího odsazeného řádku (předchozí řádek upřednostňován před dalším řádkem) @@ -27295,7 +27295,7 @@ Vyžaduje Qt 4.7.4 nebo novější, a soubor součástek nainstalovaný pro tuto - ::Valgrind + QtC::Valgrind Dialog Dialog @@ -27517,7 +27517,7 @@ With cache simulation, further event counters are enabled: - ::VcsBase + QtC::VcsBase Configure Nastavit @@ -28099,7 +28099,7 @@ With cache simulation, further event counters are enabled: - ::Core + QtC::Core Tags: Klíčová slova: @@ -28147,7 +28147,7 @@ With cache simulation, further event counters are enabled: - ::ProjectExplorer + QtC::ProjectExplorer Recently Edited Projects Naposledy upravované projekty @@ -28165,7 +28165,7 @@ With cache simulation, further event counters are enabled: - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Skryje tento panel nástrojů. @@ -28196,7 +28196,7 @@ With cache simulation, further event counters are enabled: - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot Byla očekávána dvě čísla oddělená čárkou @@ -28379,7 +28379,7 @@ With cache simulation, further event counters are enabled: - ::ProjectExplorer + QtC::ProjectExplorer Cannot start process: %1 Proces:"%1" se nepodařilo spustit @@ -28422,7 +28422,7 @@ With cache simulation, further event counters are enabled: - ::Utils + QtC::Utils C++ C++ @@ -28616,7 +28616,7 @@ Server: %2. - ::Utils + QtC::Utils Invalid channel id %1 Neplatný identifikátor kanálu %1 @@ -28808,7 +28808,7 @@ Server: %2. - ::Debugger + QtC::Debugger Analyzer Rozbor @@ -28875,7 +28875,7 @@ Server: %2. - ::Bazaar + QtC::Bazaar Ignore whitespace Nevšímat si bílých znaků @@ -29087,7 +29087,7 @@ Server: %2. - ::Bazaar + QtC::Bazaar Cloning Klonování @@ -29106,7 +29106,7 @@ Server: %2. - ::Bazaar + QtC::Bazaar Location Umístění @@ -29121,28 +29121,28 @@ Server: %2. - ::Bazaar + QtC::Bazaar Commit Editor Editor zápisu (commit) - ::Bazaar + QtC::Bazaar Bazaar Command Příkaz Bazaar - ::ClassView + QtC::ClassView Class View Pohled na třídu - ::CMakeProjectManager + QtC::CMakeProjectManager Changes to cmake files are shown in the project tree after building. Změny v souborech cmake budou ukázány po vytvoření projektového stromu. @@ -29157,7 +29157,7 @@ Server: %2. - ::Core + QtC::Core Uncategorized Nezařazeno do skupin @@ -29440,7 +29440,7 @@ správy verzí (%2) - ::CodePaster + QtC::CodePaster <Unknown> Unknown user of paste. @@ -29456,7 +29456,7 @@ správy verzí (%2) - ::CppEditor + QtC::CppEditor Sort Alphabetically Roztřídit podle abecedy @@ -29609,7 +29609,7 @@ Příznaky: %3 - ::CVS + QtC::CVS Ignore whitespace Nevšímat si bílých znaků @@ -29628,7 +29628,7 @@ Příznaky: %3 - ::Debugger + QtC::Debugger &Condition: &Podmínka: @@ -30798,7 +30798,7 @@ Má se to zkusit ještě jednou? - ::FakeVim + QtC::FakeVim Action Úkon @@ -30817,7 +30817,7 @@ Má se to zkusit ještě jednou? - ::GenericProjectManager + QtC::GenericProjectManager Hide files matching: Skrýt soubory, které odpovídají následujícímu vzoru pro hledání: @@ -30860,7 +30860,7 @@ Tyto soubory jsou zachovány. - ::Git + QtC::Git Local Branches Místní větve @@ -30953,7 +30953,7 @@ když bude zavolán mimo git bash. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -30997,7 +30997,7 @@ když bude zavolán mimo git bash. - ::Help + QtC::Help Qt Creator Offline Help Nápověda pro Qt Creator @@ -31012,7 +31012,7 @@ když bude zavolán mimo git bash. - ::ImageViewer + QtC::ImageViewer Cannot open image file %1 Nelze otevřít soubor s obrázkem %1 @@ -31087,7 +31087,7 @@ když bude zavolán mimo git bash. - ::Macros + QtC::Macros Macros Makra @@ -31150,7 +31150,7 @@ když bude zavolán mimo git bash. - ::Mercurial + QtC::Mercurial Ignore whitespace Nevšímat si bílých znaků @@ -31169,7 +31169,7 @@ když bude zavolán mimo git bash. - ::Perforce + QtC::Perforce Ignore whitespace Nevšímat si bílých znaků @@ -31180,7 +31180,7 @@ když bude zavolán mimo git bash. - ::ProjectExplorer + QtC::ProjectExplorer <custom> <vlastní> @@ -31283,7 +31283,7 @@ když bude zavolán mimo git bash. - ::ProjectExplorer + QtC::ProjectExplorer error: Task is of type: error @@ -31391,7 +31391,7 @@ když bude zavolán mimo git bash. - ::Welcome + QtC::Welcome %1 (last session) %1 (poslední sezení) @@ -31402,7 +31402,7 @@ když bude zavolán mimo git bash. - ::ProjectExplorer + QtC::ProjectExplorer PID %1 PID %1 @@ -31869,7 +31869,7 @@ a vlastností součástek QML přímo. - ::QmlJSEditor + QtC::QmlJSEditor New %1 Nový %1 @@ -32074,7 +32074,7 @@ a vlastností součástek QML přímo. - ::QmlJSTools + QtC::QmlJSTools Methods and functions Metody a funkce @@ -32253,7 +32253,7 @@ Vytvořte, prosím, součástky pomocné knihovny pro výstup dat o ladění na - ::QmlProfiler + QtC::QmlProfiler No executable file to launch. Nebyl zadán žádný spustitelný soubor ke spuštění. @@ -32449,7 +32449,7 @@ Chcete pokračovat? - ::QmlProjectManager + QtC::QmlProjectManager Open Qt4 Options Otevřít nastavení pro knihovnu Qt4 @@ -32532,7 +32532,7 @@ Sestavení pozorovatele QML se děje na stránce pro nastavení Qt pomocí výb - ::QmakeProjectManager + QtC::QmakeProjectManager Add Library Přidat knihovnu @@ -33476,7 +33476,7 @@ Váš program bude Nokia Store QA také odmítnut v případě, že si vyberete - ::QmakeProjectManager + QtC::QmakeProjectManager Add build from: Přidat sestavování z: @@ -33644,7 +33644,7 @@ Vybere verze Qt pro Simulator a mobilní cíle, pokud jsou dostupné. - ::QmakeProjectManager + QtC::QmakeProjectManager Automatically Rotate Orientation Automaticky změnit orientaci @@ -33989,7 +33989,7 @@ Vyžaduje <b>Qt 4.7.0</b> nebo novější. - ::QtSupport + QtC::QtSupport The compiler '%1' (%2) cannot produce code for the Qt version '%3' (%4). Překladač '%1' (%2) nemůže vytvořit kód pro Qt ve verzi '%3' (%4). @@ -34060,7 +34060,7 @@ Vyžaduje <b>Qt 4.7.0</b> nebo novější. - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt 4.7.1 or newer. Vyžaduje Qt 4.7.1 nebo novější. @@ -34097,7 +34097,7 @@ Důvod: %2 - ::ProjectExplorer + QtC::ProjectExplorer qmldump could not be built in any of the directories: - %1 @@ -34117,7 +34117,7 @@ Důvod: %2 - ::QmakeProjectManager + QtC::QmakeProjectManager Only available for Qt for Desktop or Qt for Qt Simulator. Dostupné jen pro "Qt pro Desktop" a "Qt pro Qt Simulator". @@ -34128,7 +34128,7 @@ Důvod: %2 - ::ProjectExplorer + QtC::ProjectExplorer QMLObserver could not be built in any of the directories: - %1 @@ -34141,7 +34141,7 @@ Důvod: %2 - ::QtSupport + QtC::QtSupport <specify a name> <Zadejte název> @@ -34284,7 +34284,7 @@ Důvod: %2 - ::RemoteLinux + QtC::RemoteLinux Operation canceled by user, cleaning up... Operace zrušena uživatelem, uklízí se... @@ -35416,7 +35416,7 @@ Chcete je přidat do projektu?</html> - ::Subversion + QtC::Subversion Ignore whitespace Nevšímat si bílých znaků @@ -35427,7 +35427,7 @@ Chcete je přidat do projektu?</html> - ::ProjectExplorer + QtC::ProjectExplorer Stop Monitoring Zastavit sledování @@ -35454,7 +35454,7 @@ Chcete je přidat do projektu?</html> - ::TextEditor + QtC::TextEditor CTRL+D CTRL+D @@ -35684,7 +35684,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Valgrind + QtC::Valgrind Profiling %1 @@ -36323,7 +36323,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::VcsBase + QtC::VcsBase Command used for reverting diff chunks Příkaz používaný pro vrácení jednotlivých změn @@ -36398,7 +36398,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Welcome + QtC::Welcome Welcome Vítejte @@ -36503,7 +36503,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Core + QtC::Core Creates qm translation files that can be used by an application from the translator's ts files Vytvoří ze souborů ts od překladatele překladové soubory qm, které mohou být použity programem @@ -36578,7 +36578,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::ExtensionSystem + QtC::ExtensionSystem Qt Creator - Plugin loader messages Qt Creator - Zprávy zavaděče přídavných modulů @@ -36608,7 +36608,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::QmlProfiler + QtC::QmlProfiler Painting Vykreslení @@ -36639,7 +36639,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Tracing + QtC::Tracing Details Podrobnosti @@ -36892,7 +36892,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::TextEditor + QtC::TextEditor Copy Code Style Kopírovat styl kódování @@ -37001,7 +37001,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Utils + QtC::Utils Password Required Heslo vyžadováno @@ -37020,7 +37020,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Bazaar + QtC::Bazaar Verbose Podrobný @@ -37063,7 +37063,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Core + QtC::Core Launching a file browser failed Spuštění prohlížeče souborů se nezdařilo @@ -37161,7 +37161,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Debugger + QtC::Debugger C++ exception Výjimka C++ @@ -37208,7 +37208,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::Core + QtC::Core Case sensitive Rozlišovat velká a malá písmena @@ -37283,7 +37283,7 @@ Prověřte, prosím, oprávnění pro přístup k adresáři. - ::ProjectExplorer + QtC::ProjectExplorer No valid .user file found for '%1' Nepodařilo se najít žádný platný soubor .user pro '%1' @@ -37339,14 +37339,14 @@ Pokud zvolíte nepokračovat, Qt Creator se soubor .shared nahrát nepokusí. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick - ::QmlJS + QtC::QmlJS The type will only be available in Qt Creator's QML editors when the type name is a string literal Tento typ bude v editoru QML Qt Creatoru viditelný jen tehdy, když je název typu řetězec znaků tvořený písmeny (literal) @@ -37365,7 +37365,7 @@ o pravděpodobném URI. - ::QmakeProjectManager + QtC::QmakeProjectManager Headers Hlavičky @@ -37412,7 +37412,7 @@ o pravděpodobném URI. - ::RemoteLinux + QtC::RemoteLinux No deployment action necessary. Skipping. Všechny soubory jsou v aktuálním stavu. Není potřeba žádná instalace. @@ -37948,7 +37948,7 @@ Vzdálený chybový výstup byl: %1 - ::TextEditor + QtC::TextEditor Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. Změnou obsahu náhledu zjistíte, jak se nynější nastavení projeví na uživatelsky stanovených úryvcích kódu. Změny v náhledu nemají žádný vliv na současná nastavení. @@ -38000,7 +38000,7 @@ Filtr: %2 - ::UpdateInfo + QtC::UpdateInfo Could not determine location of maintenance tool. Please check your installation if you did not enable this plugin manually. Nepodařilo se najít umístění nástroje na správu. Prověřte, prosím, svoji instalaci, pokud jste tento přídavný modul nezapnuli ručně. @@ -38023,7 +38023,7 @@ Filtr: %2 - ::VcsBase + QtC::VcsBase '%1' failed (exit code %2). @@ -38050,7 +38050,7 @@ Filtr: %2 - ::Utils + QtC::Utils SSH Key Configuration Nastavení klíče SSH @@ -38152,7 +38152,7 @@ Filtr: %2 - ::Android + QtC::Android Create new AVD Vytvořit nový AVD @@ -39311,7 +39311,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Label Popis @@ -39362,7 +39362,7 @@ p, li { white-space: pre-wrap; } - ::CodePaster + QtC::CodePaster Form Formulář @@ -39473,7 +39473,7 @@ p, li { white-space: pre-wrap; } - ::CppEditor + QtC::CppEditor Header suffix: Přípona hlavičkových souborů: @@ -39572,7 +39572,7 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::Debugger + QtC::Debugger Start Debugger Spustit ladicí program @@ -39627,7 +39627,7 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::ProjectExplorer + QtC::ProjectExplorer Form Formulář @@ -39769,7 +39769,7 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::Tracing + QtC::Tracing Selection Výběr @@ -39788,7 +39788,7 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::QmakeProjectManager + QtC::QmakeProjectManager Make arguments: Argumenty příkazového řádku pro 'make': @@ -39883,14 +39883,14 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::QtSupport + QtC::QtSupport Debugging Helper Build Log Záznam o sestavení pomocného ladicího programu - ::RemoteLinux + QtC::RemoteLinux Authentication type: Druh ověření pravosti: @@ -40061,7 +40061,7 @@ Tyto předpony se používají dodatečně k nynějšímu názvu souboru na Pře - ::TextEditor + QtC::TextEditor Form Formulář @@ -40520,7 +40520,7 @@ Určuje chování odsazení se zřetelem k navazujícím řádkům. - ::Todo + QtC::Todo errorLabel errorLabel @@ -40539,7 +40539,7 @@ Určuje chování odsazení se zřetelem k navazujícím řádkům. - ::Todo + QtC::Todo Form Formulář @@ -40574,7 +40574,7 @@ Určuje chování odsazení se zřetelem k navazujícím řádkům. - ::VcsBase + QtC::VcsBase WizardPage WizardPage @@ -40701,7 +40701,7 @@ Jméno <E-mail> alias <E-mail>. - ::ProjectExplorer + QtC::ProjectExplorer Recent Projects Naposledy otevřené projekty @@ -40716,7 +40716,7 @@ Jméno <E-mail> alias <E-mail>. - ::QtSupport + QtC::QtSupport Examples Příklady @@ -40790,7 +40790,7 @@ Jméno <E-mail> alias <E-mail>. - ::QtSupport + QtC::QtSupport Tutorials Návody @@ -40827,7 +40827,7 @@ Jméno <E-mail> alias <E-mail>. - ::ProjectExplorer + QtC::ProjectExplorer Rename Přejmenovat @@ -40846,7 +40846,7 @@ Jméno <E-mail> alias <E-mail>. - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -40859,7 +40859,7 @@ Jméno <E-mail> alias <E-mail>. - ::QmlJS + QtC::QmlJS do not use '%1' as a constructor '%1' se nesmí používat jako konstruktor @@ -41090,7 +41090,7 @@ Jméno <E-mail> alias <E-mail>. - ::Utils + QtC::Utils Adjust Column Widths to Contents Přizpůsobit šířku sloupců obsahu @@ -41417,7 +41417,7 @@ Jméno <E-mail> alias <E-mail>. - ::Android + QtC::Android Create AVD error Chyba při vytváření AVD @@ -41456,7 +41456,7 @@ Nainstalujte, prosím, jedno SDK s API verze alespoň %1. - ::QtSupport + QtC::QtSupport Android Android @@ -41499,7 +41499,7 @@ Nainstalujte, prosím, jedno SDK s API verze alespoň %1. - ::Android + QtC::Android <span style=" color:#ff0000;">Passwords don't match</span> <span style=" color:#ff0000;">Heslo neodpovídá</span> @@ -41647,14 +41647,14 @@ Nainstalujte, prosím, jedno SDK s API verze alespoň %1. - ::QmakeProjectManager + QtC::QmakeProjectManager Deploy to Android device/emulator Nasadit na zařízení/emulátor Android - ::Android + QtC::Android <b>Deploy configurations</b> <b>Nastavení nasazení</b> @@ -41673,14 +41673,14 @@ Nainstalujte, prosím, jedno SDK s API verze alespoň %1. - ::QmakeProjectManager + QtC::QmakeProjectManager Create Android (.apk) Package Vytvořit balíček pro Android (*.apk) - ::Android + QtC::Android Packaging for Android Vytvoření balíčku pro Android @@ -41805,14 +41805,14 @@ Vyberte, prosím, platný název balíčku pro váš program (např. "org.e - ::QmakeProjectManager + QtC::QmakeProjectManager Deploy to device Nasadit na zařízení - ::Android + QtC::Android Copy application data Kopírovat data programu @@ -42253,7 +42253,7 @@ Pro přidání verzí Qt vyberte Volby -> Sestavení a spuštění -> Verz - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Binární editor nemůže otevřít prázdné soubory. @@ -42268,14 +42268,14 @@ Pro přidání verzí Qt vyberte Volby -> Sestavení a spuštění -> Verz - ::CMakeProjectManager + QtC::CMakeProjectManager Build CMake target Sestavit cíl CMake - ::Core + QtC::Core Could not save the files. error message @@ -42319,7 +42319,7 @@ Pro přidání verzí Qt vyberte Volby -> Sestavení a spuštění -> Verz - ::CppEditor + QtC::CppEditor Extract Function Vytáhnout funkci @@ -42342,7 +42342,7 @@ Pro přidání verzí Qt vyberte Volby -> Sestavení a spuštění -> Verz - ::Debugger + QtC::Debugger Delete Breakpoint Smazat bod přerušení @@ -42865,7 +42865,7 @@ Pro přidání verzí Qt vyberte Volby -> Sestavení a spuštění -> Verz - ::Git + QtC::Git untracked neverzováno @@ -43238,7 +43238,7 @@ nepatří k ověřeným Remotes v %3. Vybrat jinou složku? - ::Core + QtC::Core Previous command is still running ('%1'). Do you want to kill it? @@ -43283,7 +43283,7 @@ Chcete jej ukončit? - ::ProjectExplorer + QtC::ProjectExplorer Local PC Místní PC @@ -43336,7 +43336,7 @@ Chcete jej ukončit? - ::QmlJSEditor + QtC::QmlJSEditor Add a comment to suppress this message Přidat poznámku pro potlačení této zprávy @@ -43386,7 +43386,7 @@ Chcete jej ukončit? - ::QmlProfiler + QtC::QmlProfiler Could not connect to the in-process QML profiler. Do you want to retry? @@ -43663,7 +43663,7 @@ reference k prvkům v jiných souborech, smyčkách atd.) - ::Tracing + QtC::Tracing Jump to previous event Jít na předchozí událost @@ -43722,7 +43722,7 @@ reference k prvkům v jiných souborech, smyčkách atd.) - ::QmlProfiler + QtC::QmlProfiler Events Události @@ -43733,7 +43733,7 @@ reference k prvkům v jiných souborech, smyčkách atd.) - ::QmakeProjectManager + QtC::QmakeProjectManager Device Zařízení @@ -43805,7 +43805,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::QtSupport + QtC::QtSupport Copy Project to writable Location? Má se projekt zkopírovat do zapisovatelného umístění? @@ -43848,7 +43848,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::RemoteLinux + QtC::RemoteLinux embedded Vloženo @@ -43863,7 +43863,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::TextEditor + QtC::TextEditor %1 found %1 nalezen @@ -43888,7 +43888,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Todo + QtC::Todo Description Popis @@ -43903,7 +43903,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Todo + QtC::Todo To-Do Entries Záznamy CO UDĚLAT @@ -43942,14 +43942,14 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Todo + QtC::Todo To-Do CO UDĚLAT - ::VcsBase + QtC::VcsBase Open URL in browser... Otevřít adresu (URL) v prohlížeči... @@ -43984,7 +43984,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Todo + QtC::Todo Keyword Klíčové slovo @@ -44103,7 +44103,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::ClearCase + QtC::ClearCase Check Out Získat (checkout) @@ -44254,7 +44254,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Core + QtC::Core Remove File Odstranit soubor @@ -44273,14 +44273,14 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Qnx + QtC::Qnx Packages to deploy: Balíčky k nasazení: - ::Qnx + QtC::Qnx &Device name: Název &zařízení: @@ -44343,7 +44343,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Qnx + QtC::Qnx The name to identify this configuration: Název nastavení: @@ -44402,7 +44402,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Qnx + QtC::Qnx Public key file: Soubor s veřejným klíčem: @@ -44429,7 +44429,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Qnx + QtC::Qnx Device: Zařízení: @@ -44440,7 +44440,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Qnx + QtC::Qnx SDK: SDK: @@ -44684,7 +44684,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Utils + QtC::Utils '%1' is an invalid ELF object (%2) '%1' je neplatným objektem ELF (%2) @@ -44738,7 +44738,7 @@ Je zapotřebí mít nějakou verzi Qt a sadu nástrojů, aby modely kódu C++ a - ::Android + QtC::Android Run on Android Spustit na Androidu @@ -44833,7 +44833,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::Bookmarks + QtC::Bookmarks Alt+Meta+M Alt+Meta+M @@ -44844,7 +44844,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::ClearCase + QtC::ClearCase Select &activity: Vybrat č&innost: @@ -45198,7 +45198,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::CMakeProjectManager + QtC::CMakeProjectManager Choose Cmake Executable Vybrat spustitelný soubor Cmake @@ -45249,7 +45249,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::Core + QtC::Core Meta+O Meta+O @@ -45264,7 +45264,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes Změny se nepodařilo použít, protože cílový soubor byl změněn @@ -45283,7 +45283,7 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::Debugger + QtC::Debugger Select Executable Vybrat spustitelný soubor @@ -45443,14 +45443,14 @@ Nainstalujte, prosím, alespoň jedno SDK. - ::ProjectExplorer + QtC::ProjectExplorer &Attach to Process &Připojit k procesu - ::Debugger + QtC::Debugger Starting executable failed: @@ -45799,7 +45799,7 @@ Zasáhnutí do modulu nebo nastavení bodů přerušení podle souboru, a oček - ::Git + QtC::Git Select Change Vybrat změnu @@ -45830,7 +45830,7 @@ Zasáhnutí do modulu nebo nastavení bodů přerušení podle souboru, a oček - ::RemoteLinux + QtC::RemoteLinux Error Creating Debian Project Templates Chyba při vytváření předloh pro projekt Debian @@ -45909,7 +45909,7 @@ Zasáhnutí do modulu nebo nastavení bodů přerušení podle souboru, a oček - ::Perforce + QtC::Perforce &Edit (%1) &Upravit (%1) @@ -45924,7 +45924,7 @@ Zasáhnutí do modulu nebo nastavení bodů přerušení podle souboru, a oček - ::ProjectExplorer + QtC::ProjectExplorer Cannot run: Device is not able to create processes. Nelze spustit: Zařízení nedokáže vytvořit procesy. @@ -46227,7 +46227,7 @@ Vzdálený chybový výstup byl: '%1' - ::QmlJSTools + QtC::QmlJSTools The type will only be available in Qt Creator's QML editors when the type name is a string literal Tento typ bude v editoru QML Qt Creatoru viditelný jen tehdy, když je název typu řetězec znaků tvořený písmeny (literal) @@ -46246,7 +46246,7 @@ o pravděpodobném URI. - ::QmlProfiler + QtC::QmlProfiler Loading data Nahrávají se data @@ -46265,14 +46265,14 @@ o pravděpodobném URI. - ::Qnx + QtC::Qnx Starting: "%1" %2 Spouští se: "%1" %2 - ::Qnx + QtC::Qnx The device runtime version(%1) does not match the API level version(%2). This may cause unexpected behavior when debugging. @@ -46319,7 +46319,7 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx Create BAR packages Vytvořit balíčky BAR @@ -46398,7 +46398,7 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx Use the Qt libraries shipped with the BlackBerry device. Použít knihovny Qt dodávané se zařízením BlackBerry. @@ -46465,14 +46465,14 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx Create BAR Packages Vytvořit balíčky BAR - ::Qnx + QtC::Qnx Deploy to BlackBerry Device Nasadit na zařízení BlackBerry @@ -46523,7 +46523,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx Enabled Povoleno @@ -46538,7 +46538,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx Deploy packages Nasadit balíčky @@ -46557,21 +46557,21 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx <b>Deploy packages</b> <b>Nasadit balíčky</b> - ::Qnx + QtC::Qnx Deploy Package Nasadit balíček - ::Qnx + QtC::Qnx BlackBerry BlackBerry @@ -46590,14 +46590,14 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx BlackBerry Device Zařízení BlackBerry - ::Qnx + QtC::Qnx Setup Finished Nastavení dokončeno @@ -46616,7 +46616,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx BlackBerry %1 Qt Version is meant for BlackBerry @@ -46628,7 +46628,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx %1 on BlackBerry device %1 na zařízení BlackBerry @@ -46639,14 +46639,14 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx %1 on BlackBerry Device %1 na zařízení BlackBerry - ::Qnx + QtC::Qnx No active deploy configuration Není žádné činné nastavení nasazovování @@ -46665,14 +46665,14 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx No SDK path set Není nastavena žádná cesta k SDK - ::Qnx + QtC::Qnx The %1 process closed unexpectedly. Proces %1 byl neočekávaně ukončen. @@ -46683,28 +46683,28 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx Deploy to QNX Device Nasadit na zařízení QNX - ::Qnx + QtC::Qnx New QNX Device Configuration Setup Zřízení nového nastavení zařízení QNX - ::Qnx + QtC::Qnx QNX Device Zařízení QNX - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -46720,21 +46720,21 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::Qnx + QtC::Qnx Path to Qt libraries on device: Cesta ke knihovnám Qt na zařízení: - ::Qnx + QtC::Qnx %1 on QNX Device %1 na zařízení QNX - ::Qnx + QtC::Qnx Run on remote QNX device Spustit na vzdáleném zařízení QNX @@ -46745,7 +46745,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::QmakeProjectManager + QtC::QmakeProjectManager The mkspec to use when building the project with qmake.<br>This setting is ignored when using other build systems. mkspec k použití při sestavování projektu s qmake.<br>Toto nastavení se přehlíží, když se používají jiné sestavovací systémy. @@ -46790,7 +46790,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::QtSupport + QtC::QtSupport Command: Příkaz: @@ -46828,7 +46828,7 @@ Chcete, aby jej Qt Creator pro váš projekt vytvořil? - ::QtSupport + QtC::QtSupport No executable. Žádný spustitelný soubor. @@ -46887,7 +46887,7 @@ nelze najít v cestě. - ::RemoteLinux + QtC::RemoteLinux Generic Linux Obecný Linux @@ -46946,7 +46946,7 @@ nelze najít v cestě. - ::ResourceEditor + QtC::ResourceEditor Add Files Přidat soubory @@ -47017,7 +47017,7 @@ nelze najít v cestě. - ::Git + QtC::Git Local Changes Found. Choose Action: Nalezeny místní změny. Vyberte úkon: @@ -47058,7 +47058,7 @@ nelze najít v cestě. - ::QbsProjectManager + QtC::QbsProjectManager Dry run Spustit na zkoušku @@ -47495,7 +47495,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx Package Information Informace o balíčku @@ -47522,7 +47522,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx PKCS 12 archives (*.p12) Archivy PKCS 12 (*.p12) @@ -47565,7 +47565,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx Request Debug Token Požádat o symbol pro ladění @@ -47608,7 +47608,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx Import Certificate Importovat certifikát @@ -47795,7 +47795,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx NDK Environment File Soubor prostředí NDK @@ -47953,7 +47953,7 @@ nelze najít v cestě. - ::Qnx + QtC::Qnx Generate developer certificate automatically Vytvořit vývojářský certifikát automaticky @@ -47988,7 +47988,7 @@ nelze najít v cestě. - ::VcsBase + QtC::VcsBase Subversion Submit Odeslání Subversion @@ -48036,14 +48036,14 @@ nelze najít v cestě. - ::ExtensionSystem + QtC::ExtensionSystem Continue Pokračovat - ::QmlJS + QtC::QmlJS Cannot find file %1. Nelze najít soubor %1. @@ -48342,7 +48342,7 @@ nelze najít v cestě. - ::Android + QtC::Android GDB server Server GDB: @@ -48377,14 +48377,14 @@ nelze najít v cestě. - ::Bookmarks + QtC::Bookmarks Note text: Text poznámky: - ::CMakeProjectManager + QtC::CMakeProjectManager Ninja (%1) Ninja (%1) @@ -48419,7 +48419,7 @@ nelze najít v cestě. - ::CppEditor + QtC::CppEditor Parsing Syntaktický rozbor @@ -48454,7 +48454,7 @@ nelze najít v cestě. - ::Debugger + QtC::Debugger CDB Symbol Paths Cesty k symbolům CDB @@ -48581,7 +48581,7 @@ nelze najít v cestě. - ::ImageViewer + QtC::ImageViewer Color at %1,%2: red: %3 green: %4 blue: %5 alpha: %6 Barva při %1,%2: červená: %3 zelená: %4 modrá: %5 alfa: %6 @@ -48604,7 +48604,7 @@ nelze najít v cestě. - ::DiffEditor + QtC::DiffEditor Diff Editor Editor rozdílů @@ -48648,7 +48648,7 @@ nelze najít v cestě. - ::Git + QtC::Git File input for the merge tool requires Git 1.7.8, or later. XXX: ověřit? @@ -48741,7 +48741,7 @@ Vzdálený: %4 - ::ProjectExplorer + QtC::ProjectExplorer %n entries @@ -48821,7 +48821,7 @@ Vzdálený: %4 - ::QbsProjectManager + QtC::QbsProjectManager Parsing the Qbs project. Vyhodnocuje se projekt Qbs. @@ -49269,7 +49269,7 @@ Vzdálený: %4 - ::QmlJSTools + QtC::QmlJSTools Cu&t Vyj&mout @@ -49319,7 +49319,7 @@ Vzdálený: %4 - ::QmlProjectManager + QtC::QmlProjectManager New Qt Quick UI Project Nový projekt Qt Quick UI @@ -49350,14 +49350,14 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx %1 does not appear to be a valid application descriptor file %1 nevypadá na to, že jde o platný soubor s popisem programu - ::Qnx + QtC::Qnx General Obecné @@ -49384,14 +49384,14 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx Bar descriptor editor Editor popisu pro Bar - ::Qnx + QtC::Qnx Permission Oprávnění @@ -49558,7 +49558,7 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx Active Činný @@ -49617,7 +49617,7 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx Failed to start blackberry-signer process. Nepodařilo se spustit podpisový proces pro BlackBerry. @@ -49640,14 +49640,14 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx Keys Klíče - ::Qnx + QtC::Qnx NDK NDK @@ -49665,7 +49665,7 @@ Vzdálený: %4 - ::Qnx + QtC::Qnx Bar descriptor file (BlackBerry) Soubor s popisem Bar (BlackBerry) @@ -49696,7 +49696,7 @@ Vzdálený: %4 - ::QtSupport + QtC::QtSupport All Versions Všechny verze @@ -49715,7 +49715,7 @@ Vzdálený: %4 - ::TextEditor + QtC::TextEditor Display context-sensitive help or type information on mouseover. Zobrazit kontextově citlivou nápovědu nebo informace o typu, když se ukazovátko myši nachází nad prvkem. @@ -49734,7 +49734,7 @@ Vzdálený: %4 - ::Core + QtC::Core Files Without Write Permissions Soubory bez oprávnění pro zápis @@ -49855,7 +49855,7 @@ Chcete je nyní načíst? - ::Debugger + QtC::Debugger Dialog Dialog @@ -49878,7 +49878,7 @@ Chcete je nyní načíst? - ::Git + QtC::Git Push to Gerrit Odvést do Gerritu... @@ -49957,7 +49957,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Mercurial + QtC::Mercurial User name: Uživatelské jméno: @@ -49968,7 +49968,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::ProjectExplorer + QtC::ProjectExplorer Machine type: Typ stroje: @@ -49991,7 +49991,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::QbsProjectManager + QtC::QbsProjectManager Install root: Install root: @@ -50033,7 +50033,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Destination Cíl @@ -50048,7 +50048,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Author ID: ID autora: @@ -50067,7 +50067,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Description: Popis: @@ -50106,7 +50106,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Device Environment Prostředí zařízení @@ -50149,7 +50149,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Package ID: ID balíčku: @@ -50164,7 +50164,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Select All Vybrat vše @@ -50175,7 +50175,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Device name: Název zařízení: @@ -50194,7 +50194,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Your environment is ready to be configured. Vaše prostředí je připraveno k nastavování. @@ -50253,7 +50253,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Package signing passwords Hesla k podepsání balíčku @@ -50271,14 +50271,14 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::QmlJS + QtC::QmlJS %1 seems not to be encoded in UTF8 or has a BOM. %1 není kódován v UTF8, nebo nemá BOM. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 Chyba v XML na řádku %1, sloupec %2: %3 @@ -50289,7 +50289,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Android + QtC::Android No analyzer tool selected. Nevybrán žádný nástroj pro rozbor. @@ -50470,7 +50470,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::BinEditor + QtC::BinEditor Memory at 0x%1 Paměť při 0x%1 @@ -50573,7 +50573,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Core + QtC::Core (%1) (%1) @@ -50616,7 +50616,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::CppEditor + QtC::CppEditor C++ Class Třída C++ @@ -50799,14 +50799,14 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::CVS + QtC::CVS &Edit Ú&pravy - ::Debugger + QtC::Debugger Symbol Paths Cesty k symbolům @@ -50897,7 +50897,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::DiffEditor + QtC::DiffEditor Ignore Whitespace Nevšímat si bílých znaků @@ -50932,7 +50932,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Utils + QtC::Utils Delete Smazat @@ -50947,7 +50947,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Git + QtC::Git Working tree Pracovní kopie @@ -50986,7 +50986,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::ProjectExplorer + QtC::ProjectExplorer No device configured. Nebylo nastaveno žádné zařízení. @@ -51013,7 +51013,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Python + QtC::Python Python source file Zdrojový soubor Python @@ -51060,7 +51060,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::QbsProjectManager + QtC::QbsProjectManager Qbs Install Instalace Qbs @@ -51261,14 +51261,14 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::QmlProjectManager + QtC::QmlProjectManager System Environment Prostředí systému - ::Qnx + QtC::Qnx Check Development Mode Přezkoušet vývojářský režim @@ -51283,7 +51283,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx <b>Check development mode</b> <b>Přezkoušet vývojářský režim</b> @@ -51294,14 +51294,14 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Authentication failed. Please make sure the password for the device is correct. Autentizace se nezdařila. Ujistěte se, prosím, že heslo pro zařízení je správné. - ::Qnx + QtC::Qnx BlackBerry Development Environment Setup Wizard Průvodce pro nastavení vývojářského prostředí BlackBerry @@ -51432,7 +51432,7 @@ Lze používat části jmen, pokud jsou jednoznačné. - ::Qnx + QtC::Qnx Welcome to the BlackBerry Development Environment Setup Wizard. This wizard will guide you through the essential steps to deploy a ready-to-go development environment for BlackBerry 10 devices. @@ -51445,14 +51445,14 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::Qnx + QtC::Qnx Configure the NDK Path Nastavit cestu k NKD - ::Qnx + QtC::Qnx Not enough free ports on device for debugging. Na zařízení není dostatek volných portů pro ladění. @@ -51511,7 +51511,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::RemoteLinux + QtC::RemoteLinux Not enough free ports on device for debugging. Na zařízení není dostatek volných portů pro ladění. @@ -51531,14 +51531,14 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. Refaktoring se nepodařilo použít. - ::QmlProjectManager + QtC::QmlProjectManager Creates a Qt Quick 1 UI project with a single QML file that contains the main view.&lt;br/&gt;You can review Qt Quick 1 UI projects in the QML Viewer and you need not build them. You do not need to have the development environment installed on your computer to create and run this type of projects.&lt;br/&gt;&lt;br/&gt;Requires &lt;b&gt;Qt 4.8&lt;/b&gt; or newer. Vytvoří projekt Qt Quick 1 UI s jediným souborem QML, který obsahuje hlavní pohled.&lt;br/&gt;Projekty Qt Quick 1 UI není potřeba je sestavovat a lze je spouštět přímo v prohlížeči QML. K vytvoření a ke spuštění tohoto typu projektů není potřeba, aby bylo ve vašem počítači nainstalováno vývojářské prostředí.&lt;br/&gt;&lt;br/&gt;Vyžaduje &lt;b&gt;Qt 4.8&lt;/b&gt; nebo novější. @@ -51553,7 +51553,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::Android + QtC::Android Target API: Cílové API: @@ -51668,7 +51668,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::BareMetal + QtC::BareMetal Form Formulář @@ -51700,7 +51700,7 @@ monitor reset - ::Core + QtC::Core Add the file to version control (%1) Přidat soubor do správy verzí (%1) @@ -51711,7 +51711,7 @@ monitor reset - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives Dodatečné příkazy pro preprocesor @@ -51754,7 +51754,7 @@ monitor reset - ::Ios + QtC::Ios Base arguments: Základní argumenty: @@ -51801,7 +51801,7 @@ monitor reset - ::ProjectExplorer + QtC::ProjectExplorer Custom Parser Vlastní syntaktický analyzátor @@ -51891,7 +51891,7 @@ monitor reset - ::Qnx + QtC::Qnx Debug Token Symbol pro ladění @@ -51930,7 +51930,7 @@ monitor reset - ::Qnx + QtC::Qnx Device Information Informace o zařízení @@ -51965,7 +51965,7 @@ monitor reset - ::Qnx + QtC::Qnx Select Native SDK path: Vybrat cestu k nativnímu SDK: @@ -51980,7 +51980,7 @@ monitor reset - ::Qnx + QtC::Qnx Please wait... Počkejte, prosím... @@ -52023,7 +52023,7 @@ monitor reset - ::Qnx + QtC::Qnx Please select target: Vyberte, prosím, cíl: @@ -52054,7 +52054,7 @@ monitor reset - ::Qnx + QtC::Qnx Password: Heslo: @@ -52081,7 +52081,7 @@ monitor reset - ::UpdateInfo + QtC::UpdateInfo Configure Filters Nastavit filtry @@ -52397,7 +52397,7 @@ monitor reset - ::Android + QtC::Android Deploy to Android device or emulator Nasadit na zařízení nebo emulátor Android @@ -52576,7 +52576,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::BareMetal + QtC::BareMetal Bare Metal Bare Metal @@ -52636,7 +52636,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::Core + QtC::Core <no document> <žádný dokument> @@ -52647,7 +52647,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::CppEditor + QtC::CppEditor No include hierarchy available Není dostupná žádná hierarchie hlavičkových souborů @@ -52674,7 +52674,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::TextEditor + QtC::TextEditor Create Getter and Setter Member Functions Vytvořit funkce Getter a Setter @@ -52685,7 +52685,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::CppEditor + QtC::CppEditor ...searching overrides ...Hledají se přepsání @@ -52699,7 +52699,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::Debugger + QtC::Debugger Not recognized Nerozpoznáno @@ -52790,10 +52790,10 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::DiffEditor + QtC::DiffEditor - ::Git + QtC::Git Switch to Text Diff Editor Přepnout na editor rozdílů v textu @@ -52804,7 +52804,7 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::Ios + QtC::Ios iOS build iOS BuildStep display name. @@ -52998,14 +52998,14 @@ Soubory ve zdrojovém adresáři balíčku pro Android jsou zkopírovány do adr - ::Macros + QtC::Macros Macro mode. Type "%1" to stop recording and "%2" to play the macro. Režim makra. Napište "%1" pro zastavení nahrávání a "%2" pro přehrání makra. - ::ProjectExplorer + QtC::ProjectExplorer ICC ICC @@ -53078,10 +53078,10 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::QmakeProjectManager + QtC::QmakeProjectManager - ::ProjectExplorer + QtC::ProjectExplorer <span style=" font-weight:600;">No valid kits found.</span> <span style=" font-weight:600;">Nenalezeny žádné platné sady.</span> @@ -53135,10 +53135,10 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::Python + QtC::Python - ::QmakeProjectManager + QtC::QmakeProjectManager Select Qt Quick Component Set Vybrat sadu součástek Qt Quick @@ -53218,7 +53218,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::QmlProfiler + QtC::QmlProfiler Animations Animace @@ -53241,7 +53241,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 Neplatný kořenový prvek: %1 @@ -53256,7 +53256,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::Qnx + QtC::Qnx NDK Already Known NDK již známo @@ -53267,7 +53267,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::Qnx + QtC::Qnx BlackBerry NDK Installation Wizard Průvodce instalací NDK BlackBerry @@ -53278,7 +53278,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::Qnx + QtC::Qnx Options Volby @@ -53313,7 +53313,7 @@ Zavřete, prosím, všechny běžící instance své aplikace, předtím než za - ::Qnx + QtC::Qnx An error has occurred while adding target from: %1 @@ -53409,7 +53409,7 @@ se vyskytla chyba - ::Qnx + QtC::Qnx Import Existing Momentics Cascades Project Importovat stávající projekt Momentics Cascades @@ -53428,7 +53428,7 @@ se vyskytla chyba - ::Qnx + QtC::Qnx Momentics Cascades Project Projekt Momentics Cascades @@ -53464,14 +53464,14 @@ se vyskytla chyba - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx &Compiler path: Cesta k &překladači: @@ -53487,31 +53487,31 @@ se vyskytla chyba - ::Qnx + QtC::Qnx Cannot show slog2info output. Error: %1 Nelze ukázat výstup slog2info. Chyba: %1 - ::QtSupport + QtC::QtSupport Qt Versions Verze Qt - ::RemoteLinux + QtC::RemoteLinux Exit code is %1. stderr: Vrácená hodnota je %1. stderr: - ::UpdateInfo + QtC::UpdateInfo - ::Valgrind + QtC::Valgrind Profiling Profiler @@ -53530,7 +53530,7 @@ se vyskytla chyba - ::Debugger + QtC::Debugger Memory Analyzer Tool finished, %n issues were found. @@ -53573,7 +53573,7 @@ se vyskytla chyba - ::Valgrind + QtC::Valgrind Valgrind options: %1 Obecné volby pro Valgrind: %1 @@ -53640,7 +53640,7 @@ se vyskytla chyba - ::QmlProjectManager + QtC::QmlProjectManager Creates a Qt Quick 1 UI project with a single QML file that contains the main view. You can review Qt Quick 1 UI projects in the QML Viewer and you need not build them. You do not need to have the development environment installed on your computer to create and run this type of project. Requires Qt 4.8 or newer. Vytvoří projekt Qt Quick 1 UI s jediným souborem QML, který obsahuje hlavní pohled. @@ -53695,7 +53695,7 @@ Projekty Qt Quick 2 UI není potřeba sestavovat a lze je spouštět přímo v p - ::QmakeProjectManager + QtC::QmakeProjectManager Creates a deployable Qt Quick 1 application using the QtQuick 1.1 import. Requires Qt 4.8 or newer. Vytvoří nasaditelný program Qt Quick 1 pomocí Qt Quick import. Vyžaduje Qt 4.8 nebo novější. @@ -53746,7 +53746,7 @@ Projekty Qt Quick 2 UI není potřeba sestavovat a lze je spouštět přímo v p - ::Bazaar + QtC::Bazaar Uncommit @@ -53782,7 +53782,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Beautifier + QtC::Beautifier Form Formulář @@ -53889,7 +53889,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::ClangCodeModel + QtC::ClangCodeModel Pre-compiled headers: Předpřeložené hlavičky: @@ -53916,10 +53916,10 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Core + QtC::Core - ::Qnx + QtC::Qnx Check device runtime Ověřit běhové prostředí zařízení @@ -53934,7 +53934,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Qnx + QtC::Qnx Dialog Dialog @@ -53965,7 +53965,7 @@ For example, "Revision: 15" will leave the branch at revision 15. - ::Qnx + QtC::Qnx Deploy Qt to BlackBerry Device Nasadit Qt na zařízení BlackBerry @@ -54042,7 +54042,7 @@ Opravdu chcete pokračovat? - ::QmlJS + QtC::QmlJS Indexing Indexování @@ -54130,10 +54130,10 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::Utils + QtC::Utils - ::Android + QtC::Android Configure Android... Nastavit Android... @@ -54152,7 +54152,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::Beautifier + QtC::Beautifier Cannot save styles. %1 does not exist. Nelze uložit styly. %1 neexistuje. @@ -54226,7 +54226,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::ClangCodeModel + QtC::ClangCodeModel Location: %1 Parent folder for proposed #include completion @@ -54300,7 +54300,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::Core + QtC::Core Repeat the search with same parameters. Opakovat hledání se stejnými parametry. @@ -54327,7 +54327,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::Debugger + QtC::Debugger Attach to Process Not Yet Started Připojit k procesu ještě nezapočato @@ -54382,7 +54382,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::DiffEditor + QtC::DiffEditor Waiting for data... Čeká se na data... @@ -54393,7 +54393,7 @@ Vytvořte, prosím, aplikaci qmldump na stránce pro nastavení verze Qt. - ::ProjectExplorer + QtC::ProjectExplorer Edit Files Upravit soubory @@ -54444,24 +54444,24 @@ Tyto soubory jsou zachovány. - ::QmlDesigner + QtC::QmlDesigner Error Chyba - ::QmlJSEditor + QtC::QmlJSEditor - ::QmlProfiler + QtC::QmlProfiler anonymous function Anonymní funkce - ::Qnx + QtC::Qnx Qt %1 for %2 Qt %1 pro %2 @@ -54500,7 +54500,7 @@ Tyto soubory jsou zachovány. - ::Qnx + QtC::Qnx Check Device Status Ověřit stav zařízení @@ -54562,7 +54562,7 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx Runtime %1 Běhové prostředí %1 @@ -54613,7 +54613,7 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx Signing keys are needed for signing BlackBerry applications and managing debug tokens. Podpisové klíče jsou potřeba k podpisování aplikací BlackBerry a na správu symbolů pro ladění. @@ -54664,7 +54664,7 @@ Přesto chcete pokračovat? - ::Qnx + QtC::Qnx <a href="%1">How to Setup Qt Creator for BlackBerry 10 development</a> <a href="%1">Jak nastavit Qt Creator pro vývoj pro BlackBerry 10</a> @@ -54717,7 +54717,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::Qnx + QtC::Qnx Choose imported Cascades project directory Vybrat adresář projektu pro importovaný Cascade @@ -54728,7 +54728,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::Qnx + QtC::Qnx Project source directory: Zdrojový adresář projektu: @@ -54739,7 +54739,7 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::Qnx + QtC::Qnx No free ports for debugging. Žádné volné porty pro ladění. @@ -54750,21 +54750,21 @@ Tento průvodce vás provede základními kroky, které jsou nutné pro nasazen - ::ResourceEditor + QtC::ResourceEditor %1 Prefix: %2 %1 Předpona: %2 - ::TextEditor + QtC::TextEditor Unused variable Nepoužívaná proměnná - ::VcsBase + QtC::VcsBase Name of the version control system in use by the current project. Název verzovacího systému používaného nynějším projektem. diff --git a/share/qtcreator/translations/qtcreator_da.ts b/share/qtcreator/translations/qtcreator_da.ts index fa2243b82e6..8749cb444f0 100644 --- a/share/qtcreator/translations/qtcreator_da.ts +++ b/share/qtcreator/translations/qtcreator_da.ts @@ -2,7 +2,7 @@ - ::Android + QtC::Android Widget Widget @@ -83,7 +83,7 @@ - ::Debugger + QtC::Debugger Analyzer Analysator @@ -152,7 +152,7 @@ - ::Android + QtC::Android Build Android APK AndroidBuildApkStep default display name @@ -1434,7 +1434,7 @@ Installer en SDK af mindst API version %1. - ::Autotest + QtC::Autotest Testing Tester @@ -2180,7 +2180,7 @@ Advarsel: dette er en eksperimentel facilitet og kan lede til at test-eksekverba - ::Android + QtC::Android Autogen Autogen @@ -2292,7 +2292,7 @@ Advarsel: dette er en eksperimentel facilitet og kan lede til at test-eksekverba - ::BareMetal + QtC::BareMetal Enter GDB commands to reset the board and to write the nonvolatile memory. Indtast GDB-kommandoer for at nulstille brættet og skrive den ikke-flygtige hukommelse. @@ -2523,14 +2523,14 @@ Advarsel: dette er en eksperimentel facilitet og kan lede til at test-eksekverba - ::Core + QtC::Core Unable to create the directory %1. Kunne ikke oprette mappen %1. - ::QtSupport + QtC::QtSupport Device type is not supported by Qt version. Enhedstypen understøttes ikke af Qt versionen. @@ -2597,7 +2597,7 @@ Advarsel: dette er en eksperimentel facilitet og kan lede til at test-eksekverba - ::Bazaar + QtC::Bazaar General Information Generel information @@ -2866,14 +2866,14 @@ Lokale commits pushes ikke til master-grenen inden en normal commit udføres. - ::Bazaar + QtC::Bazaar Commit Editor Commit-redigering - ::Bazaar + QtC::Bazaar Configuration Konfiguration @@ -2928,14 +2928,14 @@ Lokale commits pushes ikke til master-grenen inden en normal commit udføres. - ::Bazaar + QtC::Bazaar Bazaar Command Bazaar-kommando - ::Bazaar + QtC::Bazaar Dialog Dialog @@ -3058,7 +3058,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::Beautifier + QtC::Beautifier Beautifier Beautifier @@ -3328,7 +3328,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Binær-redigeringen kan ikke åbne tomme filer. @@ -3447,14 +3447,14 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::BinEditor + QtC::BinEditor Zoom: %1% Zoom: %1% - ::Bookmarks + QtC::Bookmarks Add Bookmark Tilføj bogmærke @@ -3652,7 +3652,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::Debugger + QtC::Debugger Breakpoint Brudpunkt @@ -3737,7 +3737,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::Tracing + QtC::Tracing Jump to previous event. Hop to forrige event. @@ -3760,7 +3760,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::CMakeProjectManager + QtC::CMakeProjectManager CMake Modules CMake-moduler @@ -4469,7 +4469,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::CppEditor + QtC::CppEditor Only virtual functions can be marked 'final' Kun virtuelle funktioner kan mærkes 'final' @@ -4488,7 +4488,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::Tracing + QtC::Tracing Collapse category Sammenfold kategori @@ -4541,7 +4541,7 @@ F.eks., vil "Revision: 15" efterlade grenen ved revision 15. - ::ClangCodeModel + QtC::ClangCodeModel Code Model Warning Kodemodel advarsel @@ -4600,7 +4600,7 @@ Men brug af de afslappede og udvidet regler betyder også at der ikke kan levere - ::CppEditor + QtC::CppEditor Clang-only checks for questionable constructs Clang-kun tjek for tvivlsomme constructs @@ -4646,7 +4646,7 @@ Men brug af de afslappede og udvidet regler betyder også at der ikke kan levere - ::ClassView + QtC::ClassView Show Subprojects Vis underprojekter @@ -4657,7 +4657,7 @@ Men brug af de afslappede og udvidet regler betyder også at der ikke kan levere - ::ClearCase + QtC::ClearCase Select &activity: Vælg &aktivitet: @@ -5152,7 +5152,7 @@ Men brug af de afslappede og udvidet regler betyder også at der ikke kan levere - ::CodePaster + QtC::CodePaster Code Pasting Kodeindsætning @@ -5387,7 +5387,7 @@ p, li { white-space: pre-wrap; } - ::ProjectExplorer + QtC::ProjectExplorer Code Style Kodestil @@ -5442,7 +5442,7 @@ p, li { white-space: pre-wrap; } - ::Help + QtC::Help Open Link Åbn link @@ -5453,7 +5453,7 @@ p, li { white-space: pre-wrap; } - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Tekst @@ -5528,7 +5528,7 @@ p, li { white-space: pre-wrap; } - ::Core + QtC::Core Show Left Sidebar Vis venstre sidebjælke @@ -8005,7 +8005,7 @@ til versionsstyring (%2) - ::CppEditor + QtC::CppEditor Too few arguments For få argumenter @@ -9055,7 +9055,7 @@ Flag: %3 - ::ProjectExplorer + QtC::ProjectExplorer GCC GCC @@ -9078,7 +9078,7 @@ Flag: %3 - ::CVS + QtC::CVS &Edit &Rediger @@ -9429,7 +9429,7 @@ Flag: %3 - ::QmlProfiler + QtC::QmlProfiler Debug Message Fejlretmeddelelse @@ -9452,7 +9452,7 @@ Flag: %3 - ::Debugger + QtC::Debugger Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -13526,7 +13526,7 @@ Trin ind i modulet eller sætning af brudpunkter efter fil eller linje forventes - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency Kunne ikke tilføje afhængighed @@ -13541,7 +13541,7 @@ Trin ind i modulet eller sætning af brudpunkter efter fil eller linje forventes - ::Designer + QtC::Designer The generated header of the form "%1" could not be found. Rebuilding the project might help. @@ -13628,7 +13628,7 @@ Det hjælper måske at genbygge projektet. - ::Ios + QtC::Ios %1 - Free Provisioning Team : %2 %1 - Ledig provisioneringsteam : %2 @@ -13654,7 +13654,7 @@ Det hjælper måske at genbygge projektet. - ::Utils + QtC::Utils Delete Slet @@ -13669,7 +13669,7 @@ Det hjælper måske at genbygge projektet. - ::DiffEditor + QtC::DiffEditor Diff Editor Diff-redigering @@ -13878,7 +13878,7 @@ Det hjælper måske at genbygge projektet. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Dialog Dialog @@ -13945,14 +13945,14 @@ Det hjælper måske at genbygge projektet. - ::ProjectExplorer + QtC::ProjectExplorer Editor Redigering - ::EmacsKeys + QtC::EmacsKeys Delete Character Slet tegn @@ -14069,7 +14069,7 @@ Det hjælper måske at genbygge projektet. - ::ExtensionSystem + QtC::ExtensionSystem Description: Beskrivelse: @@ -14368,7 +14368,7 @@ vil også deaktiverer følgende plugins: - ::FakeVim + QtC::FakeVim Use Vim-style Editing Brug Vim-stil-redigering @@ -14913,14 +14913,14 @@ når de ikke kræves, hvilket i de fleste tilfælde vil forbedre ydelsen. - ::TextEditor + QtC::TextEditor Unused variable Ubrugt variabel - ::Designer + QtC::Designer Widget box Widget-boks @@ -15027,7 +15027,7 @@ når de ikke kræves, hvilket i de fleste tilfælde vil forbedre ydelsen. - ::Autotest + QtC::Autotest Google Test Google-test @@ -15091,7 +15091,7 @@ Se også Google-test-indstillinger. - ::GenericProjectManager + QtC::GenericProjectManager Desktop Generic desktop target display name @@ -15180,7 +15180,7 @@ Se også Google-test-indstillinger. - ::Git + QtC::Git Authentication Autentifikation @@ -17154,7 +17154,7 @@ Lad være tom for at gennemsøge filsystemet. - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -17315,7 +17315,7 @@ Lad være tom for at gennemsøge filsystemet. - ::Help + QtC::Help Help Hjælp @@ -17811,7 +17811,7 @@ Tilføj, ændr, og fjern dokumentfiltre, som beslutter hvilke dokumentationssæt - ::ImageViewer + QtC::ImageViewer Image Viewer Billedfremviser @@ -17987,7 +17987,7 @@ Id'er skal begynde med et lille bogstav. - ::Ios + QtC::Ios Create Simulator Opret simulator @@ -18771,14 +18771,14 @@ Fejl: %5 - ::Core + QtC::Core Locator Lokatør - ::Macros + QtC::Macros Macros Makroer @@ -18881,7 +18881,7 @@ Fejl: %5 - ::QmlProfiler + QtC::QmlProfiler JavaScript JavaScript @@ -19161,7 +19161,7 @@ Fejl: %5 - ::Mercurial + QtC::Mercurial Dialog Dialog @@ -19535,7 +19535,7 @@ Fejl: %5 - ::ModelEditor + QtC::ModelEditor Zoom: %1% Zoom: %1% @@ -19788,7 +19788,7 @@ Fejl: %5 - ::ModelEditor + QtC::ModelEditor Modeling Modelering @@ -19836,7 +19836,7 @@ Fejl: %5 - ::Nim + QtC::Nim Build Byg @@ -20156,7 +20156,7 @@ Fejl: %5 - ::Perforce + QtC::Perforce Change Number Skift nummer @@ -20674,7 +20674,7 @@ Fejl: %5 - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. Pluginet "%1" er angivet to gange for testing. @@ -20824,7 +20824,7 @@ Fejl: %5 - ::ProjectExplorer + QtC::ProjectExplorer Name of current build Navn på aktuelt byg @@ -22023,7 +22023,7 @@ Ekskludering: %2 - ::Core + QtC::Core The file "%1" was renamed to "%2", but the following projects could not be automatically changed: %3 Filen "%1" blev omdøbt til "%2", men følgende projekter kunne ikke ændres automatisk: %3 @@ -22102,7 +22102,7 @@ Ekskludering: %2 - ::ProjectExplorer + QtC::ProjectExplorer Platform codegen flags: Platform codegen-flag: @@ -25213,7 +25213,7 @@ Udløbsdato: %3 - ::Python + QtC::Python Interpreter: Fortolker: @@ -25625,7 +25625,7 @@ Udløbsdato: %3 - ::QbsProjectManager + QtC::QbsProjectManager Qbs Install Qbs install @@ -25968,7 +25968,7 @@ Udløbsdato: %3 - ::Android + QtC::Android Android package source directory: Android-pakke kildemappe: @@ -26083,7 +26083,7 @@ Filerne i Android-pakke kildemappen kopieres til bygmappens Android-mappe og sta - ::QmakeProjectManager + QtC::QmakeProjectManager Failed Mislykkedes @@ -26995,7 +26995,7 @@ Hverken stien til biblioteket eller stien til dets includere tilføjes til .pro- - ::QtSupport + QtC::QtSupport The Qt version is invalid: %1 %1: Reason for being invalid @@ -27008,14 +27008,14 @@ Hverken stien til biblioteket eller stien til dets includere tilføjes til .pro- - ::QmakeProjectManager + QtC::QmakeProjectManager The build directory needs to be at the same level as the source directory. Bygmappen skal være på samme niveau som kildemappen. - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 Socket-tilstand ændret til %1 @@ -27036,7 +27036,7 @@ Hverken stien til biblioteket eller stien til dets includere tilføjes til .pro- - ::QmlDesigner + QtC::QmlDesigner Error Fejl @@ -28398,7 +28398,7 @@ Dette er uafhængigt af visibility-egenskaben i QML. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Skjuler denne værktøjslinje. @@ -28429,14 +28429,14 @@ Dette er uafhængigt af visibility-egenskaben i QML. - ::Debugger + QtC::Debugger Anonymous Function Anonym funktion - ::QmlJS + QtC::QmlJS expected two numbers separated by a dot forventede to numre adskilt af et punktum @@ -28565,7 +28565,7 @@ Byg venligst qmldump-programmet på valgmulighedersiden Qt version. - ::Utils + QtC::Utils XML error on line %1, col %2: %3 XML-fejl på linje %1, kolonne %2: %3 @@ -28576,7 +28576,7 @@ Byg venligst qmldump-programmet på valgmulighedersiden Qt version. - ::QmlJS + QtC::QmlJS Cannot find file %1. Kan ikke finde filen %1. @@ -29067,7 +29067,7 @@ Se "Checking Code Syntax"-dokumentation for mere information. - ::QmlJSEditor + QtC::QmlJSEditor Qt Quick Qt Quick @@ -29289,7 +29289,7 @@ Se "Checking Code Syntax"-dokumentation for mere information. - ::QmlJSTools + QtC::QmlJSTools Code Style Kodestil @@ -29341,7 +29341,7 @@ QML-redigeringen skal kende til en sandsynlig URI. - ::QmlProjectManager + QtC::QmlProjectManager <Current File> <aktuel fil> @@ -29439,7 +29439,7 @@ QML-redigeringen skal kende til en sandsynlig URI. - ::QmlProfiler + QtC::QmlProfiler Unknown Message %1 Ukendt meddelelse %1 @@ -29970,7 +29970,7 @@ Vil du gemme dataene først? - ::QmlProjectManager + QtC::QmlProjectManager Arguments: Argumenter: @@ -30047,14 +30047,14 @@ Vil du gemme dataene først? - ::Qnx + QtC::Qnx Remote QNX process %1 Fjern-QNX-proces %1 - ::Qnx + QtC::Qnx The following errors occurred while activating the QNX configuration: Følgende fejl opstod ved aktivering af QNX-konfigurationen: @@ -30085,7 +30085,7 @@ Vil du gemme dataene først? - ::Qnx + QtC::Qnx Project source directory: Projekt kildemappe: @@ -30096,7 +30096,7 @@ Vil du gemme dataene først? - ::Qnx + QtC::Qnx Qt library to deploy: Qt-bibliotek som skal udsendes: @@ -30147,7 +30147,7 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx QNX QNX @@ -30158,14 +30158,14 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx QNX Device QNX-enhed - ::Qnx + QtC::Qnx %1 found. %1 fundet. @@ -30188,28 +30188,28 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx New QNX Device Configuration Setup Ny QNX-enhed konfigurationsopsætning - ::Qnx + QtC::Qnx Attach to remote QNX application... Tilkobl til fjern-QNX-program... - ::Qnx + QtC::Qnx Preparing remote side... Forbereder fjern-side... - ::Qnx + QtC::Qnx QNX %1 Qt Version is meant for QNX @@ -30221,14 +30221,14 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx Path to Qt libraries on device Sti til Qt-biblioteker på enhed - ::Qnx + QtC::Qnx Generate kits Generer kits @@ -30285,7 +30285,7 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx &Compiler path: &Kompilersti: @@ -30301,14 +30301,14 @@ Er du sikker på, at du vil fortsætte? - ::Qnx + QtC::Qnx QCC QCC - ::Qnx + QtC::Qnx Warning: "slog2info" is not found on the device, debug output not available. Advarsel: "slog2info" findes ikke på enheden, fejlret-output ikke tilgængeligt. @@ -30319,7 +30319,7 @@ Er du sikker på, at du vil fortsætte? - ::ResourceEditor + QtC::ResourceEditor Add Tilføj @@ -30357,7 +30357,7 @@ Er du sikker på, at du vil fortsætte? - ::Debugger + QtC::Debugger ptrace: Operation not permitted. @@ -30504,7 +30504,7 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::QtSupport + QtC::QtSupport Qt Versions Qt versioner @@ -30831,7 +30831,7 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::Autotest + QtC::Autotest Qt Test Qt-test @@ -30842,7 +30842,7 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::QtSupport + QtC::QtSupport <unknown> <ukendt> @@ -30923,7 +30923,7 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::CppEditor + QtC::CppEditor Extract Function Udtræk funktion @@ -30942,7 +30942,7 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::Autotest + QtC::Autotest Quick Test Quick-test @@ -31007,14 +31007,14 @@ For flere detaljer, se /etc/sysctl.d/10-ptrace.conf - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. Genfaktoring kan ikke anvendes. - ::RemoteLinux + QtC::RemoteLinux Deploy to Remote Linux Host Udsend til fjern-Linux-vært @@ -31612,7 +31612,7 @@ Derudover testes enhedens forbindelse. - ::ResourceEditor + QtC::ResourceEditor Add Files Tilføj filer @@ -31771,7 +31771,7 @@ Derudover testes enhedens forbindelse. - ::Tracing + QtC::Tracing [unknown] [ukendt] @@ -31793,7 +31793,7 @@ Derudover testes enhedens forbindelse. - ::ScxmlEditor + QtC::ScxmlEditor Unknown Ukendt @@ -32500,7 +32500,7 @@ Række: %4, Kolonne: %5 - ::Tracing + QtC::Tracing Selection Markering @@ -32729,7 +32729,7 @@ med en adgangskode, som du kan indtaste herunder. - ::Subversion + QtC::Subversion Configuration Konfiguration @@ -33062,7 +33062,7 @@ med en adgangskode, som du kan indtaste herunder. - ::ProjectExplorer + QtC::ProjectExplorer No kit defined in this project. Intet kit defineret i dette projekt. @@ -33146,7 +33146,7 @@ med en adgangskode, som du kan indtaste herunder. - ::Autotest + QtC::Autotest %1 (none) %1 (ingen) @@ -33243,7 +33243,7 @@ med en adgangskode, som du kan indtaste herunder. - ::TextEditor + QtC::TextEditor Text Editor Tekstredigering @@ -35587,7 +35587,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Todo + QtC::Todo Keyword Nøgleord @@ -35614,7 +35614,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Todo + QtC::Todo Keywords Nøgleord @@ -35645,7 +35645,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Todo + QtC::Todo Description Beskrivelse @@ -35660,7 +35660,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Todo + QtC::Todo To-Do Entries To-do-poster @@ -35695,7 +35695,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Todo + QtC::Todo Excluded Files Ekskluderet filer @@ -35722,7 +35722,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Help + QtC::Help Choose Topic Vælg emne @@ -35749,7 +35749,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::UpdateInfo + QtC::UpdateInfo Update Opdater @@ -35832,7 +35832,7 @@ Vil blive anvendt på blanktegn i kommentarer og strenge. - ::Utils + QtC::Utils Do not ask again Spørg ikke igen @@ -36620,7 +36620,7 @@ Put dens navn på en linje for sig selv, for at rydde en variabel. - ::VcsBase + QtC::VcsBase Bazaar Commit Log Editor Bazaar commit-log-redigering @@ -36743,7 +36743,7 @@ Put dens navn på en linje for sig selv, for at rydde en variabel. - ::Valgrind + QtC::Valgrind Callee Modtager @@ -37603,7 +37603,7 @@ Med mellemlager-simulation aktiveres begivenhedstællere: - ::VcsBase + QtC::VcsBase Version Control Versionsstyring @@ -38028,14 +38028,14 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::CppEditor + QtC::CppEditor ...searching overrides ...søger blandt tilsidesætninger - ::Welcome + QtC::Welcome New to Qt? Ny til Qt? @@ -38301,7 +38301,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::qmt + QtC::qmt Show Definition Vis definition @@ -38870,7 +38870,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::Tracing + QtC::Tracing others andre @@ -38889,7 +38889,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::Utils + QtC::Utils Remove File Fjern fil @@ -38908,7 +38908,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::ClangTools + QtC::ClangTools Analyzer Configuration Analysator-konfiguration @@ -38963,7 +38963,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::CMakeProjectManager + QtC::CMakeProjectManager Determines whether file paths are copied to the clipboard for pasting to the CMakeLists.txt file when you add new files to CMake projects. Beslutter om filstier kopieres til udklipsholderen til indsættelse i CMakeLists.txt-filen, når du tilføjer nye filer til CMake-projekter. @@ -38986,7 +38986,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::Core + QtC::Core File Properties Filegenskaber @@ -39041,7 +39041,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::CppEditor + QtC::CppEditor For appropriate options, consult the GCC or Clang manual pages or the <a href="https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html">GCC online documentation</a>. For passende valgmuligheder, konsulter GCC- eller Clang-manualsiderne eller <a href="https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html">GCC online dokumentationen</a>. @@ -39119,7 +39119,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::QmlDebug + QtC::QmlDebug Debug connection opened. Fejlret-forbindelse åbnet. @@ -39134,7 +39134,7 @@ skal være et repository krævet SSH-autentifikation (se dokumentation på SSH o - ::Tracing + QtC::Tracing Could not open %1 for writing. Kunne ikke åbne %1 til skrivning. @@ -39151,7 +39151,7 @@ Spordataene er tabt. - ::Utils + QtC::Utils Settings File for "%1" from a Different Environment? Indstillingsfil for "%1" fra et andet miljø? @@ -39162,7 +39162,7 @@ Spordataene er tabt. - ::Android + QtC::Android AVD Start Error Fejl ved start af AVD @@ -39225,14 +39225,14 @@ Spordataene er tabt. - ::Autotest + QtC::Autotest Test executable crashed. Test-eksekverbar holdt op med at virke. - ::BinEditor + QtC::BinEditor &Undo &Fortryd @@ -39243,7 +39243,7 @@ Spordataene er tabt. - ::ClangCodeModel + QtC::ClangCodeModel Clazy Issue Clazy-problemstilling @@ -39261,7 +39261,7 @@ Spordataene er tabt. - ::ClangCodeModel + QtC::ClangCodeModel <No Symbols> <ingen symboler> @@ -39272,7 +39272,7 @@ Spordataene er tabt. - ::ClangTools + QtC::ClangTools Clang-Tidy and Clazy Clang-Tidy og Clazy @@ -39513,10 +39513,10 @@ Kopiér stien til kildefilerne til udklipsholderen? - ::CMakeProjectManager + QtC::CMakeProjectManager - ::Core + QtC::Core Update Documentation Opdater dokumentation @@ -39566,7 +39566,7 @@ Kopiér stien til kildefilerne til udklipsholderen? - ::CppEditor + QtC::CppEditor Create Getter and Setter Member Functions Opret henter- og sætter-medlemsfunktioner @@ -39613,14 +39613,14 @@ Kopiér stien til kildefilerne til udklipsholderen? - ::GenericProjectManager + QtC::GenericProjectManager Edit Files... Rediger filer... - ::Git + QtC::Git Checkout Checkout @@ -39667,7 +39667,7 @@ Kopiér stien til kildefilerne til udklipsholderen? - ::ImageViewer + QtC::ImageViewer Enter a file name containing place holders %1 which will be replaced by the width and height of the image, respectively. Indtast et filnavn som indeholder pladsholderne %1 som erstattes af henholdsvis bredden og højden på billedet. @@ -39718,14 +39718,14 @@ Vil du overskrive dem? - ::Nim + QtC::Nim Current Build Target Aktuelle byggemål - ::ProjectExplorer + QtC::ProjectExplorer Build Display name of the build build step list. Used as part of the labels in the project window. @@ -39812,7 +39812,7 @@ Vil du overskrive dem? - ::QmlJSEditor + QtC::QmlJSEditor Add a Comment to Suppress This Message Tilføj en kommentar for at undertrykke denne meddelelse @@ -39827,7 +39827,7 @@ Vil du overskrive dem? - ::QmlProfiler + QtC::QmlProfiler The QML Profiler can be used to find performance bottlenecks in applications using QML. QML-profileringen kan bruges til at finde ydelsesflaskehalse i programmer som bruger QML. @@ -39916,14 +39916,14 @@ Gemning mislykkedes. - ::Qnx + QtC::Qnx Deploy to QNX Device Udsend til QNX-enhed - ::RemoteLinux + QtC::RemoteLinux Trying to kill "%1" on remote device... Prøver at dræbe "%1" på fjern-enhed... @@ -39942,7 +39942,7 @@ Gemning mislykkedes. - ::SerialTerminal + QtC::SerialTerminal Unable to open port %1. Kan ikke åbne porten %1. @@ -40013,7 +40013,7 @@ Gemning mislykkedes. - ::TextEditor + QtC::TextEditor Snippets are text fragments that can be inserted into an editor via the usual completion mechanics using a trigger text. The translated text (trigger variant) is used to disambiguate between snippets with the same trigger. @@ -40091,7 +40091,7 @@ Gemning mislykkedes. - ::Valgrind + QtC::Valgrind XML output file: XML-output-fil: diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts index 93c986506b5..08ba4937e90 100644 --- a/share/qtcreator/translations/qtcreator_de.ts +++ b/share/qtcreator/translations/qtcreator_de.ts @@ -2,7 +2,7 @@ - ::Bookmarks + QtC::Bookmarks Bookmarks Lesezeichen @@ -121,7 +121,7 @@ - ::CMakeProjectManager + QtC::CMakeProjectManager Initial Configuration Initiale Konfiguration @@ -1101,7 +1101,7 @@ Stellen Sie sicher, dass der Wert der CMAKE_BUILD_TYPE-Variable derselbe wie der - ::CodePaster + QtC::CodePaster &Code Pasting &Code Pasting @@ -1284,14 +1284,14 @@ Stellen Sie sicher, dass der Wert der CMAKE_BUILD_TYPE-Variable derselbe wie der - ::Help + QtC::Help Open Link as New Page Verweis in neuer Seite öffnen - ::Core + QtC::Core Revert to Saved Wiederherstellen @@ -1995,7 +1995,7 @@ Trotzdem fortfahren? - ::Debugger + QtC::Debugger Locals && Expressions '&&' will appear as one (one is marking keyboard shortcut) @@ -6436,7 +6436,7 @@ Weiterführende Informationen befinden sich in /etc/sysctl.d/10-ptrace.conf - ::ProjectExplorer + QtC::ProjectExplorer Unable to Add Dependency Die Abhängigkeit konnte nicht hinzugefügt werden @@ -6447,7 +6447,7 @@ Weiterführende Informationen befinden sich in /etc/sysctl.d/10-ptrace.conf - ::Designer + QtC::Designer Designer Designer @@ -6674,7 +6674,7 @@ Versuchen Sie, das Projekt neu zu erstellen. - ::ExtensionSystem + QtC::ExtensionSystem Name: Name: @@ -6845,7 +6845,7 @@ Grund: %3 - ::GenericProjectManager + QtC::GenericProjectManager Import Existing Project Import eines existierenden Projekts @@ -6872,7 +6872,7 @@ Grund: %3 - ::Git + QtC::Git Browse &History... Von &History... @@ -8966,7 +8966,7 @@ Leer lassen, um das Dateisystem zu durchsuchen. - ::Help + QtC::Help Add and remove compressed help files, .qch. Hinzufügen oder Entfernen von komprimierten Hilfedateien (.qch). @@ -9466,7 +9466,7 @@ Leer lassen, um das Dateisystem zu durchsuchen. - ::Core + QtC::Core Locator Locator @@ -9548,7 +9548,7 @@ Leer lassen, um das Dateisystem zu durchsuchen. - ::Perforce + QtC::Perforce Change Number Change-Nummer @@ -9988,7 +9988,7 @@ Leer lassen, um das Dateisystem zu durchsuchen. - ::ExtensionSystem + QtC::ExtensionSystem The plugin "%1" is specified twice for testing. Das Plugin "%1" ist in der Testliste doppelt vorhanden. @@ -10083,7 +10083,7 @@ Leer lassen, um das Dateisystem zu durchsuchen. - ::ProjectExplorer + QtC::ProjectExplorer Configuration is faulty. Check the Issues view for details. Die Konfiguration ist fehlerhaft. Details befinden sich in der Ansicht "Probleme". @@ -11428,7 +11428,7 @@ Rename %2 to %3 anyway? - ::ResourceEditor + QtC::ResourceEditor &Undo &Rückgängig @@ -11615,7 +11615,7 @@ Rename %2 to %3 anyway? - ::Subversion + QtC::Subversion &Subversion &Subversion @@ -11814,7 +11814,7 @@ Rename %2 to %3 anyway? - ::TextEditor + QtC::TextEditor Searching Suche @@ -12083,7 +12083,7 @@ Werte kleiner als 100% können überlappende und falsch ausgerichtete Darstellun - ::Help + QtC::Help Choose a topic for <b>%1</b>: Wählen Sie ein Thema für <b>%1</b>: @@ -12094,7 +12094,7 @@ Werte kleiner als 100% können überlappende und falsch ausgerichtete Darstellun - ::Utils + QtC::Utils Do not ask again Nicht noch einmal nachfragen @@ -12308,7 +12308,7 @@ Werte kleiner als 100% können überlappende und falsch ausgerichtete Darstellun - ::VcsBase + QtC::VcsBase Version Control Versionskontrolle @@ -12493,7 +12493,7 @@ Was möchten Sie tun? - ::Mercurial + QtC::Mercurial General Information Allgemeine Informationen @@ -13023,14 +13023,14 @@ Was möchten Sie tun? - ::Utils + QtC::Utils <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expands to</th></tr><tr><td>%d</td><td>directory of current file</td></tr><tr><td>%f</td><td>file name (with full path)</td></tr><tr><td>%n</td><td>file name (without path)</td></tr><tr><td>%%</td><td>%</td></tr></table> <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expandiert zu</th></tr><tr><td>%d</td><td>Verzeichnis der aktuellen Datei</td></tr><tr><td>%f</td><td>Dateiname mit vollständigem Pfad</td></tr><tr><td>%n</td><td>Dateiname (ohne Pfad)</td></tr><tr><td>%%</td><td>%</td></tr></table> - ::Core + QtC::Core Show Left Sidebar Linke Seitenleiste anzeigen @@ -13146,7 +13146,7 @@ Was möchten Sie tun? - ::VcsBase + QtC::VcsBase CVS Commit Editor CVS Commit-Editor @@ -13273,7 +13273,7 @@ Was möchten Sie tun? - ::Perforce + QtC::Perforce No executable specified Es wurde keine ausführbare Datei angegeben @@ -13309,7 +13309,7 @@ Was möchten Sie tun? - ::ProjectExplorer + QtC::ProjectExplorer untitled File path suggestion for a new project. If you choose to translate it, make sure it is a valid path name without blanks and using only ascii chars. @@ -13672,7 +13672,7 @@ Locked components cannot be modified or selected. - ::QmlJSEditor + QtC::QmlJSEditor Show Qt Quick Toolbar Qt Quick-Werkzeugleiste anzeigen @@ -13892,7 +13892,7 @@ Locked components cannot be modified or selected. - ::QtSupport + QtC::QtSupport No qmake path set Es ist keine qmake-Pfad gesetzt @@ -14479,7 +14479,7 @@ Locked components cannot be modified or selected. - ::TextEditor + QtC::TextEditor Text Editor Texteditor @@ -14518,14 +14518,14 @@ Locked components cannot be modified or selected. - ::QmlJS + QtC::QmlJS 'int' or 'real' 'int' oder 'real' - ::Core + QtC::Core System Editor Editor des Betriebssystems @@ -14543,7 +14543,7 @@ Locked components cannot be modified or selected. - ::ProjectExplorer + QtC::ProjectExplorer Dependencies Abhängigkeiten @@ -14554,7 +14554,7 @@ Locked components cannot be modified or selected. - ::QmlProjectManager + QtC::QmlProjectManager Kit has no device. Das Kit hat kein Gerät. @@ -14622,14 +14622,14 @@ Locked components cannot be modified or selected. - ::Core + QtC::Core Design Design - ::VcsBase + QtC::VcsBase The directory %1 could not be deleted. Das Verzeichnis %1 konnte nicht gelöscht werden. @@ -14678,7 +14678,7 @@ Locked components cannot be modified or selected. - ::ExtensionSystem + QtC::ExtensionSystem None Keine @@ -14791,7 +14791,7 @@ zu deaktivieren, deaktiviert auch die folgenden Plugins: - ::Utils + QtC::Utils File Has Been Removed Die Datei wurde gelöscht @@ -14814,7 +14814,7 @@ zu deaktivieren, deaktiviert auch die folgenden Plugins: - ::Core + QtC::Core Command Mappings Zuordnung von Kommandos @@ -14869,7 +14869,7 @@ zu deaktivieren, deaktiviert auch die folgenden Plugins: - ::ProjectExplorer + QtC::ProjectExplorer Build Settings Build-Einstellungen @@ -14935,14 +14935,14 @@ The name of the build configuration created by default for a generic project. - ::QmlProjectManager + QtC::QmlProjectManager <Current File> <Aktuelle Datei> - ::QmlJS + QtC::QmlJS File or directory not found. Datei oder Verzeichnis nicht gefunden. @@ -15012,7 +15012,7 @@ Für CMake-Projekte stellen Sie sicher, dass die Variable QML_IMPORT_PATH in CMa - ::Utils + QtC::Utils ... ... @@ -15109,7 +15109,7 @@ Für CMake-Projekte stellen Sie sicher, dass die Variable QML_IMPORT_PATH in CMa - ::Utils + QtC::Utils Central Widget Zentrales Widget @@ -15124,14 +15124,14 @@ Für CMake-Projekte stellen Sie sicher, dass die Variable QML_IMPORT_PATH in CMa - ::ProjectExplorer + QtC::ProjectExplorer Enter the name of the session: Geben Sie den Namen der Sitzung an: - ::TextEditor + QtC::TextEditor Ctrl+Space Ctrl+Space @@ -15307,7 +15307,7 @@ IDs müssen außerdem mit einem Kleinbuchstaben beginnen. - ::QmlEditorWidgets + QtC::QmlEditorWidgets Text Text @@ -15446,14 +15446,14 @@ IDs müssen außerdem mit einem Kleinbuchstaben beginnen. - ::ClassView + QtC::ClassView Show Subprojects Untergeordnete Projekte anzeigen - ::ImageViewer + QtC::ImageViewer Export Export @@ -15635,7 +15635,7 @@ Möchten Sie sie überschreiben? - ::QmlEditorWidgets + QtC::QmlEditorWidgets Hides this toolbar. Schließt diese Werkzeugleiste. @@ -15666,21 +15666,21 @@ Möchten Sie sie überschreiben? - ::ClassView + QtC::ClassView Class View Klassenanzeige - ::Core + QtC::Core Activate %1 View Anzeige "%1" aktivieren - ::CppEditor + QtC::CppEditor No type hierarchy available Keine Klassenhierarchie verfügbar @@ -15707,7 +15707,7 @@ Möchten Sie sie überschreiben? - ::ProjectExplorer + QtC::ProjectExplorer %1 Steps %1 is the name returned by BuildStepList::displayName @@ -15839,7 +15839,7 @@ Möchten Sie sie überschreiben? - ::TextEditor + QtC::TextEditor No outline available Überblick nicht verfügbar @@ -15862,7 +15862,7 @@ Möchten Sie sie überschreiben? - ::Utils + QtC::Utils Name contains white space. Der Name enthält Leerzeichen. @@ -15889,7 +15889,7 @@ Möchten Sie sie überschreiben? - ::QmlJS + QtC::QmlJS Hit maximal recursion depth in AST visit. @@ -15904,10 +15904,10 @@ Möchten Sie sie überschreiben? - ::Core + QtC::Core - ::CppEditor + QtC::CppEditor Add Definition in %1 Definition in %1 hinzufügen @@ -15930,7 +15930,7 @@ Möchten Sie sie überschreiben? - ::Macros + QtC::Macros Preferences Einstellungen @@ -15973,7 +15973,7 @@ Möchten Sie sie überschreiben? - ::QmlJS + QtC::QmlJS Errors while loading qmltypes from %1: %2 @@ -16100,7 +16100,7 @@ Möchten Sie sie überschreiben? - ::Utils + QtC::Utils Error in command line. Fehler in Kommandozeile. @@ -16223,7 +16223,7 @@ Möchten Sie sie überschreiben? - ::Core + QtC::Core %1 repository was detected but %1 is not configured. Ein Repository des Versionskontrollsystems %1 wurde gefunden, aber %1 ist noch nicht konfiguriert. @@ -16278,7 +16278,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::CppEditor + QtC::CppEditor Expand All Alle aufklappen @@ -16289,7 +16289,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::Macros + QtC::Macros Text Editing Macros Textbearbeitungs-Makros @@ -16344,7 +16344,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::ProjectExplorer + QtC::ProjectExplorer QmlDesigner::ItemLibraryWidget @@ -16407,7 +16407,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::QmlJSTools + QtC::QmlJSTools QML Functions QML-Funktionen @@ -16446,7 +16446,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::TextEditor + QtC::TextEditor Error Fehler @@ -16469,7 +16469,7 @@ konnte nicht unter Versionsverwaltung (%2) gestellt werden - ::Bazaar + QtC::Bazaar General Information Allgemeine Informationen @@ -16898,7 +16898,7 @@ Zum Beispiel bewirkt die Angabe "Revision: 15" dass der Branch auf Rev - ::Core + QtC::Core Description: Beschreibung: @@ -17142,7 +17142,7 @@ Zum Beispiel bewirkt die Angabe "Revision: 15" dass der Branch auf Rev - ::ProjectExplorer + QtC::ProjectExplorer &Compiler path: &Compiler-Pfad: @@ -17229,7 +17229,7 @@ Aktivieren Sie dies, wenn Sie 32bit-x86-Binärdateien erstellen wollen, ohne ein - ::VcsBase + QtC::VcsBase Annotate "%1" Annotation für "%1" @@ -17256,7 +17256,7 @@ Aktivieren Sie dies, wenn Sie 32bit-x86-Binärdateien erstellen wollen, ohne ein - ::Core + QtC::Core MIME Type MIME-Typ @@ -17271,7 +17271,7 @@ Aktivieren Sie dies, wenn Sie 32bit-x86-Binärdateien erstellen wollen, ohne ein - ::Valgrind + QtC::Valgrind Issue Problem @@ -18136,21 +18136,21 @@ Wird ein Problem gefunden, dann wird die Anwendung angehalten und kann untersuch - ::Debugger + QtC::Debugger Analyzer Analyzer - ::ProjectExplorer + QtC::ProjectExplorer Clone of %1 Kopie von %1 - ::QmlProfiler + QtC::QmlProfiler QML Profiler QML-Profiler @@ -18995,7 +18995,7 @@ Speichern fehlgeschlagen. - ::VcsBase + QtC::VcsBase Configuration Konfiguration @@ -19378,7 +19378,7 @@ Speichern fehlgeschlagen. - ::Core + QtC::Core Elided %n characters due to Application Output settings @@ -19394,10 +19394,10 @@ Speichern fehlgeschlagen. - ::Macros + QtC::Macros - ::ProjectExplorer + QtC::ProjectExplorer <custom> <benutzerdefiniert> @@ -19477,7 +19477,7 @@ Speichern fehlgeschlagen. - ::TextEditor + QtC::TextEditor Global Settings @@ -19497,7 +19497,7 @@ Speichern fehlgeschlagen. - ::Welcome + QtC::Welcome Welcome Willkommen @@ -19644,7 +19644,7 @@ Speichern fehlgeschlagen. - ::Utils + QtC::Utils Refusing to remove root directory. Das Wurzelverzeichnis kann nicht entfernt werden. @@ -19729,7 +19729,7 @@ Speichern fehlgeschlagen. - ::RemoteLinux + QtC::RemoteLinux Connection Verbindung @@ -20526,7 +20526,7 @@ Wenn Sie noch keinen privaten Schlüssel besitzen, können Sie hier auch einen e - ::GenericProjectManager + QtC::GenericProjectManager Files Dateien @@ -20674,7 +20674,7 @@ When disabled, moves targets straight to the current mouse position. - ::Core + QtC::Core Creates qm translation files that can be used by an application from the translator's ts files Erzeugt aus den ts-Dateien des Übersetzers qm-Übersetzungsdateien, die von einer Anwendung genutzt werden können @@ -20737,7 +20737,7 @@ When disabled, moves targets straight to the current mouse position. - ::ExtensionSystem + QtC::ExtensionSystem The following plugins have errors and cannot be loaded: Die folgenden Plugins sind fehlerhaft und können nicht geladen werden: @@ -20752,7 +20752,7 @@ When disabled, moves targets straight to the current mouse position. - ::Utils + QtC::Utils Out of memory. Es ist kein Speicher mehr verfügbar. @@ -20763,7 +20763,7 @@ When disabled, moves targets straight to the current mouse position. - ::Core + QtC::Core Launching a file browser failed Das Starten des Datei-Browsers schlug fehl @@ -20852,7 +20852,7 @@ When disabled, moves targets straight to the current mouse position. - ::TextEditor + QtC::TextEditor Remove Entfernen @@ -20946,7 +20946,7 @@ Außer: %3 - ::UpdateInfo + QtC::UpdateInfo Checking for Updates Aktualisierungen werden gesucht @@ -20998,14 +20998,14 @@ Außer: %3 - ::TextEditor + QtC::TextEditor Edit preview contents to see how the current settings are applied to custom code snippets. Changes in the preview do not affect the current settings. Ändern Sie den Inhalt der Vorschau, um zu sehen wie sich die aktuellen Einstellungen auf die benutzerdefinierten Snippets auswirken. Änderungen der Vorschau haben keinen Einfluss auf die Einstellungen. - ::Core + QtC::Core Registered MIME Types Registrierte MIME-Typen @@ -21060,7 +21060,7 @@ Außer: %3 - ::Tracing + QtC::Tracing Selection Auswahl @@ -21145,7 +21145,7 @@ Die Trace-Daten sind verloren. - ::QmakeProjectManager + QtC::QmakeProjectManager qmake QMakeStep default display name @@ -21909,7 +21909,7 @@ Bitte aktualisieren Sie Ihr Kit (%3) oder wählen Sie eine mkspec für qmake, di - ::TextEditor + QtC::TextEditor Typing Beim Tippen @@ -22450,7 +22450,7 @@ Bestimmt das Verhalten bezüglich der Einrückung von Fortsetzungszeilen. - ::Utils + QtC::Utils Add Hinzufügen @@ -22477,7 +22477,7 @@ Bestimmt das Verhalten bezüglich der Einrückung von Fortsetzungszeilen. - ::Android + QtC::Android Keystore Keystore @@ -24441,7 +24441,7 @@ the manifest file by overriding your settings. Allow override? - ::CppEditor + QtC::CppEditor Extract Function Funktion herausziehen @@ -24460,7 +24460,7 @@ the manifest file by overriding your settings. Allow override? - ::TextEditor + QtC::TextEditor Open Documents Offene Dokumente @@ -24477,7 +24477,7 @@ the manifest file by overriding your settings. Allow override? - ::VcsBase + QtC::VcsBase Open URL in Browser... URL in Browser öffnen... @@ -24496,7 +24496,7 @@ the manifest file by overriding your settings. Allow override? - ::Todo + QtC::Todo Keywords Schlüsselworte @@ -24619,7 +24619,7 @@ the manifest file by overriding your settings. Allow override? - ::Core + QtC::Core Could not save the files. error message @@ -24655,7 +24655,7 @@ the manifest file by overriding your settings. Allow override? - ::ProjectExplorer + QtC::ProjectExplorer Session Sitzung @@ -24758,7 +24758,7 @@ the manifest file by overriding your settings. Allow override? - ::QmlDebug + QtC::QmlDebug The port seems to be in use. Error message shown after 'Could not connect ... debugger:" @@ -24771,7 +24771,7 @@ the manifest file by overriding your settings. Allow override? - ::ProjectExplorer + QtC::ProjectExplorer Local PC Lokaler PC @@ -24790,7 +24790,7 @@ the manifest file by overriding your settings. Allow override? - ::Qnx + QtC::Qnx Preparing remote side... Bereite Gegenseite vor... @@ -25048,7 +25048,7 @@ wirklich löschen? - ::CppEditor + QtC::CppEditor Target file was changed, could not apply changes Die Änderungen konnten nicht vorgenommen werden, da die Zieldatei geändert wurde @@ -25067,7 +25067,7 @@ wirklich löschen? - ::ProjectExplorer + QtC::ProjectExplorer Filter Filter @@ -25110,7 +25110,7 @@ wirklich löschen? - ::Utils + QtC::Utils "%1" is an invalid ELF object (%2) "%1" ist keine gültige ELF-Objektdatei (%2) @@ -25156,7 +25156,7 @@ wirklich löschen? - ::ProjectExplorer + QtC::ProjectExplorer Connection error: %1 Verbindungsfehler: %1 @@ -25175,7 +25175,7 @@ wirklich löschen? - ::ClearCase + QtC::ClearCase Check Out Check Out @@ -25638,7 +25638,7 @@ wirklich löschen? - ::ProjectExplorer + QtC::ProjectExplorer Remote Error Entfernter Fehler @@ -25661,14 +25661,14 @@ wirklich löschen? - ::Core + QtC::Core Open with VCS (%1) Öffnen mittels Versionskontrollsystem (%1) - ::ProjectExplorer + QtC::ProjectExplorer Unnamed Unbenannt @@ -25815,7 +25815,7 @@ wirklich löschen? - ::VcsBase + QtC::VcsBase Subversion Submit Subversion Submit @@ -25890,14 +25890,14 @@ wirklich löschen? - ::ExtensionSystem + QtC::ExtensionSystem Continue Fortsetzen - ::QmlJS + QtC::QmlJS Cannot find file %1. Die Datei '%1' kann nicht gefunden werden. @@ -25912,7 +25912,7 @@ wirklich löschen? - ::CppEditor + QtC::CppEditor Only virtual functions can be marked 'override' Nur virtuelle Funktionen können als 'override' gekennzeichnet werden @@ -25935,7 +25935,7 @@ wirklich löschen? - ::ProjectExplorer + QtC::ProjectExplorer Empty Leer @@ -26508,7 +26508,7 @@ wirklich löschen? - ::QmlJS + QtC::QmlJS Do not use "%1" as a constructor. @@ -26868,7 +26868,7 @@ Weitere Informationen finden Sie auf der Dokumentationsseite "Checking Code - ::QbsProjectManager + QtC::QbsProjectManager Build variant: Build-Variante: @@ -27570,7 +27570,7 @@ The affected files are: - ::DiffEditor + QtC::DiffEditor Diff Editor Diff-Editor @@ -27625,14 +27625,14 @@ The affected files are: - ::Core + QtC::Core Toggle Progress Details Verlaufsdetails ein/ausschalten - ::Utils + QtC::Utils Delete Löschen @@ -27647,7 +27647,7 @@ The affected files are: - ::ProjectExplorer + QtC::ProjectExplorer Environment Umgebung @@ -27688,14 +27688,14 @@ The affected files are: - ::TextEditor + QtC::TextEditor Refactoring cannot be applied. Refaktorisierung konnte nicht angewandt werden. - ::CppEditor + QtC::CppEditor Rewrite Using %1 Unter Verwendung von %1 umschreiben @@ -28058,7 +28058,7 @@ The affected files are: - ::Utils + QtC::Utils XML error on line %1, col %2: %3 XML-Fehler in Zeile %1, Spalte %2: %3 @@ -28069,7 +28069,7 @@ The affected files are: - ::ProjectExplorer + QtC::ProjectExplorer No device configured. Es ist kein Gerät eingerichtet. @@ -28088,7 +28088,7 @@ The affected files are: - ::Core + QtC::Core Add the file to version control (%1) Datei unter Versionsverwaltung (%1) stellen @@ -28099,7 +28099,7 @@ The affected files are: - ::ProjectExplorer + QtC::ProjectExplorer Custom Parser Benutzerdefinierter Parser @@ -28198,7 +28198,7 @@ The affected files are: - ::Macros + QtC::Macros Playing Macro Abspielen eines Makros @@ -28213,7 +28213,7 @@ The affected files are: - ::ProjectExplorer + QtC::ProjectExplorer Clang Clang @@ -28261,14 +28261,14 @@ Bitte schließen Sie alle laufenden Instanzen Ihrer Anwendung vor dem Erstellen. - ::QmlProjectManager + QtC::QmlProjectManager Invalid root element: %1 Ungültiges Wurzelelement: %1 - ::BareMetal + QtC::BareMetal Set up Debug Server or Hardware Debugger Debug-Server oder Hardware-Debugger einrichten @@ -28981,7 +28981,7 @@ Bitte schließen Sie alle laufenden Instanzen Ihrer Anwendung vor dem Erstellen. - ::Ios + QtC::Ios Base arguments: Basisargumente: @@ -29192,7 +29192,7 @@ benötigt wird, was meist die Geschwindigkeit erhöht. - ::CppEditor + QtC::CppEditor Include Hierarchy Include-Hierarchie @@ -29219,7 +29219,7 @@ benötigt wird, was meist die Geschwindigkeit erhöht. - ::Ios + QtC::Ios %1 Simulator %1 Simulator @@ -29424,7 +29424,7 @@ benötigt wird, was meist die Geschwindigkeit erhöht. - ::ProjectExplorer + QtC::ProjectExplorer Cannot open process. Prozess kann nicht geöffnet werden. @@ -29774,7 +29774,7 @@ das beim Drücken unter dem Zeiger oder Berührungspunkt war, unter diesem Punkt - ::Ios + QtC::Ios Could not find %1. %1 konnte nicht gefunden werden. @@ -29805,7 +29805,7 @@ das beim Drücken unter dem Zeiger oder Berührungspunkt war, unter diesem Punkt - ::CppEditor + QtC::CppEditor Additional C++ Preprocessor Directives for %1: Zusätzliche Präprozessor-Anweisungen für %1: @@ -29989,7 +29989,7 @@ das beim Drücken unter dem Zeiger oder Berührungspunkt war, unter diesem Punkt - ::Beautifier + QtC::Beautifier Name Name @@ -30028,7 +30028,7 @@ das beim Drücken unter dem Zeiger oder Berührungspunkt war, unter diesem Punkt - ::Core + QtC::Core &Search &Suchen @@ -30145,7 +30145,7 @@ Um es abzurufen, tippen Sie das Kürzel im Locator, gefolgt von einem Leerzeiche - ::QmlJS + QtC::QmlJS Parsing QML Files Werte QML-Dateien aus @@ -30229,7 +30229,7 @@ Bitte erstellen Sie die Anwendung qmldump auf der Einstellungsseite der Qt-Versi - ::Utils + QtC::Utils Filter Filter @@ -30240,7 +30240,7 @@ Bitte erstellen Sie die Anwendung qmldump auf der Einstellungsseite der Qt-Versi - ::Beautifier + QtC::Beautifier Beautifier Beautifier @@ -30289,7 +30289,7 @@ Bitte erstellen Sie die Anwendung qmldump auf der Einstellungsseite der Qt-Versi - ::Core + QtC::Core Shift+Enter Shift+Enter @@ -30620,7 +30620,7 @@ Möchten Sie es beenden? - ::ProjectExplorer + QtC::ProjectExplorer Edit Files Dateien Bearbeiten @@ -30631,14 +30631,14 @@ Möchten Sie es beenden? - ::TextEditor + QtC::TextEditor Unused variable Unbenutzte Variable - ::VcsBase + QtC::VcsBase Name of the version control system in use by the current project. Name des im aktuellen Projekt verwendeten Versionskontrollsystems. @@ -30653,7 +30653,7 @@ Möchten Sie es beenden? - ::QmlDesigner + QtC::QmlDesigner Error Fehler @@ -30695,7 +30695,7 @@ Möchten Sie es beenden? - ::Utils + QtC::Utils Proxy Credentials Proxy-Nutzerdaten @@ -30764,7 +30764,7 @@ Möchten Sie es beenden? - ::QmlDebug + QtC::QmlDebug Socket state changed to %1 Socket-Status geändert zu %1 @@ -30794,7 +30794,7 @@ Möchten Sie es beenden? - ::Utils + QtC::Utils Choose the Location Pfadangabe @@ -30813,7 +30813,7 @@ Möchten Sie es beenden? - ::Core + QtC::Core Failed to open an editor for "%1". Es konnte kein Editor für die Datei "%1" geöffnet werden. @@ -30846,7 +30846,7 @@ Möchten Sie es beenden? - ::CppEditor + QtC::CppEditor %1: No such file or directory %1: Es existiert keine Datei oder kein Verzeichnis dieses Namens @@ -30857,7 +30857,7 @@ Möchten Sie es beenden? - ::EmacsKeys + QtC::EmacsKeys Delete Character Zeichen entfernen @@ -30944,7 +30944,7 @@ Möchten Sie es beenden? - ::ProjectExplorer + QtC::ProjectExplorer The files are implicitly added to the projects: Die folgenden Dateien werden den Projekten implizit hinzugefügt: @@ -30955,7 +30955,7 @@ Möchten Sie es beenden? - ::Utils + QtC::Utils Failed to Read File Datei konnte nicht gelesen werden @@ -31002,7 +31002,7 @@ Möchten Sie es beenden? - ::ProjectExplorer + QtC::ProjectExplorer You asked to build the current Run Configuration's build target only, but it is not associated with a build target. Update the Make Step in your build settings. Sie möchten nur das Übersetzungsergebnis für die aktuelle Ausführungsonfiguration bauen, aber sie ist mit keinem verknüpft. Korrigieren Sie den Make-Schritt in der Erstellungskonfiguration. @@ -31089,7 +31089,7 @@ Möchten Sie es beenden? - ::ProjectExplorer + QtC::ProjectExplorer Cannot open task file %1: %2 Die Aufgabendatei %1 kann nicht geöffnet werden: %2 @@ -31242,7 +31242,7 @@ Möchten Sie es beenden? - ::Utils + QtC::Utils Infinite recursion error Fehler: Endlose Rekursion @@ -31281,7 +31281,7 @@ Möchten Sie es beenden? - ::BinEditor + QtC::BinEditor The Binary Editor cannot open empty files. Der Binäreditor kann keine leeren Dateien öffnen. @@ -31416,7 +31416,7 @@ Möchten Sie es beenden? - ::Core + QtC::Core No themes found in installation. Keine Themen in der Installation gefunden. @@ -31898,7 +31898,7 @@ Möchten Sie sie jetzt auschecken? - ::ProjectExplorer + QtC::ProjectExplorer "data" for a "Form" page needs to be unset or an empty object. "data" darf für eine "Form"-Seite nicht gesetzt sein oder muss ein leeres Objekt sein. @@ -33263,7 +33263,7 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::FakeVim + QtC::FakeVim Use FakeVim FakeVim benutzen @@ -33652,7 +33652,7 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::GlslEditor + QtC::GlslEditor GLSL GLSL sub-menu in the Tools menu @@ -33660,14 +33660,14 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::Perforce + QtC::Perforce Annotate change list "%1" Annotation der Change-Liste "%1" - ::ProjectExplorer + QtC::ProjectExplorer Field is not an object. Feld ist kein Objekt. @@ -34026,14 +34026,14 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::Subversion + QtC::Subversion Annotate revision "%1" Annotation für Revision "%1" - ::TextEditor + QtC::TextEditor Diff Against Current File Mit aktueller Datei vergleichen @@ -34096,7 +34096,7 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::VcsBase + QtC::VcsBase Open "%1" "%1" öffnen @@ -34115,7 +34115,7 @@ Benutzen Sie dies nur für Prototypen. Sie können damit keine vollständige Anw - ::Core + QtC::Core System System @@ -34394,7 +34394,7 @@ provided they were unmodified before the refactoring. - ::qmt + QtC::qmt New Package Neues Paket @@ -34469,14 +34469,14 @@ provided they were unmodified before the refactoring. - ::Utils + QtC::Utils Cannot create OpenGL context. OpenGL-Kontext kann nicht erzeugt werden. - ::Core + QtC::Core Existing files Bereits existierende Dateien @@ -34514,14 +34514,14 @@ provided they were unmodified before the refactoring. - ::Debugger + QtC::Debugger Anonymous Function Anonyme Funktion - ::DiffEditor + QtC::DiffEditor Context lines: Kontextzeilen: @@ -34611,7 +34611,7 @@ provided they were unmodified before the refactoring. - ::ModelEditor + QtC::ModelEditor &Remove &Entfernen @@ -34771,7 +34771,7 @@ provided they were unmodified before the refactoring. - ::ProjectExplorer + QtC::ProjectExplorer Synchronize configuration Konfiguration synchronisieren @@ -35157,14 +35157,14 @@ Error: - ::ResourceEditor + QtC::ResourceEditor %1 Prefix: %2 %1 Präfix: %2 - ::TextEditor + QtC::TextEditor &Undo &Rückgängig @@ -35699,7 +35699,7 @@ Error: - ::VcsBase + QtC::VcsBase Failed to retrieve data. Es konnten keine Daten empfangen werden. @@ -35778,7 +35778,7 @@ Error: - ::Autotest + QtC::Autotest General Allgemein @@ -37065,7 +37065,7 @@ Siehe auch die Einstellungen für Google Test. - ::qmt + QtC::qmt Change Ändern @@ -37449,7 +37449,7 @@ Siehe auch die Einstellungen für Google Test. - ::Core + QtC::Core Current theme: %1 Aktuelles Thema: %1 @@ -37460,7 +37460,7 @@ Siehe auch die Einstellungen für Google Test. - ::CppEditor + QtC::CppEditor Checks for questionable constructs Prüft auf fragwürdige Konstrukte @@ -37475,7 +37475,7 @@ Siehe auch die Einstellungen für Google Test. - ::Utils + QtC::Utils Start Starten @@ -37486,7 +37486,7 @@ Siehe auch die Einstellungen für Google Test. - ::ModelEditor + QtC::ModelEditor No model loaded. Cannot save. Kein Modell geladen, daher ist sichern nicht möglich. @@ -37534,7 +37534,7 @@ Siehe auch die Einstellungen für Google Test. - ::ProjectExplorer + QtC::ProjectExplorer Initialization: Initialisierung: @@ -37579,7 +37579,7 @@ Sie werden erhalten. - ::ModelEditor + QtC::ModelEditor Select Custom Configuration Folder Konfigurationsverzeichnis auswählen @@ -37594,7 +37594,7 @@ Sie werden erhalten. - ::qmt + QtC::qmt Create Diagram Diagramm erstellen @@ -37669,7 +37669,7 @@ Sie werden erhalten. - ::Nim + QtC::Nim Target: Ziel: @@ -37825,7 +37825,7 @@ Sie werden erhalten. - ::TextEditor + QtC::TextEditor Activate completion: Code-Vervollständigung aktivieren: @@ -38019,7 +38019,7 @@ Drücken Sie zusätzlich die Umschalttaste, wird ein Escape-Zeichen an der aktue - ::Utils + QtC::Utils Edit Environment Umgebung bearbeiten @@ -38042,7 +38042,7 @@ Um eine Variable zu deaktivieren, stellen Sie der Zeile "#" voran.