diff --git a/dist/changes-1.2.0 b/dist/changes-1.2.0
index 605fad36686..bbdda8afdf7 100644
--- a/dist/changes-1.2.0
+++ b/dist/changes-1.2.0
@@ -1,38 +1,41 @@
The QtCreator 1.2 release contains bug fixes and new features.
-A more detailed list of changes follows below. If you want to know the exact
-and complete list of changes, you can check out the QtCreator sources from the
-public git repository and check the logs, e.g.
+Below is a list of relevant changes. You can find a complete list of changes
+within the logs of QtCreator's sources. Simply check it out from the public git
+repository e.g.,
git clone git://gitorious.org/qt-creator/qt-creator.git
git log --pretty=oneline v1.1.0..v1.2.0
This release introduces source and binary incompatible changes to the plugin
-API, so if you created your own custom plugins these need to be adapted.
+API, so if you have created your own custom plugins, they will need to be
+adapted accordingly.
General:
- * Reworked Welcome Screen
- * Speed improvement: store large amounts of persistent data
- (e.g. locator cache) in an SQLite database
- * Show current file name in the window title
+ * The Welcome Screen has been redesigned.
+ * There has been some speed improvements: large amounts of persistent data
+ (e.g., Qt Locator's cache) is now stored in an SQLite database.
+ * The window title now displays the current file's name.
Editing
- * Added option to allow alphabetical method combo box
- * Introduced Block highlighting
- * Improved code folding markers
- * Further improvements to FakeVim mode
- * Make it possible to disable Ctrl+Click navigation
- * Added optional XCode-style tab indentation
- * Ui changes are added immediately to the code model
- * Fixed possibly missing code completion with mingw toolchain
- * Added option for turning antialiasing of text editor fonts off
- * Added searching with regular expressions in text editors
- * Added an action that deletes a line without copying it
- * Added copy line up/down actions (Ctrl+Alt+Up/Down)
+ * There is now an option for listing methods alphabetically in the combo box
+ above the editor.
+ * A block highlighting feature has been added.
+ * Code folding markers have been improved on.
+ * FakeVim mode has received further improvements.
+ * It is now possible to disable Ctrl+Click navigation.
+ * An optional XCode-style tab indentation has been added.
+ * Ui changes now propagate immediately to the code model.
+ * Fixed possibly missing code completion with MinGW toolchain.
+ * Added option for turning off antialiasing of text editor fonts.
+ * It is now possible to search within the text editor using regular
+ expressions.
+ * Added an action to delete a line without copying it.
+ * Added actions to copy a line up/down (Ctrl+Alt+Up/Down).
Building and Running
- * New options: Auto-Save before Build and Run without building
- * Environment settings
+ * A new option Auto-Save before Build and Run has been added.
+ * Added option to set environment variables for running
* Fixed bug that prevented use of Qt 4 with version < 4.2
Debugging
diff --git a/doc/examples/addressbook-sdk/part5/addressbook.cpp b/doc/examples/addressbook-sdk/part5/addressbook.cpp
index 5509ff4cb15..e14d95026fd 100644
--- a/doc/examples/addressbook-sdk/part5/addressbook.cpp
+++ b/doc/examples/addressbook-sdk/part5/addressbook.cpp
@@ -41,6 +41,11 @@ AddressBook::AddressBook(QWidget *parent)
removeButton = ui->removeButton;
removeButton->setEnabled(false);
+ findButton = new QPushButton;
+ findButton = ui->findButton;
+
+ dialog = new FindDialog;
+
connect(addButton, SIGNAL(clicked()), this,
SLOT(addContact()));
connect(submitButton, SIGNAL(clicked()), this,
@@ -55,6 +60,8 @@ AddressBook::AddressBook(QWidget *parent)
SLOT(editContact()));
connect(removeButton, SIGNAL(clicked()), this,
SLOT(removeContact()));
+ connect(findButton, SIGNAL(clicked()), this,
+ SLOT(findContact()));
setWindowTitle(tr("Simple Address Book"));
}
@@ -235,3 +242,23 @@ void AddressBook::updateInterface(Mode mode)
break;
}
}
+
+void AddressBook::findContact()
+{
+ dialog->show();
+
+ if (dialog->exec() == QDialog::Accepted) {
+ QString contactName = dialog->getFindText();
+
+ if (contacts.contains(contactName)) {
+ nameLine->setText(contactName);
+ addressText->setText(contacts.value(contactName));
+ } else {
+ QMessageBox::information(this, tr("Contact Not Found"),
+ tr("Sorry, \"%1\" is not in your address book.").arg(contactName));
+ return;
+ }
+ }
+
+ updateInterface(NavigationMode);
+}
diff --git a/doc/examples/addressbook-sdk/part5/addressbook.h b/doc/examples/addressbook-sdk/part5/addressbook.h
index 7958cb69f68..9bc1f75ba38 100644
--- a/doc/examples/addressbook-sdk/part5/addressbook.h
+++ b/doc/examples/addressbook-sdk/part5/addressbook.h
@@ -6,6 +6,7 @@
#include
#include
#include
+#include "finddialog.h"
namespace Ui
@@ -30,6 +31,7 @@ public slots:
void removeContact();
void next();
void previous();
+ void findContact();
private:
Ui::AddressBook *ui;
@@ -42,6 +44,7 @@ private:
QPushButton *removeButton;
QPushButton *nextButton;
QPushButton *previousButton;
+ QPushButton *findButton;
QLineEdit *nameLine;
QTextEdit *addressText;
@@ -49,6 +52,7 @@ private:
QString oldName;
QString oldAddress;
Mode currentMode;
+ FindDialog *dialog;
};
#endif // ADDRESSBOOK_H
diff --git a/doc/examples/addressbook-sdk/part5/finddialog.cpp b/doc/examples/addressbook-sdk/part5/finddialog.cpp
index 15002d62f32..89ee5e083a2 100644
--- a/doc/examples/addressbook-sdk/part5/finddialog.cpp
+++ b/doc/examples/addressbook-sdk/part5/finddialog.cpp
@@ -6,6 +6,17 @@ FindDialog::FindDialog(QWidget *parent) :
m_ui(new Ui::FindDialog)
{
m_ui->setupUi(this);
+ lineEdit = new QLineEdit;
+ lineEdit = m_ui->lineEdit;
+
+ findButton = new QPushButton;
+ findButton = m_ui->findButton;
+
+ findText = "";
+
+ connect(findButton, SIGNAL(clicked()), this, SLOT(findClicked()));
+
+ setWindowTItle(tr("Find a Contact"));
}
FindDialog::~FindDialog()
@@ -15,8 +26,20 @@ FindDialog::~FindDialog()
void FindDialog::findClicked()
{
+ QString text = lineEdit->text();
+
+ if (text.isEmpty()) {
+ QMessageBox::information(this, tr("Empty Field"),
+ tr("Please enter a name."));
+ return;
+ } else {
+ findText = text;
+ lineEdit->clear();
+ hide();
+ }
}
QString FindDialog::getFindText()
{
+ return findText;
}
diff --git a/share/qtcreator/translations/qtcreator_de.ts b/share/qtcreator/translations/qtcreator_de.ts
index 2450115a76d..6c27a1b9629 100644
--- a/share/qtcreator/translations/qtcreator_de.ts
+++ b/share/qtcreator/translations/qtcreator_de.ts
@@ -1861,7 +1861,7 @@ Sollen sie überschrieben werden?
Resume Session
- Sitzng fortführen
+ Sitzung fortführen
@@ -1939,7 +1939,7 @@ Sollen sie überschrieben werden?
You can force code completion at any time using <tt>Ctrl+Space</tt>.
- Sie können die Code-Vervollständigung jederzeit mittels <tt>Strg+Leertaste</tt> erzwingen.
+ Sie können die Code-Vervollständigung jederzeit mittels <tt>Strg+Leertaste</tt> erzwingen.
@@ -1980,7 +1980,7 @@ Sollen sie überschrieben werden?
You can modify the binary that is being executed when you press the <tt>Run</tt> button: Add a <tt>Custom Executable</tt> by clicking the <tt>+</tt> button in <tt>Projects -> Run Settings -> Run Configuration</tt> and then select the new target in the combo box.
- Sie können die auszuführende Datei bestimmen die ausgeführt wird, wenn Sie auf die <tt>Ausführen</tt>-Schaltlfläche klicken: Fügen Sie dazu eine <tt>Benutzerdefinierte ausführbare Datei</tt> unter <tt>Projekte ->Ausführung -> Ausführungskonfiguration</tt> hinzu, indem Sie auf die <tt>+</tt>-Schaltfläche klicken und wählen Sie die neue Konfiguration aus der Auswahl.
+ Sie können die auszuführende Datei bestimmen die ausgeführt wird, wenn Sie auf die <tt>Ausführen</tt>-Schaltlfläche klicken: Fügen Sie dazu eine <tt>Benutzerdefinierte ausführbare Datei</tt> unter <tt>Projekte ->Ausführung -> Ausführungskonfiguration</tt> hinzu, indem Sie auf die <tt>+</tt>-Schaltfläche klicken und wählen Sie die neue Konfiguration aus der Auswahl.
@@ -3064,7 +3064,7 @@ p {
Der Debugger konnte sich nicht an den Prozess %1 anhängen: %2
-
+
Unable to assign the value '%1' to '%2': %3
Der Wert '%1' konnte nicht an '%2' zugewiesen werden: %3
@@ -3718,23 +3718,23 @@ p {
Debugger::Internal::GdbEngine
-
+
The Gdb process failed to start. Either the invoked program '%1' is missing, or you may have insufficient permissions to invoke the program.
Der Start des Gdb-Prozesses schlug fehl. Entweder fehlt die ausführbare Datei '%1' oder die Berechtigungen sind nicht ausreichend.
-
+
The Gdb process crashed some time after starting successfully.
Der Gdb-Prozess ist einige Zeit nach dem Start abgestürzt.
-
+
The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again.
Zeitüberschreitung bei der letzten waitFor...()-Funktion. Der Status des QProcess ist unverändert, und waitFor...() kann nocheinmal gerufen.
-
+
An error occurred when attempting to write to the Gdb process. For example, the process may not be running, or it may have closed its input channel.
Ein Fehler trat beim Versuch des Schreibens zum Gdb-Prozess auf. Wahrscheinlich läuft der Prozess nicht, oder hat seinen Eingabekanal geschlossen.
@@ -3750,15 +3750,15 @@ p {
-
+
-
+
Error
Fehler
-
+
Library %1 loaded.
Bibliothek %1 geladen.
@@ -3920,7 +3920,7 @@ Es wird empfohlen, gdb 6.7 oder später zu benutzen.
Angehalten.
-
+
Debugger Startup Failure
Fehler beim Starten des Debuggers
@@ -5329,7 +5329,7 @@ It also automatically sets the correct Qt version.
Plugin ended its life cycle and was deleted
-
+ Das Plugin wurde nach Ablauf seiner Nutzungsdauer gelöscht
Plugin ended it's life cycle and was deleted
@@ -6169,7 +6169,7 @@ Grund: %3
Das Kommando 'show' konnte nicht ausgeführt werden: %1: %2
-
+
Changes
Änderungen
@@ -7227,7 +7227,7 @@ Make sure you use something like
SOURCES *= .../ide/main/bin/gdbmacros/gdbmacros.cpp
in your .pro file.
- g
+ g
@@ -8086,6 +8086,10 @@ Basisname der Bibliothek: %1
ProjectExplorer::EnvironmentModel
+
+ <UNSET>
+ <NICHT GESETZT>
+
Variable
@@ -8096,6 +8100,37 @@ Basisname der Bibliothek: %1
Value
Wert
+
+ <VARIABLE>
+ <VARIABLE>
+
+
+ <VALUE>
+ <WERT>
+
+
+
+ ProjectExplorer::EnvironmentWidget
+
+
+ &Edit
+ &Bearbeiten
+
+
+
+ &Add
+ Hinzu&fügen
+
+
+
+ &Reset
+ &Rücksetzen
+
+
+
+ &Unset
+ &Leeren
+
ProjectExplorer::Internal::AllProjectsFilter
@@ -8845,7 +8880,7 @@ Basisname der Bibliothek: %1
&Start Debugging
-
+ &Debuggen
@@ -9064,32 +9099,32 @@ Basisname der Bibliothek: %1
Build Project "%1"
- Projekt '%1" erstellen
+ Projekt '%1" erstellen
Rebuild Project "%1"
-
+ Projekt "%1" neu erstellen
Clean Project "%1"
-
+ Projekt "%1" bereinigen
Build Without Dependencies
-
+ Erstellen unter Ausschluss der Abhängigkeiten
Rebuild Without Dependencies
-
+ Neu erstellen unter Ausschluss der Abhängigkeiten
Clean Without Dependencies
-
+ Bereinigen unter Ausschluss der Abhängigkeiten
@@ -9259,7 +9294,7 @@ unter Versionsverwaltung (%2) gestellt werden?
Unknown error
- Unbekannter Fehler
+ Unbekannter Fehler
@@ -11369,7 +11404,7 @@ Um es abzurufen, tippen Sie das Kürzel im Locator, gefolgt von einem Leerzeich
Break at 'main':
-
+ Haltepunkt bei 'main':
@@ -11914,7 +11949,7 @@ Um es abzurufen, tippen Sie das Kürzel im Locator, gefolgt von einem Leerzeich
TextEditor::FontSettingsPage
-
+
Font & Colors
Zeichensatz und Farben
@@ -11961,7 +11996,7 @@ Die folgenden Encodings scheinen der Datei zu entsprechen:
Current File
-
+ Aktuelle Datei
diff --git a/share/qtcreator/translations/qtcreator_es.ts b/share/qtcreator/translations/qtcreator_es.ts
new file mode 100644
index 00000000000..6471239dc20
--- /dev/null
+++ b/share/qtcreator/translations/qtcreator_es.ts
@@ -0,0 +1,12365 @@
+
+
+
+
+ Application
+
+
+ Failed to load core: %1
+ Falló la carga de la aplicación: %1
+
+
+
+ Unable to send command line arguments to the already running instance. It appears to be not responding.
+ Muy largo?
+ No fue posible enviar los argumentos de línea de comandos a la instancia en ejecución. Aparentemente no está respondiendo.
+
+
+
+ Couldn't find 'Core.pluginspec' in %1
+ No se pudo encontrar 'Core.pluginspec' en %1
+
+
+
+ AttachCoreDialog
+
+
+ Start Debugger
+ Iniciar depurador
+
+
+
+ Executable:
+ Ejecutable:
+
+
+
+ Core File:
+ Archivo core:
+
+
+
+ AttachExternalDialog
+
+
+ Start Debugger
+ Iniciar depurador
+
+
+
+ Attach to Process ID:
+ Adjuntar al ID de proceso:
+
+
+
+ Filter:
+ Filtro:
+
+
+
+ Clear
+ Limpiar
+
+
+
+ AttachTcfDialog
+
+
+ Start Debugger
+ Iniciar depurador
+
+
+
+ Host and port:
+ Anfitrión y puerto:
+
+
+
+ Architecture:
+ Arquitectura:
+
+
+
+ Use server start script:
+ ¿no será mejor usar la "script" en vez de guión?
+ Usar guión de inicio de servidor:
+
+
+
+ Server start script:
+ guión o script?
+ Guión de inicio:
+
+
+
+ BINEditor::Internal::BinEditorPlugin
+
+
+ &Undo
+ &Deshacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ BookmarkDialog
+
+
+ Add Bookmark
+ Agregar marcador
+
+
+
+ Bookmark:
+ Marcador:
+
+
+
+ Add in Folder:
+ Agregar en directorio:
+
+
+
+ +
+
+
+
+
+ New Folder
+ Nuevo directorio
+
+
+
+
+
+
+
+ Bookmarks
+ Marcadores
+
+
+
+ Delete Folder
+ Suprimir directorio
+
+
+
+ Rename Folder
+ Renombrar directorio
+
+
+
+ BookmarkManager
+
+
+
+ Bookmark
+ Marcador
+
+
+
+ Bookmarks
+ Marcadores
+
+
+
+ Remove
+ Suprimir
+
+
+
+ You are going to delete a Folder which will also<br>remove its content. Are you sure you would like to continue?
+ Se dispone a eliminar un directorio y todo su contenido. ¿Está seguro?
+
+
+
+
+ New Folder
+ Nuevo directorio
+
+
+
+ BookmarkWidget
+
+
+ Delete Folder
+ Suprimir directorio
+
+
+
+ Rename Folder
+ Renombrar directorio
+
+
+
+ Show Bookmark
+ Mostrar marcador
+
+
+
+ Show Bookmark in New Tab
+ Mostrar marcador en nueva pestaña
+
+
+
+ Delete Bookmark
+ Suprimir marcador
+
+
+
+ Rename Bookmark
+ Renombrar marcador
+
+
+
+ Filter:
+ Filtro:
+
+
+
+ Add
+ Agregar
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Bookmarks::Internal::BookmarkView
+
+
+ Bookmarks
+ Marcadores
+
+
+
+ &Remove Bookmark
+ Sup&rimir marcador
+
+
+
+ Remove all Bookmarks
+ Suprimir todos los marcadores
+
+
+
+ Bookmarks::Internal::BookmarksPlugin
+
+
+ &Bookmarks
+ &Marcadores
+
+
+
+
+ Toggle Bookmark
+ ?? toggle no tiene un traducción ideal
+ Ir a marcador
+
+
+
+ Ctrl+M
+
+
+
+
+ Meta+M
+
+
+
+
+ Move Up
+ Mover arriba
+
+
+
+ Move Down
+ Mover abajo
+
+
+
+ Previous Bookmark
+ Marcador anterior
+
+
+
+ Ctrl+,
+
+
+
+
+ Meta+,
+
+
+
+
+ Next Bookmark
+ Marcador siguiente
+
+
+
+ Ctrl+.
+
+
+
+
+ Meta+.
+
+
+
+
+ Previous Bookmark In Document
+ Marcador previo en documento
+
+
+
+ Next Bookmark In Document
+ Marcador siguiente en documento
+
+
+
+ BreakByFunctionDialog
+
+
+ Set Breakpoint at Function
+ Establecer punto de interrupción en la función
+
+
+
+ Function to break on:
+ Punto de interrupción en función:
+
+
+
+ BreakCondition
+
+
+ Condition:
+ Condición:
+
+
+
+ Ignore count:
+ Ignorar cuenta:
+
+
+
+ CMakeProjectManager::Internal::CMakeBuildEnvironmentWidget
+
+
+ Build Environment
+ Entorno de construcción
+
+
+
+ CMakeProjectManager::Internal::CMakeBuildSettingsWidget
+
+
+ &Change
+ &Cambiar
+
+
+
+ CMakeProjectManager::Internal::CMakeOpenProjectWizard
+
+
+ CMake Wizard
+ Asistente CMake
+
+
+
+ CMakeProjectManager::Internal::CMakeRunConfigurationWidget
+
+
+ Arguments:
+ Argumentos:
+
+
+ Environment
+ Entorno
+
+
+ Base environment for this runconfiguration:
+ Entorno base para éste ajuste de ejecución:
+
+
+
+ CMakeProjectManager::Internal::CMakeRunPage
+
+
+ Run CMake
+ Ejecutar CMake
+
+
+
+ Arguments
+ Argumentos
+
+
+
+ The directory %1 does not contain a cbp file. Qt Creator needs to create this file by running cmake. Some projects require command line arguments to the initial cmake call.
+ El directorio %1 no contiene un archivo cbp. Qt Creator necesita generar este archivo ejecutando cmake. Algunos proyectos requieren argumentos de línea de comando para la llamada cmake inicial.
+
+
+
+ The directory %1 contains an outdated .cbp file. Qt Creator needs to update this file by running cmake. If you want to add additional command line arguments, add them below. Note that cmake remembers command line arguments from the previous runs.
+ El directorio %1 contiene un archivo cbp desactualizado. Qt Creator necesita actualizar este archivo ejecutando cmake. Si requiere argumentos de línea de comandos adicionales, agréguelos mas abajo. Note que cmake recuerda argumentos de línea de comando de ejecuciones previas.
+
+
+
+ The directory %1 specified in a build-configuration, does not contain a cbp file. Qt Creator needs to recreate this file, by running cmake. Some projects require command line arguments to the initial cmake call. Note that cmake remembers command line arguments from the previous runs.
+ El directorio %1 especificado en la configuración no contiene un archivo cbp. Qt Creator necesita recrear éste archivo ejecutando cmake. Algunos proyectos requieren argumentos de línea de comandos en la llamada cmake inicial. Note que cmake recuerda argumentos de línea de comando de ejecuciones previas.
+
+
+
+ Qt Creator needs to run cmake in the new build directory. Some projects require command line arguments to the initial cmake call.
+ Qt Creator necesita ejecutar cmake en el nuevo directorio de construcción. Algunos proyectos requieren argumentos de línea de comandos en la llamada cmake inicial.
+
+
+
+ CMakeProjectManager::Internal::CMakeSettingsPage
+
+
+
+ CMake
+
+
+
+
+ CMake executable
+ Ejecutable CMake
+
+
+
+ CMakeProjectManager::Internal::InSourceBuildPage
+
+
+ Qt Creator has detected an in-source-build which prevents shadow builds. Qt Creator will not allow you to change the build directory. If you want a shadow build, clean your source directory and re-open the project.
+ shadow build ¿? en la sombra?
+ Qt Creator ha detectado un entorno de construcción entremezclado con las fuentes, lo que impide la construcción en un directorio separado. Qt Creator no le permitirá alterar el directorio de construcción. Si quiere construir en un directorio separado, limpie el directorio de los fuentes y abra nuevamente el proyecto.
+
+
+
+ CMakeProjectManager::Internal::MakeStepConfigWidget
+
+
+ Additional arguments:
+ Argumentos adicionales:
+
+
+
+ Targets:
+ Objetivos:
+
+
+
+ CMakeProjectManager::Internal::ShadowBuildPage
+
+
+ Please enter the directory in which you want to build your project.
+ Por favor, ingrese el directorio en el que quiere construir el proyecto.
+
+
+
+ Please enter the directory in which you want to build your project. Qt Creator recommends to not use the source directory for building. This ensures that the source directory remains clean and enables multiple builds with different settings.
+ Por favor, ingrese el directorio en el que quiere construir el proyecto. Qt Creator recomienda no usar el directorio de fuentes para construir. Esto asegura que el directorio de fuentes permanezca limpio y permite múltiples construcciones con configuraciones distintas.
+
+
+
+ Build directory:
+ Directorio de construcción:
+
+
+
+ CMakeProjectManager::Internal::XmlFileUpToDatePage
+
+
+ Qt Creator has found a recent cbp file, which Qt Creator will parse to gather information about the project. You can change the command line arguments used to create this file in the project mode. Click finish to load the project.
+ Qt Creator ha encontrado un archivo cbp reciente, el mismo será interpretado para recopilar información acerca del proyecto. Puede cambiar los argumentos de línea de comandos usados para crear este archivo en el proyecto. Responda Finalizar para cargar el proyecto.
+
+
+
+ CPlusPlus::OverviewModel
+
+
+ <Select Symbol>
+ <Seleccione símbolo>
+
+
+
+ <No Symbols>
+ <Sin símbolos>
+
+
+
+ CdbOptionsPageWidget
+
+
+ These options take effect at the next start of Qt Creator.
+ Estas opciones surtirán efecto en el próximo inicio de Qt Creator.
+
+
+
+ Cdb
+ Placeholder
+
+
+
+
+ Debugger Paths
+ Rutas del depurador
+
+
+
+ Symbol paths:
+ Rutas de símbolos:
+
+
+
+ Source paths:
+ Rutas de fuentes:
+
+
+
+ <html><body><p>Specify the path to the <a href="%1">Debugging Tools for Windows</a> (%n bit-version) here.</p><p><b>Note:</b> Restarting Qt Creator is required for these settings to take effect.</p></p></body></html>
+ Label text for path configuration. Singular form is not very likely to occur ;-)
+
+ <html><body><p>Especique la ruta a <a href="%1">Herramientas de depuración para Windows</a> (version %n bits) aquí.</p><p><b>Nota:</b> Es necesario reiniciar Qt Creator para que estos cambios surtan efecto.</p></p></body></html>
+ <html><body><p>Especique la ruta a <a href="%1">Herramientas de depuración para Windows</a> (version %n bits) aquí.</p><p><b>Nota:</b> Es necesario reiniciar Qt Creator para que estos cambios surtan efecto.</p></p></body></html>
+
+
+
+
+ Path:
+ Ruta:
+
+
+
+ ote: bla, blah
+ Placeholder
+ what?
+
+
+
+
+ ChangeSelectionDialog
+
+
+ Repository Location:
+ Ubicación del repositorio:
+
+
+
+ Select
+ Seleccionar
+
+
+
+ Change:
+ Cambiar:
+
+
+
+ CodePaster::CodepasterPlugin
+
+
+ &CodePaster
+
+
+
+
+ Paste Snippet...
+ Pegar fragmento...
+
+
+
+ Alt+C,Alt+P
+
+
+
+
+ Fetch Snippet...
+ Obtener fragmento...
+
+
+
+ Alt+C,Alt+F
+
+
+
+
+ Waiting for items
+ Esperando items
+
+
+
+ CodePaster::CustomFetcher
+
+
+ CodePaster Error
+ Error de CodePaster
+
+
+
+ Could not fetch code
+ No se pudo obtener el código
+
+
+
+ CodePaster::CustomPoster
+
+
+ CodePaster Error
+ Error de CodePaster
+
+
+
+ Some error occured while posting
+ Ocurrió algún error mientras se enviaba el código
+
+
+
+ CodePaster::PasteSelectDialog
+
+
+ Paste:
+ Pegar:
+
+
+
+ CodePaster::SettingsPage
+
+
+ CodePaster Server:
+ Servidor CodePaster:
+
+
+
+ Username:
+ Usuario:
+
+
+
+ Copy Paste URL to clipboard
+ Copiar URL al portapapeles
+
+
+
+ Display Output Pane after sending a post
+ Desplegar panel de salida luego de enviar
+
+
+
+
+ General
+
+
+
+
+ CodePaster
+
+
+
+
+ CommonOptionsPage
+
+
+ User interface
+ Interfaz de usuario
+
+
+
+ Checking this will populate the source file view automatically but might slow down debugger startup considerably.
+ Seleccionando esto hará que la vista de código fuente sea rellenada automáticamente pero puede hacer la depuración considerablemente mas lenta.
+
+
+
+ Populate source file view automatically
+ Rellenar vista de código fuente automáticamente
+
+
+
+ When this option is checked, 'Step Into' compresses several steps into one in certain situations, leading to 'less noisy' debugging. So will, e.g., the atomic
+ reference counting code be skipped, and a single 'Step Into' for a signal emission will end up directly in the slot connected to it.
+ Cuando esta opción se selecciona, 'Paso adentro' comprime varios pasos en uno solo en determinadas situaciones, lo que hace la depuración menos verbosa. Así, por ejemplo, el código de conteo atómico de referencias será omitido, y un solo 'Paso adentro' para la emisión de una señal terminará directamente en el slot conectado a ella.
+
+
+
+ Skip known frames when stepping
+ Saltar frames conocidos al avanzar
+
+
+
+ Use tooltips while debugging
+ Usar tooltips durante depuración
+
+
+
+ Maximal stack depth:
+ Profundidad máxima de pila:
+
+
+
+ <unlimited>
+ <ilimitado>
+
+
+
+ Use alternating row colors in debug views
+ Alternar colores de filas
+
+
+
+ Checking this will enable tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default.
+ Si marca esto se activarán los tooltips para valores de variables durante la depuración. Dado que hace lenta la depuración y no arroja información confiable ya que no usa información del alcance, es desactivada por defecto.
+
+
+
+ Enable reverse debugging
+ Habilitar depuración inversa
+
+
+
+ CompletionSettingsPage
+
+
+ Code Completion
+ Completado de código
+
+
+
+ Do a case-sensitive match for completion items.
+ Distinguir MAYÚS/minús en items de autocompletado.
+
+
+
+ &Case-sensitive completion
+ &Completado distingue MAYÚS/minús
+
+
+
+ Automatically insert (, ) and ; when appropriate.
+ Insertar (,) y (;) automáticamente cuando sea apropiado.
+
+
+
+ Insert the common prefix of available completion items.
+ Insertar el prefijo común de los items de completado disponibles.
+
+
+
+ Autocomplete common &prefix
+ Autocompletar &prefijo común
+
+
+
+ &Automatically insert brackets
+ &Automáticamente insertar corchetes
+
+
+
+ ContentWindow
+
+
+ Open Link
+ Abrir vínculo
+
+
+
+ Open Link in New Tab
+ Abrir vínculo en nueva pestaña
+
+
+
+ Core::BaseFileWizard
+
+
+
+
+
+ File Generation Failure
+ Falla generando archivo
+
+
+
+
+ Existing files
+ Archivos existentes
+
+
+
+ Unable to create the directory %1.
+ No fue posible crear el directorio %1.
+
+
+
+ Unable to open %1 for writing: %2
+ No fue posible abrir %1 para escritura: %2
+
+
+
+ Error while writing to %1: %2
+ Error al escribir en %1: %2
+
+
+
+ Failed to open an editor for '%1'.
+ Fallo al abrir un editor para '%1'.
+
+
+
+ [read only]
+ [solo lectura]
+
+
+
+ [directory]
+ [directorio]
+
+
+
+ [symbolic link]
+ [enlace simbólico]
+
+
+
+ The project directory %1 contains files which cannot be overwritten:
+%2.
+ El directorio %1 del proyecto contiene archivos que no pueden ser sobreescritos:
+%2.
+
+
+
+ The following files already exist in the directory %1:
+%2.
+Would you like to overwrite them?
+ Los siguientes archivos ya existen en el directorio %1: %2. ¿Quiere sobreescribirlos?
+
+
+
+ Core::EditorManager
+
+
+
+ Revert to Saved
+ Revertir a la copia guardada
+
+
+
+ Close
+ Cerrar
+
+
+
+ Close All
+ Cerrar todos
+
+
+
+
+ Close Others
+ Cerrar otros
+
+
+
+ Next Document in History
+ Documento siguiente en el historial
+
+
+
+ Previous Document in History
+ Documento previo en el historial
+
+
+ Go back
+ Ir atrás
+
+
+ Go forward
+ Ir adelante
+
+
+
+ Open in External Editor
+ Abrir en editor externo
+
+
+
+ Revert File to Saved
+ Revertir a copia guardada
+
+
+
+ Ctrl+W
+
+
+
+
+ Ctrl+Shift+W
+
+
+
+
+ Alt+Tab
+
+
+
+
+ Ctrl+Tab
+
+
+
+
+ Alt+Shift+Tab
+
+
+
+
+ Ctrl+Shift+Tab
+
+
+
+
+ Ctrl+Alt+Left
+
+
+
+
+ Alt+Left
+
+
+
+
+ Ctrl+Alt+Right
+
+
+
+
+ Alt+Right
+
+
+
+
+ Split
+ Dividir
+
+
+
+ Ctrl+E,2
+
+
+
+
+ Split Side by Side
+ Dividir lado a lado
+
+
+
+ Ctrl+E,3
+
+
+
+
+ Remove Current Split
+ Suprimir vista actual
+
+
+
+ Ctrl+E,0
+
+
+
+
+ Remove All Splits
+ Suprimir todas las vistas
+
+
+
+ Ctrl+E,1
+
+
+
+
+ Goto Other Split
+ Ir a siguiente vista
+
+
+
+ Ctrl+E,o
+
+
+
+
+ &Advanced
+ &Avanzado
+
+
+
+ Alt+V,Alt+I
+
+
+
+
+
+ Opening File
+ Abriendo archivo
+
+
+
+ Cannot open file %1!
+ No se pudo abrir archivo %1!
+
+
+
+ Open File
+ Abrir archivo
+
+
+
+ File is Read Only
+ El archivo es de solo lectura
+
+
+
+ The file %1 is read only.
+ El archivo %1 es de solo lectura.
+
+
+
+ Open with VCS (%1)
+ Abrir con VCS (%1)
+
+
+
+ Save as ...
+ Guardar como ...
+
+
+
+
+ Failed!
+ Ha fallado!
+
+
+
+ Could not open the file for editing with SCC.
+ No se pudo abrir el archivo para edición con SCC.
+
+
+
+ Could not set permissions to writable.
+ No se pudo establecer permisos para escritura.
+
+
+
+ <b>Warning:</b> You are changing a read-only file.
+ <b>Advertencia:</b> Está modificando un archivo de solo lectura.
+
+
+
+
+ Make writable
+ Hacer escribible
+
+
+
+ Go Back
+ Ir atrás
+
+
+
+ Go Forward
+ Ir adelante
+
+
+
+ Save %1 As...
+ Guardar %1 como ...
+
+
+
+ &Save %1
+ &Guardar %1
+
+
+
+ Revert %1 to Saved
+ Revertir %1 a copia guardada
+
+
+
+ Close %1
+ Cerrar %1
+
+
+
+ Close All Except %1
+ Cerrar todos excepto %1
+
+
+
+ You will lose your current changes if you proceed reverting %1.
+ Se perderán sus modificaciones si procede revirtiendo %1.
+
+
+
+ Proceed
+ Proceder
+
+
+
+ Cancel
+ Cancelar
+
+
+
+ <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expands to</th></tr><tr><td>%f</td><td>file name</td></tr><tr><td>%l</td><td>current line number</td></tr><tr><td>%c</td><td>current column number</td></tr><tr><td>%x</td><td>editor's x position on screen</td></tr><tr><td>%y</td><td>editor's y position on screen</td></tr><tr><td>%w</td><td>editor's width in pixels</td></tr><tr><td>%h</td><td>editor's height in pixels</td></tr><tr><td>%W</td><td>editor's width in characters</td></tr><tr><td>%H</td><td>editor's height in characters</td></tr><tr><td>%%</td><td>%</td></tr></table>
+ <table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expande a</th></tr><tr><td>%f</td><td>nombre de archivo</td></tr><tr><td>%l</td><td>número de línea actual</td></tr><tr><td>%c</td><td>número de columna actual</td></tr><tr><td>%x</td><td>posición x del editor en pantalla</td></tr><tr><td>%y</td><td>posición y del editor en pantalla</td></tr><tr><td>%w</td><td>ancho del editor en pixeles</td></tr><tr><td>%h</td><td>altura del editor en pixeles</td></tr><tr><td>%W</td><td>ancho del editor en caracteres</td></tr><tr><td>%H</td><td>altura del editor en caracteres</td></tr><tr><td>%%</td><td>%</td></tr></table>
+
+
+
+ Core::FileManager
+
+
+ Can't save file
+ No se pudo guardar el archivo
+
+
+
+ Can't save changes to '%1'. Do you want to continue and loose your changes?
+ No se pudo guardar los cambios a %1. ¿Quiere continuar descartando sus cambios?
+
+
+
+ Overwrite?
+ ¿Sobreescribir?
+
+
+
+ An item named '%1' already exists at this location. Do you want to overwrite it?
+ Un item nombrado '%1' ya existe en esta ubicación. ¿Quiere sobreescribirlo?
+
+
+
+ Save File As
+ Guardar archivo como
+
+
+
+ Core::Internal::ComboBox
+
+
+ Activate %1
+ Activar %1
+
+
+
+ Core::Internal::EditMode
+
+
+ Edit
+ Edición
+
+
+
+ Core::Internal::EditorSplitter
+
+
+ Split Left/Right
+ Dividir Izquierda/Derecha
+
+
+
+ Split Top/Bottom
+ Dividir Abajo/Arriba
+
+
+
+ Unsplit
+ Reunir
+
+
+
+ Default Splitter Layout
+ Esquema predefinido
+
+
+
+ Save Current as Default
+ Guardar actual como predefinido
+
+
+
+ Restore Default Layout
+ Restaurar esquema predefinido
+
+
+
+ Previous Document
+ Documento previo
+
+
+
+ Alt+Left
+
+
+
+
+ Next Document
+ Documento siguiente
+
+
+
+ Alt+Right
+
+
+
+
+ Previous Group
+ Grupo previo
+
+
+
+ Next Group
+ Grupo siguiente
+
+
+
+ Move Document to Previous Group
+ Mover documento al grupo previo
+
+
+
+ Move Document to Next Group
+ Mover documento al grupo siguiente
+
+
+
+ Core::Internal::EditorView
+
+
+
+ Placeholder
+ Suplente?
+ Suplente
+
+
+
+ Close
+ Cerrar
+
+
+
+ Make writable
+ Hacer escribible
+
+
+
+ File is writable
+ El archivo es escribible
+
+
+
+ Core::Internal::GeneralSettings
+
+
+ General
+
+
+
+
+ Environment
+ Entorno
+
+
+
+ Variables
+ Variables
+
+
+
+ General settings
+ Ajustes generales
+
+
+
+ User &interface color:
+ Color de &interfaz de usuario:
+
+
+
+ Reset to default
+ Restablecer a predefinidos
+
+
+
+ R
+
+
+
+
+ Terminal:
+
+
+
+
+ External editor:
+ Editor externo:
+
+
+
+ ?
+
+
+
+
+ Core::Internal::MainWindow
+
+
+ Qt Creator
+
+
+
+
+ Output
+ Salida
+
+
+
+ &File
+ &Archivo
+
+
+
+ &Edit
+ &Editar
+
+
+
+ &Tools
+ &Herramientas
+
+
+
+ &Window
+ &Ventanas
+
+
+
+ &Help
+ A&yuda
+
+
+
+ &New...
+ &Nuevo...
+
+
+
+ &Open...
+ A&brir...
+
+
+
+ &Open With...
+ Abrir &con...
+
+
+
+ Recent Files
+ Archivos recientes
+
+
+
+
+ &Save
+ &Guardar
+
+
+
+
+ Save &As...
+ Guardar co&mo...
+
+
+
+
+ Ctrl+Shift+S
+
+
+
+
+ Save A&ll
+ Guardar t&odo
+
+
+
+ &Print...
+ Im&primir...
+
+
+
+ E&xit
+ &Salir
+
+
+
+ Ctrl+Q
+
+
+
+
+
+ &Undo
+ &Deshacer
+
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ Cu&t
+ Cor&tar
+
+
+
+ &Copy
+ &Copiar
+
+
+
+ &Paste
+ &Pegar
+
+
+
+ &Select All
+ &Seleccionar todo
+
+
+
+ &Go To Line...
+ Ir a &línea...
+
+
+
+ Ctrl+L
+
+
+
+
+ &Options...
+ &Opciones...
+
+
+
+ Minimize
+ Minimizar
+
+
+
+ Zoom
+
+
+
+
+ Show Sidebar
+ Mostrar barra lateral
+
+
+
+ Full Screen
+ Pantalla completa
+
+
+
+ About &Qt Creator
+ Acerca de &Qt Creator
+
+
+
+ About &Qt Creator...
+ Acerca de &Qt Creator...
+
+
+
+ About &Plugins...
+ Acerca de los &plugins...
+
+
+
+ New...
+ Title of dialog
+ Nuevo...
+
+
+
+ Core::Internal::MessageOutputWindow
+
+
+ General
+
+
+
+
+ Core::Internal::NavComboBox
+
+
+ Activate %1
+ Activar %1
+
+
+
+ Core::Internal::NavigationSubWidget
+
+
+ Split
+ Dividir
+
+
+
+ Close
+ Cerrar
+
+
+
+ Core::Internal::NavigationWidget
+
+
+ Activate %1 Pane
+ Activar panel %1
+
+
+
+ Core::Internal::NewDialog
+
+
+ New Project
+ Nuevo proyecto
+
+
+
+ 1
+
+
+
+
+ Core::Internal::OpenEditorsWidget
+
+
+ Open Documents
+ Documentos abiertos
+
+
+
+ Core::Internal::OpenEditorsWindow
+
+
+ *
+
+
+
+
+ Core::Internal::OpenWithDialog
+
+
+ Open file '%1' with:
+ Abrir archivo '%1' con:
+
+
+
+ Core::Internal::OutputPaneManager
+
+
+ Output
+ Salida
+
+
+
+ Clear
+ Limpiar
+
+
+
+ Next Item
+ Item siguiente
+
+
+
+ Previous Item
+ Item previo
+
+
+
+ Output &Panes
+ &Paneles de salida
+
+
+
+ Core::Internal::PluginDialog
+
+
+ Details
+ Detalles
+
+
+
+ Error Details
+ Fehlermeldungen zu %1
+ Detalles de errores
+
+
+
+ Close
+ Cerrar
+
+
+
+ Installed Plugins
+ Plugins instalados
+
+
+
+ Plugin Details of %1
+ Detalles del plugin %1
+
+
+
+ Plugin Errors of %1
+ Errores del plugin %1
+
+
+
+ Core::Internal::ProgressView
+
+
+ Processes
+ Procesos
+
+
+
+ Core::Internal::SaveItemsDialog
+
+
+ Don't Save
+ No guardar
+
+
+
+ Save All
+ Guardar todo
+
+
+
+ Save
+ Guardar
+
+
+
+ Save Selected
+ Guardar seleccionado
+
+
+
+ Core::Internal::ShortcutSettings
+
+
+ Keyboard
+ Teclado
+
+
+
+ Environment
+ Entorno
+
+
+
+ Import Keyboard Mapping Scheme
+ Importar esquema de mapeado de teclas
+
+
+
+
+ Keyboard Mapping Scheme (*.kms)
+ Esquema de mapeado de teclas (*.kms)
+
+
+
+ Export Keyboard Mapping Scheme
+ Exportar esquema de mapeado de teclas
+
+
+
+ Core::Internal::SideBarWidget
+
+
+ Split
+ Dividir
+
+
+
+ Close
+ Cerrar
+
+
+
+ Core::Internal::VersionDialog
+
+
+ About Qt Creator
+ Acerca de Qt Creator
+
+
+
+ From revision %1<br/>
+ This gets conditionally inserted as argument %8 into the description string.
+ Revisión %1
+
+
+
+ <h3>Qt Creator %1</h3>Based on Qt %2 (%3 bit)<br/><br/>Built on %4 at %5<br /><br/>%8<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/>
+ <h3>Qt Creator %1</h3>Basado en Qt %2 (%3 bit)<br/><br/>Construido el %4 a la hora %5<br /><br/>%8<br/>Copyright 2008-%6 %7. Todos los derechos reservados.<br/><br/>El programa se provee COMO ESTÁ sin GARANTÍA ALGUNA DE NINGÚN TIPO, INCLUYENDO LA GARANTÍA DE DISEÑO, COMERCIABILIDAD Y ADECUACIÓN PARA UN PROPÓSITO PARTICULAR.<br/>
+
+
+ <h3>Qt Creator %1</h3>Based on Qt %2<br/><br/>Built on
+ <h3>Qt Creator %1</h3>Basado en Qt %2<br/><br/>Construido el
+
+
+
+ Core::Internal::WelcomeMode
+
+ Projects
+ Proyectos
+
+
+ Sessions
+ Sesiones
+
+
+
+ Tutorials
+ Tutoriales
+
+
+ Qt Demos and Examples
+ Demostraciones y ejemplos de Qt
+
+
+ Did you know?
+ ¿Sabía que...?
+
+
+ News from the Qt Labs
+ Novedades desde los Laboratorios de Qt
+
+
+
+ Qt Websites
+ Sitios Web de Qt
+
+
+
+ http://labs.trolltech.com/blogs/feed
+ Add localized feed here only if one exists
+
+
+
+
+ Qt Software
+
+
+
+
+ Qt Labs
+
+
+
+
+ Qt Git Hosting
+
+
+
+
+ Qt Centre
+
+
+
+
+ Qt for S60 at Forum Nokia
+
+
+
+ Qt Creator - A quick tour
+ Tour rápido - Qt Creator
+
+
+
+ Understanding widgets
+ Entendiendo los Widgets
+
+
+
+ Creating an address book
+ Creando una libreta de direcciones
+
+
+
+ Open Recent Project
+ Abrir proyecto reciente
+
+
+
+ Resume Session
+ Retomar sesión
+
+
+
+ Explore Qt Examples
+ Explorar los ejemplos de Qt
+
+
+
+ Did You Know?
+ ¿Sabía que...?
+
+
+
+ News From the Qt Labs
+ Novedades desde los laboratorios de Qt
+
+
+
+ <b>Qt Creator - A quick tour</b>
+ <b>Tour rápido de Qt Creator</b>
+
+
+
+ Building with qmake
+ Construyendo con qmake
+
+
+
+ Writing test cases
+ Escribiendo tests unitarios
+
+
+
+ Welcome
+ Bienvenida
+
+
+
+ %1 (last session)
+ %1 (última sesión)
+
+
+
+ Choose an example...
+ Seleccionar un ejemplo...
+
+
+
+ New Project...
+ Nuevo proyecto...
+
+
+
+ Cmd
+ Shortcut key
+
+
+
+
+ Alt
+ Shortcut key
+
+
+
+
+ You can switch between Qt Creator's modes using <tt>Ctrl+number</tt>:<ul><li>1 - Welcome</li><li>2 - Edit</li><li>3 - Debug</li><li>4 - Projects</li><li>5 - Help</li><li></li><li>6 - Output</li></ul>
+ Puede alternar entre los modos de Qt Creator usando <tt>Ctrl+número</tt>:<ul><li>1 - Bienvenida</li><li>2 - Edición</li><li>3 - Depuración</li><li>4 - Proyectos</li><li>5 - Ayuda</li><li></li><li>6 - Salida</li></ul>
+
+
+
+ You can show and hide the side bar using <tt>%1+0<tt>.
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ Puede mostrar/ocultar la barra lateral usando <tt>%1+0<tt>.
+
+
+
+ The code completion is CamelCase-aware. For example, to complete <tt>namespaceUri</tt> you can just type <tt>nU</tt> and hit <tt>Ctrl+Space</tt>.
+ El autocompletado de código reconoce las formas "CamelCase". Por ejemplo, para completar <tt>namespaceUri</tt> puede simplemente escribir <tt>nU</tt> y teclear <tt>Ctrl+Espacio</tt>.
+
+
+
+ You can force code completion at any time using <tt>Ctrl+Space</tt>.
+ Puede forzar el autocompletado en cualquier momento usando <tt>Ctrl+Espacio</tt>.
+
+
+
+ You can start Qt Creator with a session by calling <tt>qtcreator <sessionname></tt>.
+ Puede iniciar Qt Creator en una sesión específica invocándolo así <tt>qtcreator <nombre_de_sesión></tt>.
+
+
+
+ You can return to edit mode from any other mode at any time by hitting <tt>Escape</tt>.
+ Puede regresar el modo Edición desde cualquier otro modo en cualquier momento tecleando <tt>Escape</tt>.
+
+
+
+ You can switch between the output pane by hitting <tt>%1+n</tt> where n is the number denoted on the buttons at the window bottom:<ul><li>1 - Build Issues</li><li>2 - Search Results</li><li>3 - Application Output</li><li>4 - Compile Output</li></ul>
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ Puede alternar entre paneles de salida tecleando <tt>%1+n</tt>, donde n es el número indicado en los botones situados en la parte inferior de la ventana:<ul><li>1 - Construcción</li><li>2 - Resultado de búsquedas</li><li>3 - Salida de aplicación</li><li>4 - Salida del compilador</li></ul>
+
+
+
+ You can quickly search methods, classes, help and more using the <a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">Locator bar</a> (<tt>Ctrl+K</tt>).
+ Puede buscar fácilmente métodos, clases, ayuda y más usando la <a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">Barra Localizadora</a> (<tt>Ctrl+K</tt>).
+
+
+
+ You can add custom build steps in the <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">build settings</a>.
+ Puede añadir etapas de construcción personalizadas en los <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">Ajustes de construcción</a>.
+
+
+
+ Within a session, you can add <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">dependencies</a> between projects.
+ Durante una sesión, puede añadir <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">dependencias</a> entre proyectos.
+
+
+
+ You can set the preferred editor encoding for every project in <tt>Projects -> Editor Settings -> Default Encoding</tt>.
+ Puede ajustar la codificación de caracteres preferida para cada proyecto en <tt>Proyectos -> Ajustes de edición -> Codificación de caracteres predefinida</tt>.
+
+
+
+ You can modify the binary that is being executed when you press the <tt>Run</tt> button: Add a <tt>Custom Executable</tt> by clicking the <tt>+</tt> button in <tt>Projects -> Run Settings -> Run Configuration</tt> and then select the new target in the combo box.
+ Puede modificar el binario a ser ejecutado cuando se presione el botón <tt>Ejecutar</tt>: Añada <tt>Ejecutable personalizado</tt> con un click en el botón <tt>+</tt> en <tt>Proyectos -> Ajustes de ejecución -> Ajuste de ejecución</tt> y luego seleccionando el nuevo objetivo en el combo box.
+
+
+
+ You can use Qt Creator with a number of <a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">revision control systems</a> such as Subversion, Perforce and Git.
+ Puede usar Qt Creator con varios <a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">sistemas de control de versiones/revisiones</a> como Subversion, Perforce y Git.
+
+
+
+ In the editor, <tt>F2</tt> toggles declaration and definition while <tt>F4</tt> toggles header file and source file.
+ En el editor, <tt>F2</tt> alterna entre declaración y definición así como <tt>F4</tt> alterna entre el archivo de encabezado (.h) y el de implementación (.cpp).
+
+
+ You can switch between Qt Creator's modes using <tt>Ctrl+number</tt>:<ol><li> - Welcome</li><li> - Edit</li><li>- Debug</li><li>- Projects</li><li>- Help</li><li></li><li>- Output</li></ol>
+ Puede alternar entre los modos de Qt Creator usando <tt>Ctrl+número</tt>:<ol><li> - Bienvenida</li><li> - Editar</li><li>- Depurar</li><li>- Proyectos</li><li>- Ayuda</li><li></li><li>- Salida</li></ol>
+
+
+ You can show and hide the side bar using <tt>Alt+0<tt>.
+ Puede ocultar/mostrar la barra lateral usando <tt>Alt+0</tt>.
+
+
+
+ You can fine tune the <tt>Find</tt> function by selecting "Whole Words" or "Case Sensitive". Simply click on the icons on the right end of the line edit.
+ Puede personalizar la función <tt>Buscar</tt> seleccionando "Palabras completas solamente" o "Distinguir MAYÚS/minús". Solo tiene que hacer clic en los íconos situados a la derecha del componente de edición de texto.
+
+
+
+ If you add <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">external libraries</a>, Qt Creator will automatically offer syntax highlighting and code completion.
+ Si agrega <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">librerías externas</a>, Qt Creator le ofrecerá automáticamente realce de sintaxis y autocompletado de código.
+
+
+
+ Core::Internal::WelcomePage
+
+ <qt>Restore Last Session >>
+ <qt>Restaurar última sesión >>
+
+
+
+ Help us make Qt Creator even better
+ Ayúdenos a hacer Qt Creator aún mejor
+
+
+
+ #gradientWidget {
+ background-color: qlineargradient(spread:pad, x1:0.5, y1:0, x2:0.5, y2:1, stop:0 rgba(247, 247, 247, 255), stop:1 rgba(215, 215, 215, 255));
+}
+
+
+
+
+ #headerFrame {
+ border-image: url(:/core/images/welcomemode/center_frame_header.png) 0;
+ border-width: 0;
+}
+
+
+
+
+
+ Getting Started
+ Comenzar con Qt
+
+
+
+ Develop
+ Desarrollar
+
+
+
+ Community
+ Comunidad
+
+
+
+ Open
+ Abrir
+
+
+
+ Examples not installed
+ Ejemplos no instalados
+
+
+
+ Manage Sessions...
+ Gestionar sesiones...
+
+
+
+ Create New Project...
+ Crear un nuevo proyecto...
+
+
+
+ Feedback
+
+
+
+
+ Core::ModeManager
+
+
+ Switch to %1 mode
+ Alternar al modo %1
+
+
+
+ Core::ScriptManager
+
+
+ Exception at line %1: %2
+%3
+ Excepción en línea %1: %2
+%3
+
+
+
+ Unknown error
+ Error desconocido
+
+
+
+ Core::StandardFileWizard
+
+
+ New %1
+ TODO: Grammatical case problem
+ Nuevo %1
+
+
+
+ Core::Utils::ClassNameValidatingLineEdit
+
+
+ The class name must not contain namespace delimiters.
+ El nombre de clase no debe contener delimitadores de namespaces.
+
+
+
+ Please enter a class name.
+ Por favor, introduzca un nombre para la clase.
+
+
+
+ The class name contains invalid characters.
+ El nombre de clase contiene caracteres inválidos.
+
+
+
+ Core::Utils::ConsoleProcess
+
+
+ Cannot set up communication channel: %1
+ No se pudo establecer canal de comunicación: %1
+
+
+
+ Cannot create temporary file: %1
+ No se pudo crear archivo temporal: %1
+
+
+
+ Press <RETURN> to close this window...
+ Presione <INTRO> para cerrar esta ventana...
+
+
+
+ Cannot start the terminal emulator '%1'.
+ No se pudo arrancar el emulador de terminal '%1'.
+
+
+
+ Cannot create temporary directory '%1': %2
+ No se pudo crear el directorio temporal '%1': %2
+
+
+
+ Cannot create socket '%1': %2
+ No se pudo crear socket '%1': %2
+
+
+
+ Cannot change to working directory '%1': %2
+ No se pudo cambiar al directorio de trabajo '%1': %2
+
+
+
+ Cannot execute '%1': %2
+ Imposible ejecutar '%1': %2
+
+
+
+ Unexpected output from helper program.
+ Salida inesperada desde el auxiliar de depuración.
+
+
+
+ The process '%1' could not be started: %2
+ El proceso '%1' no pudo iniciarse: %2
+
+
+
+ Cannot obtain a handle to the inferior: %1
+ No se pudo obtener un identificador al inferior: %1
+
+
+
+ Cannot obtain exit status from inferior: %1
+ No se pudo obtener el estado de salida del inferior: %1
+
+
+
+ Core::Utils::FileNameValidatingLineEdit
+
+
+ The name must not be empty
+ El nombre no puede dejarse vacío
+
+
+
+ The name must not contain any of the characters '%1'.
+ El nombre no debe contener ninguno de los caracteres '%1'.
+
+
+
+ The name must not contain '%1'.
+ El nombre no debe contener '%1'.
+
+
+
+ The name must not match that of a MS Windows device. (%1).
+ El nombre no debe coincidir con el nombre de dispositivo de MS Windows. (%1).
+
+
+
+ Core::Utils::FileSearch
+
+
+ %1: canceled. %n occurrences found in %2 files.
+
+ %1: cancelado. %n coincidencia encontrada en %2 archivo.
+ %1: cancelado. %n coincidencias encontradas en %2 archivos.
+
+
+
+
+ %1: %n occurrences found in %2 files.
+
+ %1: %n coincidencia encontrada en %2 archivo.
+ %1: %n coincidencias encontradas en %2 archivos.
+
+
+
+
+ %1: %n occurrences found in %2 of %3 files.
+
+ %1: %n coincidencia encontrada en %2 de %3 archivos.
+ %1: %n coincidencias encontradas en %2 de %3 archivos.
+
+
+
+
+ Core::Utils::NewClassWidget
+
+
+ Invalid base class name
+ Nombre de clase base inválido
+
+
+
+ Invalid header file name: '%1'
+ Nombre de archivo de encabezado inválido: '%1'
+
+
+
+ Invalid source file name: '%1'
+ Nombre de archivo de fuentes inválido: '%1'
+
+
+
+ Invalid form file name: '%1'
+ Nombre de archivo de formulario inválido: '%1'
+
+
+
+ Class name:
+ Nombre de clase:
+
+
+
+ Base class:
+ Clase base:
+
+
+
+ Header file:
+ Archivo de encabezado:
+
+
+
+ Source file:
+ Archivo de fuentes:
+
+
+
+ Generate form:
+ Generar formulario:
+
+
+
+ Form file:
+ Archivo de formulario:
+
+
+
+ Path:
+ Ruta:
+
+
+
+ Core::Utils::PathChooser
+
+
+ Choose...
+ Elegir...
+
+
+
+ Browse...
+ Seleccionar...
+
+
+
+ Choose a directory
+ Elegir directorio
+
+
+
+ Choose a file
+ Elegir un archivo
+
+
+
+ The path must not be empty.
+ La ruta no debe estar vacía.
+
+
+
+ The path '%1' does not exist.
+ La ruta '%1' no existe.
+
+
+
+ The path '%1' is not a directory.
+ La ruta '%1' no es un directorio.
+
+
+
+ The path '%1' is not a file.
+ La ruta '%1' no es un archivo.
+
+
+
+ Path:
+ Ruta:
+
+
+
+ Core::Utils::PathListEditor
+
+
+ Insert...
+ Insertar...
+
+
+
+ Add...
+ Agregar...
+
+
+
+ Delete line
+ Suprimir línea
+
+
+
+ Clear
+ Limpiar
+
+
+
+ From "%1"
+ Desde "%1"
+
+
+
+ Core::Utils::ProjectIntroPage
+
+
+ <Enter_Name>
+ <Introduzca_nombre>
+
+
+
+ The project already exists.
+ El proyecto ya existe.
+
+
+
+ A file with that name already exists.
+ Un archivo con ese nombre ya existe.
+
+
+
+ Introduction and project location
+ Introducción y ubicación del proyecto
+
+
+
+ Name:
+ Nombre:
+
+
+
+ Create in:
+ Crear en:
+
+
+
+ Core::Utils::ProjectNameValidatingLineEdit
+
+
+ The name must not contain the '.'-character.
+ El nombre no puede contener el caracter '.' (punto).
+
+
+
+ Core::Utils::SubmitEditorWidget
+
+
+ Subversion Submit
+ Enviar a Subversion
+
+
+
+ Des&cription
+ Des&cripción
+
+
+
+ F&iles
+ Arch&ivos
+
+
+
+ Core::Utils::WizardPage
+
+
+ Choose the location
+ Seleccione ubicación
+
+
+
+ Name:
+ Nombre:
+
+
+
+ Path:
+ Ruta:
+
+
+
+ Core::Utils::reloadPrompt
+
+
+ File Changed
+ El archivo fue modificado
+
+
+
+ The file %1 has changed outside Qt Creator. Do you want to reload it?
+ El archivo %1 fue cambiado desde fuera de Qt Creator. ¿Quiere recargarlo?
+
+
+
+ CppEditor::Internal::CPPEditor
+
+
+ Sort alphabetically
+ Ordenar alfabeticamente
+
+
+ Simplify Declarations
+ Simplificar declaraciones
+
+
+ Reformat Document
+ Reformatear documento
+
+
+
+ CppEditor::Internal::ClassNamePage
+
+
+ Enter class name
+ Introduzca nombre de clase
+
+
+
+ The header and source file names will be derived from the class name
+ Los nombres para el encabezado (.h) y la implementación (.cpp) serán inferidos del nombre de clase
+
+
+
+ Configure...
+ Configurar...
+
+
+
+ CppEditor::Internal::CppClassWizard
+
+
+ Error while generating file contents.
+ Error generando el contenido del archivo.
+
+
+
+ CppEditor::Internal::CppClassWizardDialog
+
+
+ C++ Class Wizard
+ Asistente de Clases C++
+
+
+
+ CppEditor::Internal::CppHoverHandler
+
+
+ Unfiltered
+ Sin filtro
+
+
+
+ CppEditor::Internal::CppPlugin
+
+
+ C++
+
+
+
+
+ C++ Header File
+ Archivo de Encabezado C++
+
+
+
+ Creates a C++ header file.
+ Crea un Archivo de Encabezado C++.
+
+
+
+ Creates a C++ source file.
+ Crea un Archivo de Fuente C++.
+
+
+
+ C++ Source File
+ Archivo de Fuente C++
+
+
+
+ C++ Class
+ Clase C++
+
+
+
+ Creates a header and a source file for a new class.
+ Crea el encabezado y la implementación para una clase nueva.
+
+
+
+ Follow Symbol under Cursor
+ Seguir símbolo bajo el cursor
+
+
+
+ Switch between Method Declaration/Definition
+ Alternar entre declaración/definición del método
+
+
+
+ CppFileSettingsPage
+
+
+ Header suffix:
+ Sufijo para encabezados:
+
+
+ File naming conventions
+ Convenciones de nomenclatura de archivos
+
+
+
+ Source suffix:
+ Sufijo para fuentes:
+
+
+
+ Lower case file names
+ Nombres de archivos en minúsculas
+
+
+
+ File Naming Conventions
+ Convenciones de nomenclatura de archivos
+
+
+
+ CppPreprocessor
+
+
+ %1: No such file or directory
+ %1: No existe el archivo ó directorio
+
+
+
+ CppTools
+
+ File naming conventions
+ Convenciones de nomenclatura de archivos
+
+
+
+ File Naming Conventions
+ Convenciones de nomenclatura de archivos
+
+
+
+ C++
+ C++
+
+
+
+ CppTools::Internal::CompletionSettingsPage
+
+
+ Completion
+ Completado
+
+
+
+ Text Editor
+ Editor de texto
+
+
+
+ CppTools::Internal::CppClassesFilter
+
+
+ Classes
+ Clases
+
+
+
+ CppTools::Internal::CppCurrentDocumentFilter
+
+ Methods in current Document
+ Métodos en el documento actual
+
+
+
+ CppTools::Internal::CppFunctionsFilter
+
+
+ Methods
+ Métodos
+
+
+
+ CppTools::Internal::CppModelManager
+
+
+ Indexing
+ Indizando
+
+
+
+ CppTools::Internal::CppQuickOpenFilter
+
+
+ Classes and Methods
+ Clases y métodos
+
+
+
+ CppTools::Internal::CppToolsPlugin
+
+
+ &C++
+
+
+
+
+ Switch Header/Source
+ Alternar entre declaración/definición
+
+
+
+ CppTools::Internal::FindClassDeclarations
+
+ Search class
+ Buscar clase
+
+
+ Class Declarations
+ Declaración de clase
+
+
+
+ CppTools::Internal::FindFunctionCalls
+
+ Search functions
+ Buscar funciones
+
+
+ Function calls
+ Llamadas a función
+
+
+
+ CppTools::Internal::FunctionArgumentWidget
+
+
+ %1 of %2
+ %1 de %2
+
+
+
+ Debugger
+
+
+ Common
+ Común
+
+
+
+ Debugger
+ Depurador
+
+
+
+ <Encoding error>
+ <Error de codificación>
+
+
+
+ Debugger::Internal::AttachCoreDialog
+
+
+ Select Executable
+ Seleccione ejecutable
+
+
+
+ Select Core File
+ Seleccione archivo principal
+
+
+
+ Debugger::Internal::AttachExternalDialog
+
+
+ Process ID
+ ID de proceso
+
+
+
+ Name
+ Nombre
+
+
+
+ State
+ Estado
+
+
+
+ Refresh
+ Refrescar
+
+
+
+ Debugger::Internal::AttachTcfDialog
+
+
+ Select Executable
+ Seleccione ejecutable
+
+
+
+ Debugger::Internal::BreakHandler
+
+
+ Marker File:
+ Archivo de la banderilla:
+
+
+
+ Marker Line:
+ Línea de la banderilla:
+
+
+
+ Breakpoint Number:
+ Número de punto de ruptura:
+
+
+
+ Breakpoint Address:
+ Dirección de punto de ruptura:
+
+
+
+ Property
+ Propiedad
+
+
+
+ Requested
+ Solicitado
+
+
+
+ Obtained
+ Obtenido
+
+
+
+ Internal Number:
+ Número interno:
+
+
+
+ File Name:
+ Nombre de archivo:
+
+
+
+ Function Name:
+ Nombre de función:
+
+
+
+ Line Number:
+ Número de línea:
+
+
+
+ Condition:
+ Condición:
+
+
+
+ Ignore Count:
+ Omisiones:
+
+
+
+ Number
+ Número
+
+
+
+ Function
+ Función
+
+
+
+ File
+ Archivo
+
+
+
+ Line
+ Línea
+
+
+
+ Condition
+ Condición
+
+
+
+ Ignore
+ Omitir
+
+
+
+ Breakpoint will only be hit if this condition is met.
+ El punto de ruptura se alcanzará solo si se cumple ésta condición.
+
+
+
+ Breakpoint will only be hit after being ignored so many times.
+ El punto de ruptura se alcanzará luego de ser ignorado ésta cantidad de veces.
+
+
+
+ Debugger::Internal::BreakWindow
+
+
+ Breakpoints
+ Puntos de ruptura
+
+
+
+ Delete breakpoint
+ Suprimir punto de ruptura
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Edit condition...
+ Editar condición...
+
+
+
+ Synchronize breakpoints
+ Sincronizar puntos de ruptura
+
+
+
+ Disable breakpoint
+ Inactivar punto de ruptura
+
+
+
+ Enable breakpoint
+ Activar punto de ruptura
+
+
+
+ Use short path
+ Usar ruta corta
+
+
+
+ Use full path
+ Usar ruta completa
+
+
+
+ Set Breakpoint at Function...
+ Establecer punto de ruptura en función...
+
+
+
+ Set Breakpoint at Function "main"
+ Establecer punto de ruptura en función "main"
+
+
+
+ Conditions on Breakpoint %1
+ Condiciones en punto de ruptura %1
+
+
+
+ Debugger::Internal::CdbDebugEngine
+
+
+ Unable to load the debugger engine library '%1': %2
+ Imposible cargar librería del depurador '%1': %2
+
+
+
+ The function "%1()" failed: %2
+ Function call failed
+ La función "%1()" ha fallado: %2
+
+
+
+ Unable to resolve '%1' in the debugger engine library '%2'
+ Imposible resolver '%1' en la librería del depurador '%2'
+
+
+
+ The dumper library '%1' does not exist.
+ La librería de volcado '%1' no existe.
+
+
+
+ The console stub process was unable to start '%1'.
+ esto merece una mejor aclaración
+ El proceso console stub no pudo iniciar '%1'.
+
+
+
+ Attaching to core files is not supported!
+ Acoplar archivos de volcado (core) no está soportado!
+
+
+
+ Debugger running
+ Depurador en ejecución
+
+
+
+ Attaching to a process failed for process id %1: %2
+ Acoplar a un proceso ha fallado para el PID %1: %2
+
+
+
+ Unable to create a process '%1': %2
+ Imposible crear un proceso '%1': %2
+
+
+
+ Unable to assign the value '%1' to '%2': %3
+ Imposible asignar el valor '%1' a '%2': %3
+
+
+
+ Cannot retrieve symbols while the debuggee is running.
+ Imposible obtener símbolos mientras el programa a ser depurado esta en ejecución.
+
+
+
+
+ Debugger Error
+ Error del depurador
+
+
+
+ Debugger::Internal::CdbDumperHelper
+
+
+ injection
+ inyección
+
+
+
+ debugger call
+ llamada al depurador
+
+
+
+ Loading the custom dumper library '%1' (%2) ...
+ Cargando librería de volcado personalizada '%1' (%2) ...
+
+
+
+ Loading of the custom dumper library '%1' (%2) failed: %3
+ Falló la carga de la librería de volcado personalizada '%1' (%2): %3
+
+
+
+ Loaded the custom dumper library '%1' (%2).
+ Librería de volcado personalizada '%1' (%2) ha sido cargada.
+
+
+
+ Disabling dumpers due to debuggee crash...
+ Volcado desactivado debido a terminación abrupta del programa en depuración...
+
+
+
+ The debuggee does not appear to be Qt application.
+ El programa que se intenta depurar no parece ser una aplicación Qt.
+
+
+
+ Initializing dumpers...
+ Inicializando volcadores...
+
+
+
+ Custom dumper library initialized.
+ Librería de volcado inicializada.
+
+
+
+ The custom dumper library could not be initialized: %1
+ La librería de volcado personalizada no pudo ser inicializada: %1
+
+
+
+ Querying dumpers for '%1'/'%2' (%3)
+ Solicitando volcado de '%1'/'%2' (%3)
+
+
+
+ Debugger::Internal::CdbOptionsPageWidget
+
+
+ Cdb
+ Cdb
+
+
+
+ Autodetect
+ Autodetectar
+
+
+
+ "Debugging Tools for Windows" could not be found.
+ No se pudo encontrar las Herramientas de depuración para Windows.
+
+
+
+ Checked:
+%1
+ Revisado: %1
+
+
+
+ Autodetection
+ Autodetección
+
+
+
+ Debugger::Internal::CdbSymbolPathListEditor
+
+
+ Symbol Server...
+ Servidor de símbolos...
+
+
+
+ Adds the Microsoft symbol server providing symbols for operating system libraries.Requires specifying a local cache directory.
+ Agrega el servidor de símbolos de Microsoft proveyendo símbolos para librerías del sistema operativo. Requiere que se especifique un directorio local para el emplearse como caché.
+
+
+
+ Pick a local cache directory
+ Seleccione un directorio local para el caché
+
+
+
+ Debugger::Internal::DebugMode
+
+
+ Debug
+ Depuración
+
+
+
+ Debugger::Internal::DebuggerManager
+
+
+ Continue
+ Continuar
+
+
+
+
+ Interrupt
+ Interrumpir
+
+
+
+ Reset Debugger
+ Restablecer depurador
+
+
+
+ Step Over
+ Paso encima
+
+
+
+ Step Into
+ Paso adentro
+
+
+
+ Step Over Instruction
+ Pasar sobre instrucción
+
+
+
+ Step One Instruction
+ Siguiente instrucción
+
+
+
+ Step Out
+ Paso afuera
+
+
+
+ Run to Line
+ Ejecutar hasta línea
+
+
+
+ Run to Outermost Function
+ Ejecutar hasta función más externa
+
+
+
+ Jump to Line
+ Saltar a línea
+
+
+
+ Toggle Breakpoint
+ Activar/inactivar punto de ruptura
+
+
+ Set Breakpoint at Function...
+ Establecer punto de ruptura en función...
+
+
+ Set Breakpoint at Function "main"
+ Establecer punto de ruptura en función "main"
+
+
+
+ Add to Watch Window
+ Agregar a ventana de observación
+
+
+
+ Reverse Direction
+ Dirección inversa
+
+
+
+ Stop requested...
+ Detención solicitada...
+
+
+
+
+ Stopped.
+ Detenido.
+
+
+
+ Running requested...
+ Ejecución solicitada...
+
+
+
+ Running...
+ Ejecutando...
+
+
+
+
+ Changing breakpoint state requires either a fully running or fully stopped application.
+ Cambiar el estado del punto de ruptura requiere que la aplicación esté completamente detenida o completamente iniciada.
+
+
+
+ Debugging VS executables is currently not enabled.
+ La depuración de ejecutables VS no esta actualmente activada.
+
+
+
+ Warning
+ Advertencia
+
+
+
+ Cannot debug '%1': %2
+ No se puede depurar '%1': %2
+
+
+
+ Settings...
+ Ajustes...
+
+
+
+ Save Debugger Log
+ Guardar log del depurador
+
+
+
+ Stop Debugger
+ Detener depurador
+
+
+
+ Open Qt preferences
+ Abrir preferencias de Qt
+
+
+
+ Turn helper usage off
+ Desactivar uso del asistente
+
+
+
+ Continue anyway
+ Continuar de todos modos
+
+
+
+ Debugging helper missing
+ Falta asistente de depuración
+
+
+
+ The debugger did not find the debugging helper library.
+ El depurador no encontró la librería del asistente de depuración.
+
+
+
+ The debugging helper is used to nicely format the values of Qt data types and some STL data types. It must be compiled for each Qt version which you can do in the Qt preferences page by selecting a Qt installation and clicking on 'Rebuild' for the debugging helper.
+ El asistente de depuración es empleado para dar un formato agradable a la vista de los tipos de datos de Qt y algunos de la STL. Debe ser compilado para cada versión instalada de Qt y puede hacerlo desde la página de 'Versiones de Qt' seleccionando la versión y luego clicando 'Reconstruir' para el asistente de depuración.
+
+
+
+ Debugger::Internal::DebuggerOutputWindow
+
+
+ Debugger
+ Depurador
+
+
+
+ Debugger::Internal::DebuggerPlugin
+
+
+ Option '%1' is missing the parameter.
+ Falta el parámetro para la opción '%1'.
+
+
+
+ The parameter '%1' of option '%2' is not a number.
+ El parámetro '%1' de la opción '%2' no es un número.
+
+
+
+ Invalid debugger option: %1
+ Opción inválida para el depurador: %1
+
+
+
+ Error evaluating command line arguments: %1
+ Error evaluando argumentos de linea de comandos: %1
+
+
+
+ Start and Debug External Application...
+ Iniciar y depurar aplicación externa...
+
+
+
+ Attach to Running External Application...
+ Acoplar a aplicación externa en ejecución...
+
+
+
+ Attach to Core...
+ Acoplar al archivo core...
+
+
+
+ Attach to Running Tcf Agent...
+ Acoplar al Agente Tcf en ejecución...
+
+
+
+ This attaches to a running 'Target Communication Framework' agent.
+ Ésto acopla a un agente 'Target Communication Framework' en ejecución.
+
+
+
+ Start and Attach to Remote Application...
+ Iniciar y acoplar a una aplicación remota...
+
+
+ Detach debugger
+ Desacoplar depurador
+
+
+
+ Detach Debugger
+ Desacoplar depurador
+
+
+
+ Stop Debugger/Interrupt Debugger
+ Detener/Interrumpir depurador
+
+
+
+ Reset Debugger
+ Restablecer depurador
+
+
+
+ &Views
+ &Vistas
+
+
+
+ Locked
+ Bloqueado
+
+
+
+ Reset to default layout
+ Restablecer a esquema predefinido
+
+
+
+ Threads:
+ Hilos:
+
+
+
+ Attaching to PID %1.
+ Acoplando al PID %1.
+
+
+
+ Remove Breakpoint
+ Suprimir punto de ruptura
+
+
+
+ Disable Breakpoint
+ Inactivar punto de ruptura
+
+
+
+ Enable Breakpoint
+ Activar punto de ruptura
+
+
+
+ Set Breakpoint
+ Establecer punto de ruptura
+
+
+
+ Warning
+ Advertencia
+
+
+
+ Cannot attach to PID 0
+ No se pudo acoplar al PID 0
+
+
+
+ Debugger::Internal::DebuggerRunner
+
+
+ Debug
+ Depurar
+
+
+
+ Debugger::Internal::DebuggerSettings
+
+
+ Debugger properties...
+ Propiedades del depurador...
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Use alternating row colors
+ Alternar colores de filas
+
+
+
+ Watch expression "%1"
+ Observar expresión "%1"
+
+
+
+ Remove watch expression "%1"
+ Suprimir observador de expresión "%1"
+
+
+
+ Watch expression "%1" in separate window
+ Observar expresión "%1" en ventana separada
+
+
+
+ Expand item
+ Expandir item
+
+
+
+ Collapse item
+ Replegar item
+
+
+
+ Use debugging helper
+ Usar asistente de depuración
+
+
+
+ Debug debugging helper
+ Depurar asistente de depuración
+
+
+
+ Recheck debugging helper availability
+ Revisar disponibilidad del asistente de depuración
+
+
+
+ Synchronize breakpoints
+ Sincronizar puntos de ruptura
+
+
+
+ Hexadecimal
+
+
+
+
+ Decimal
+
+
+
+
+ Octal
+
+
+
+
+ Binary
+ Binario
+
+
+
+ Raw
+ En bruto
+
+
+
+ Natural
+
+
+
+
+ Automatically quit debugger
+ Salir automáticamente del depurador
+
+
+
+ Use tooltips when debugging
+ Usar tooltips durante depuración
+
+
+
+ List source files
+ Listar archivos de fuentes
+
+
+
+ Skip known frames
+ Saltar frames conocidos
+
+
+
+ Enable reverse debugging
+ Habilitar depuración inversa
+
+
+
+ Reload full stack
+ Recargar totalidad de la pila
+
+
+
+ Execute line
+ Ejecutar línea
+
+
+
+ Debugger::Internal::DebuggingHelperOptionPage
+
+
+ Debugging Helper
+ Asistende de depuración
+
+
+
+ Choose DebuggingHelper Location
+ Seleccionar ubicación del asistende de depuración
+
+
+
+ Ctrl+Shift+F11
+
+
+
+
+ Debugger::Internal::DisassemblerHandler
+
+
+ Address
+ Dirección
+
+
+
+ Symbol
+ Símbolo
+
+
+
+ Mnemonic
+ Mnemónico
+
+
+
+ Debugger::Internal::DisassemblerWindow
+
+
+ Disassembler
+ Desensamblador
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Reload disassembler listing
+ Recargar desensamblado
+
+
+
+ Always reload disassembler listing
+ Siempre recargar desensamblado
+
+
+
+ Debugger::Internal::GdbEngine
+
+
+ The Gdb process failed to start. Either the invoked program '%1' is missing, or you may have insufficient permissions to invoke the program.
+ El inicio del proceso Gdb ha fallado. Puede que el programa invocado '%1' no exista o que no tenga suficientes permisos para invocarlo.
+
+
+
+ The Gdb process crashed some time after starting successfully.
+ El proceso Gdb finalizó abruptamente poco tiempo después de haber iniciado.
+
+
+
+
+ The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again.
+ La última llamada a la función waitFor() ha expirado. El estado de QProcess permanece igual, y puede intentar invocar a waitFor...() otra vez.
+
+
+
+ An error occurred when attempting to write to the Gdb process. For example, the process may not be running, or it may have closed its input channel.
+ Ha ocurrido un error mientras se intentaba escribir datos al proceso Gdb. Puede que el proceso no esté ejecutándose o quizá haya cerrado su canal de entrada de datos.
+
+
+
+ An error occurred when attempting to read from the Gdb process. For example, the process may not be running.
+ Ha ocurrido un error mientras se intentaba leer desde el proceso Gdb. Puede que el proceso no esté ejecutándose.
+
+
+
+ An unknown error in the Gdb process occurred. This is the default return value of error().
+ Ha ocurrido un error desconocido con el proceso Gdb. Este es el valor de retorno predefinido de error().
+
+
+
+
+
+
+
+ Error
+
+
+
+
+ Library %1 loaded.
+ Librería %1 cargada.
+
+
+
+ Library %1 unloaded.
+ Librería %1 descargada.
+
+
+
+ Thread group %1 created.
+ Grupo de hilos %1 ha sido creado.
+
+
+
+ Thread %1 created.
+ Hilo %1 creado.
+
+
+
+ Thread group %1 exited.
+ Grupo de hilos %1 finalizado.
+
+
+
+ Thread %1 in group %2 exited.
+ Hilo %1 en grupo %2 finalizado.
+
+
+
+ Thread %1 selected.
+ Hilo %1 seleccionado.
+
+
+
+ Debugger Error
+ Error del depurador
+
+
+
+ Stopping temporarily.
+ Deteniendo temporalmente.
+
+
+
+ Continuing after temporary stop.
+ Continuando luego de pausa temporal.
+
+
+
+ Core file loaded.
+ Archivo core cargado.
+
+
+
+ The upload process failed to start. Either the invoked script '%1' is missing, or you may have insufficient permissions to invoke the program.
+ El proceso de carga falló al iniciar. Puede que el script invocado '%1' no esté presente, o quizás no tenga suficientes permisos para invocarlo.
+
+
+
+ The upload process crashed some time after starting successfully.
+ El proceso de carga finalizó abruptamente poco después de haber iniciado con éxito.
+
+
+
+ An error occurred when attempting to write to the upload process. For example, the process may not be running, or it may have closed its input channel.
+ Ha ocurrido un error mientras se intentaba escribir datos al proceso de carga. Puede que el proceso no esté ejecutándose, o que el mismo haya cerrado su canal de entrada de datos.
+
+
+
+ An error occurred when attempting to read from the upload process. For example, the process may not be running.
+ Ha ocurrido un error mientras se intentaba leer desde el proceso de carga. Puede que el proceso ya no esté ejecutándose.
+
+
+
+ An unknown error in the upload process occurred. This is the default return value of error().
+ Ha ocurrido un error desconocido con el proceso de carga. Este es el valor de retorno predefinido de error().
+
+
+
+ Reading %1...
+ Leyendo %1...
+
+
+
+ Jumped. Stopped.
+ Saltado. Detenido.
+
+
+
+
+ Run to Function finished. Stopped.
+ Ejecutar a función finalizado. Detenido.
+
+
+
+ Program exited with exit code %1
+ El programa finalizó retornando %1
+
+
+
+ Program exited after receiving signal %1
+ El programa finalizó luego de recibir la señal %1
+
+
+
+ Program exited normally
+ El programa finalizó normalmente
+
+
+
+ Loading %1...
+ Cargando %1...
+
+
+
+ Stopped at breakpoint.
+ Pausado en punto de ruptura.
+
+
+
+ Stopped: "%1"
+ Detenido: "%1"
+
+
+
+ The debugger you are using identifies itself as:
+ El depurador en uso se identifica a sí mismo como:
+
+
+
+ This version is not officially supported by Qt Creator.
+Debugging will most likely not work well.
+Using gdb 6.7 or later is strongly recommended.
+ Esta versión no es oficialmente soportada por Qt Creator.
+Es probable que la depuración no funcione bien.
+Es recomendado usar gdb 6.7 o posterior.
+
+
+
+
+ Starting executable failed:
+
+ Fallo al iniciar el ejecutable:
+
+
+
+ Processing queued commands.
+ Procesando comandos encolados.
+
+
+
+ Stopped.
+ Detenido.
+
+
+
+
+ Debugger Startup Failure
+ Falla iniciando el depurador
+
+
+
+ Cannot set up communication with child process: %1
+ No se pudo establecer la comunicación con el proceso hijo: %1
+
+
+
+ Starting Debugger:
+ Iniciando depurador:
+
+
+
+ Cannot start debugger: %1
+ No se pudo iniciar el depurador: %1
+
+
+
+ Gdb Running...
+ Gdb ejecutándose...
+
+
+
+ Cannot find debugger initialization script
+ No se encontró el script de inicialización del depurador
+
+
+
+ The debugger settings point to a script file at '%1' which is not accessible. If a script file is not needed, consider clearing that entry to avoid this warning.
+ Los ajustes del depurador apuntan a un archivo de script en '%1' que no es accesible. Si no se requiere un script, considere dejar en blanco el campo para evitar esta advertencia.
+
+
+
+ Attached to running process. Stopped.
+ Acoplado al proceso. Detenido.
+
+
+
+ Connecting to remote server failed:
+ Fallo conectando al servidor remoto:
+
+
+
+ Debugger exited.
+ El depurador ha finalizado.
+
+
+
+ <could not retreive module information>
+ <imposible obtener información sobre el módulo>
+
+
+
+ Unable to run '%1': %2
+ Imposible ejecutar '%1': %2
+
+
+
+ <unknown>
+ End address of loaded module
+ <desconocido>
+
+
+
+
+ Retrieving data for stack view...
+ Obteniendo datos para vista de pila...
+
+
+
+ '%1' contains no identifier
+ '%1' no contiene identificadores
+
+
+
+ String literal %1
+ Cadena literal %1
+
+
+
+ Cowardly refusing to evaluate expression '%1' with potential side effects
+ Rehusando cobardemente a evaluar expresión '%1' con posibles efectos colaterales
+
+
+
+ <not in scope>
+ Variable
+ <fuera del alcance>
+
+
+
+ Retrieving data for watch view (%n requests pending)...
+
+ Obteniendo datos para observación (%n solicitud pendiente)...
+ Obteniendo datos para observación (%n solicitudes pendientes)...
+
+
+
+
+ %n custom dumpers found.
+
+ %n volcador personalizado encontrados.
+ %n volcadores personalizados encontrados.
+
+
+
+
+ <%n items>
+ In string list
+
+ <%n item>
+ <%n items>
+
+
+
+
+ Finished retrieving data.
+ Finalizado obteniendo datos.
+
+
+
+ Cannot evaluate expression: %1
+ No se puede evaluar la expresión: %1
+
+
+
+ Debugging helpers not found.
+ No se encontraron asistentes de depuración.
+
+
+
+ Custom dumper setup: %1
+ Ajuste de volcado: %1
+
+
+
+ <0 items>
+
+
+
+
+ %1 <shadowed %2>
+ Variable %1 <FIXME: does something - bug Andre about it>
+ %1 <no visibles %2>
+
+
+
+ <shadowed>
+ Type of variable <FIXME: what? bug Andre about it>
+ <no visible>
+
+
+
+ <n/a>
+ <no disponible>
+
+
+
+ <anonymous union>
+ <union anónima>
+
+
+
+ <no information>
+ About variable's value
+ <sin información>
+
+
+
+ Unknown error:
+ Error desconocido:
+
+
+
+ %1 is a typedef.
+ %1 es un typedef.
+
+
+
+ Retrieving data for tooltip...
+ Obteniendo dato para tooltip...
+
+
+
+ The dumper library '%1' does not exist.
+ La librería de volcado '%1' no existe.
+
+
+
+ Dumper injection loading triggered (%1)...
+
+
+
+
+ Dumper loading (%1) failed: %2
+
+
+
+
+ Loading dumpers via debugger call (%1)...
+
+
+
+
+ Debugger::Internal::GdbOptionsPage
+
+
+ Gdb
+
+
+
+
+ Choose Gdb Location
+ Seleccione ubicación de Gdb
+
+
+
+ Choose Location of Startup Script File
+ Seleccione ubicación del script de inicio
+
+
+
+ Debugger::Internal::ModulesModel
+
+
+ Module name
+ Nombre del módulo
+
+
+
+ Symbols read
+ Símbolos leídos
+
+
+
+ Start address
+ Dirección de inicio
+
+
+
+ End address
+ Dirección final
+
+
+
+ Debugger::Internal::ModulesWindow
+
+
+ Modules
+ Módulos
+
+
+
+ Update module list
+ Refrescar lista de módulos
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Show source files for module "%1"
+ Ver código fuente del módulo "%1"
+
+
+
+ Load symbols for all modules
+ Cargar símbolos para todos los módulos
+
+
+
+ Load symbols for module
+ Cargar símbolos para el módulo
+
+
+
+ Edit file
+ Editar archivo
+
+
+
+ Show symbols
+ Ver símbolos
+
+
+
+ Load symbols for module "%1"
+ Cargar símbolos para el módulo "%1"
+
+
+
+ Edit file "%1"
+ Editar archivo "%1"
+
+
+
+ Show symbols in file "%1"
+ Ver símbolos en archivo "%1"
+
+
+
+ Address
+ Dirección
+
+
+
+ Code
+ Código
+
+
+
+ Symbol
+ Símbolo
+
+
+
+ Symbols in "%1"
+ Símbolos en "%1"
+
+
+
+ Debugger::Internal::OutputCollector
+
+
+ Cannot create temporary file: %2
+ No se pudo crear archivo temporal: %2
+
+
+
+ Cannot create FiFo %1: %2
+ No se pudo crear FIFO %1: %2
+
+
+
+ Cannot open FiFo %1: %2
+ No se pudo abrir FIFO %1: %2
+
+
+
+ Debugger::Internal::RegisterHandler
+
+
+ Name
+ Nombre
+
+
+
+ Value
+ Valor
+
+
+
+ Debugger::Internal::RegisterWindow
+
+
+ Registers
+ Registros
+
+
+
+ Adjust column widths to contents
+ Ajusta el ancho de la columna al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Reload register listing
+ Recargar listado de registros
+
+
+
+ Always reload register listing
+ Siempre recargar listado de registros
+
+
+
+ Debugger::Internal::ScriptEngine
+
+
+ '%1' contains no identifier
+ '%1' no contiene identificadores
+
+
+
+ String literal %1
+ Cadena literal %1
+
+
+
+ Cowardly refusing to evaluate expression '%1' with potential side effects
+ Rehusando cobardemente a evaluar expresión '%1' con posibles efectos colaterales
+
+
+
+ Stopped.
+ Detenido.
+
+
+
+ Debugger::Internal::SourceFilesModel
+
+
+ Internal name
+ Nombre interno
+
+
+
+ Full name
+ Nombre completo
+
+
+
+ Debugger::Internal::SourceFilesWindow
+
+
+ Source Files
+ Archivos de fuente
+
+
+
+ Reload data
+ Recargar datos
+
+
+
+ Open file
+ Abrir archivo
+
+
+
+ Open file "%1"'
+ Abrir archivo "%1"
+
+
+
+ Debugger::Internal::StackHandler
+
+
+ ...
+
+
+
+
+ <More>
+ <Mas>
+
+
+
+ Address:
+ Dirección:
+
+
+
+ Function:
+ Función:
+
+
+
+ File:
+ Archivo:
+
+
+
+ Line:
+ Línea:
+
+
+
+ From:
+ Desde:
+
+
+
+ To:
+ Hasta:
+
+
+
+ Level
+ Nivel
+
+
+
+ Function
+ Función
+
+
+
+ File
+ Archivo
+
+
+
+ Line
+ Línea
+
+
+
+ Address
+ Dirección
+
+
+
+ Debugger::Internal::StackWindow
+
+
+ Stack
+ Pila
+
+
+
+ Copy contents to clipboard
+ Copiar contenido al portapapeles
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Debugger::Internal::StartExternalDialog
+
+
+ Select Executable
+ Seleccione ejecutable
+
+
+
+ Executable:
+ Ejecutable:
+
+
+
+ Arguments:
+ Argumentos:
+
+
+
+ Debugger::Internal::StartRemoteDialog
+
+
+ Select Executable
+ Seleccione ejecutable
+
+
+
+ Debugger::Internal::TcfEngine
+
+
+ %1.
+
+
+
+
+ Stopped.
+ Detenido.
+
+
+
+ Debugger::Internal::ThreadsHandler
+
+
+ Thread: %1
+ Hilo: %1
+
+
+
+ Thread ID
+ ID de hilo
+
+
+
+ Debugger::Internal::ThreadsWindow
+
+
+ Thread
+ Hilo
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Debugger::Internal::WatchData
+
+
+ <not in scope>
+ <fuera de alcance>
+
+
+
+ Debugger::Internal::WatchHandler
+
+
+ Expression
+ Expresión
+
+
+
+ ... <cut off>
+ ... <recorte>
+
+
+
+ Object Address
+ Dirección del objeto
+
+
+
+ Stored Address
+ Dirección de almacenamiento
+
+
+
+ iname
+
+
+
+
+ Root
+ Raíz
+
+
+
+ Locals
+ ver documentación del depurador!
+ Locales
+
+
+
+ Tooltip
+
+
+
+
+ Watchers
+ Observadores
+
+
+
+ Name
+ Nombre
+
+
+
+
+ Value
+ Valor
+
+
+
+
+ Type
+ Tipo
+
+
+
+ <No Locals>
+ <Sin locales>
+
+
+
+ <No Tooltip>
+ <Sin tooltips>
+
+
+
+ <No Watchers>
+ <Sin observadores>
+
+
+
+ Debugger::Internal::WatchWindow
+
+
+ Locals and Watchers
+ Locales y observadores
+
+
+
+ Adjust column widths to contents
+ Ajustar ancho de columnas al contenido
+
+
+
+ Always adjust column widths to contents
+ Siempre ajustar ancho de columnas al contenido
+
+
+
+ Insert new watch item
+ Insertar nuevo item a observar
+
+
+
+ <Edit>
+ <Editar>
+
+
+
+ DebuggerPane
+
+
+ Clear contents
+ Limpiar contenido
+
+
+
+ Save contents
+ Guardar contenido
+
+
+
+ DebuggingHelperOptionPage
+
+
+ This will enable nice display of Qt and Standard Library objects in the Locals&Watchers view
+ Esto activará el despliegue legible de objetos Qt y STL en la vista Locales & Observadores
+
+
+
+ Use debugging helper
+ Usar asistente de depuración
+
+
+
+ This will load a dumper library
+ Esto cargará la librería de volcado
+
+
+
+ Use debugging helper from custom location
+ Usar asistente de depuración desde la ubicación indicada
+
+
+
+ Location:
+ Localización:
+
+
+
+ Debug debugging helper
+ ???
+ Asistente de depuración
+
+
+
+ Debugging helper
+ Asistente de depuración
+
+
+
+ DependenciesModel
+
+
+ Unable to add dependency
+ No fue posible agregar la dependencia
+
+
+
+ This would create a circular dependency.
+ Esto creará una dependencia circular.
+
+
+
+ Designer
+
+
+ The file name is empty.
+ El nombre de archivo está vacío.
+
+
+
+ XML error on line %1, col %2: %3
+ Error en XML, línea %1, col %2: %3
+
+
+
+ The <RCC> root element is missing.
+ Falta el elemento raiz <RCC>.
+
+
+
+ Designer::Internal::EditorWidget
+
+
+ Action editor
+ Editor de acciones
+
+
+
+ Signals and slots editor
+ Editor de signals/slots
+
+
+
+ Designer::Internal::FormClassWizardDialog
+
+
+ Qt Designer Form Class
+ Clase del formulario Qt Designer
+
+
+
+ Designer::Internal::FormClassWizardPage
+
+
+ %1 - Error
+
+
+
+
+ Choose a class name
+ Elija un nombre para la clase
+
+
+
+ Class
+ Clase
+
+
+
+ Configure...
+ Configurar...
+
+
+
+ More
+ Adicional
+
+
+
+ Embedding of the UI class
+ Embebido de la interfaz de usuario
+
+
+
+ Aggregation as a pointer member
+ Agregar como miempro puntero
+
+
+
+ Aggregation
+ Agregar como miembro
+
+
+
+ Multiple Inheritance
+ Herencia múltiple
+
+
+
+ Support for changing languages at runtime
+ Permitir el cambio de idioma en tiempo de ejecución
+
+
+
+ Designer::Internal::FormEditorPlugin
+
+
+ Qt
+
+
+
+
+ Qt Designer Form
+ Diseñador de formularios de Qt
+
+
+
+ Creates a Qt Designer form file (.ui).
+ Crea un archivo de formulario de Qt Designer (.ui).
+
+
+
+ Creates a Qt Designer form file (.ui) with a matching class.
+ Crea un archivo de formulario de Qt Designer (.ui) para una clase.
+
+
+
+ Qt Designer Form Class
+ Clase del formulario de Qt Designer
+
+
+
+ Designer::Internal::FormEditorW
+
+
+ Designer widgetbox
+
+
+
+
+ Object inspector
+ Inspector de objetos
+
+
+
+ Property editor
+ Editor de propiedades
+
+
+
+ Signals and slots editor
+ Editor de Signals/Slots
+
+
+
+ Action editor
+ Editor de acciones
+
+
+
+ For&m editor
+ Editor de &formularios
+
+
+
+ Edit widgets
+ Editar Widgets
+
+
+
+ F3
+
+
+
+
+ Edit signals/slots
+ Editar Signals/Slots
+
+
+
+ F4
+
+
+
+
+ Edit buddies
+ Editar Buddies
+
+
+
+ Edit tab order
+ Editar orden de foco
+
+
+
+ Meta+H
+
+
+
+
+ Ctrl+H
+
+
+
+
+ Meta+L
+
+
+
+
+ Ctrl+L
+
+
+
+
+ Meta+G
+
+
+
+
+ Ctrl+G
+
+
+
+
+ Meta+J
+
+
+
+
+ Ctrl+J
+
+
+
+
+ Ctrl+Alt+R
+
+
+
+
+ About Qt Designer plugins....
+ Acerca de los plugins de Qt Designer...
+
+
+
+ Preview in
+ Previsualizar en
+
+
+
+ Designer
+ Designer
+
+
+
+ The image could not be created: %1
+ No se pudo crear la imagen: %1
+
+
+
+ Designer::Internal::FormTemplateWizardPage
+
+
+ Choose a form template
+ Seleccione una plantilla para el formulario
+
+
+
+ %1 - Error
+
+
+
+
+ Designer::Internal::FormWindowEditor
+
+
+ untitled
+ sin título
+
+
+
+ Designer::Internal::FormWindowFile
+
+
+ Error saving %1
+ Error guardando %1
+
+
+
+ Unable to open %1: %2
+ Imposible abrir %1: %2
+
+
+
+ Unable to write to %1: %2
+ Imposible escribir a %1: %2
+
+
+
+ Designer::Internal::FormWizardDialog
+
+
+ Qt Designer Form
+ Formulario de Qt Designer
+
+
+
+ Designer::Internal::QtCreatorIntegration
+
+
+ The class definition of '%1' could not be found in %2.
+ La definición de la clase '%1' no pudo ser encontrada en %2.
+
+
+
+ Error finding/adding a slot.
+ Error pareando/agregando el slot.
+
+
+
+ No documents matching '%1' could be found.
+Rebuilding the project might help.
+ No se encuentran documentos coincidentes para '%1'
+Reconstruir el proyecto puede ayudar.
+
+
+
+ Unable to add the method definition.
+ Imposible agregar la definición del método.
+
+
+
+ Designer::Internal::SettingsPage
+
+
+ Designer
+ Designer
+
+
+
+ DocSettingsPage
+
+
+ Registered Documentation
+ Documentación registrada
+
+
+
+ Add...
+ Agregar...
+
+
+
+ Remove
+ Suprimir
+
+
+
+ DuiEditor::Internal::DuiEditorPlugin
+
+
+ Creates a Qt QML file.
+ Crea un archivo QML de Qt.
+
+
+
+ Qt QML File
+ Archivo QML de Qt
+
+
+
+ Qt
+
+
+
+
+ DuiEditor::Internal::ScriptEditor
+
+
+ <Select Symbol>
+ <Seleccione símbolo>
+
+
+
+ Rename...
+ Renombrar...
+
+
+
+ New id:
+ Nuevo ID:
+
+
+
+ Rename id '%1'...
+ Renombrar ID '%1'...
+
+
+
+ EmbeddedPropertiesPage
+
+
+ Skin:
+ Piel:
+
+
+
+ Use Virtual Box
+Note: This adds the toolchain to the build environment and runs the program inside a virtual machine.
+It also automatically sets the correct Qt version.
+ Usar VirtualBox
+Nota: Esto incluirá el toolchain al entorno de construcción y ejecutará el programa en una máquina virtual.
+Adicionalmente ajustará automáticamente la versión de Qt.
+
+
+
+ ExtensionSystem::Internal::PluginDetailsView
+
+
+ Name:
+ Nombre:
+
+
+
+ Version:
+ Versión:
+
+
+
+ Compatibility Version:
+ Versión compatible:
+
+
+
+ Vendor:
+ Vendedor:
+
+
+
+ Url:
+
+
+
+
+ Location:
+ Localización:
+
+
+
+ Description:
+ Descripción:
+
+
+
+ Copyright:
+
+
+
+
+ License:
+ Licencia:
+
+
+
+ Dependencies:
+ Dependencias:
+
+
+
+ ExtensionSystem::Internal::PluginErrorView
+
+
+ State:
+ Estado:
+
+
+
+ Error Message:
+ Mensaje de error:
+
+
+
+ ExtensionSystem::Internal::PluginSpecPrivate
+
+
+ File does not exist: %1
+ El archivo no existe: %1
+
+
+
+ Could not open file for read: %1
+ No se pudo abrir el archivo para lectura: %1
+
+
+
+ Error parsing file %1: %2, at line %3, column %4
+ Error interpretando el archivo %1: %2, en línea %3, columna %4
+
+
+
+ ExtensionSystem::Internal::PluginView
+
+
+ State
+ Estado
+
+
+
+ Name
+ Nombre
+
+
+
+ Version
+ Versión
+
+
+
+ Vendor
+ Vendedor
+
+
+
+ Location
+ Localización
+
+
+
+ ExtensionSystem::PluginErrorView
+
+
+ Invalid
+ Inválido
+
+
+
+ Description file found, but error on read
+ Archivo de descripción encontrado, pero ocurrió un error al leerlo
+
+
+
+ Read
+ Leer
+
+
+
+ Description successfully read
+ Descripción leída correctamente
+
+
+
+ Resolved
+ Resolvido
+
+
+
+ Dependencies are successfully resolved
+ Dependencias resolvidas satisfactoriamente
+
+
+
+ Loaded
+ Cargado
+
+
+
+ Library is loaded
+ Librería cargada
+
+
+
+ Initialized
+ Inicializado
+
+
+
+ Plugin's initialization method succeeded
+ Método de inicialización del plugin ejecutado con éxito
+
+
+
+ Running
+ Corriendo
+
+
+
+ Plugin successfully loaded and running
+ Plugin cargado correctamente y corriendo
+
+
+
+ Stopped
+ Detenido
+
+
+
+ Plugin was shut down
+ El plugin ha sido detenido
+
+
+
+ Deleted
+ Removido
+
+
+
+ Plugin ended its life cycle and was deleted
+ El plugin culminó su ciclo de vida y fue removido
+
+
+ Plugin ended it's life cycle and was deleted
+ El plugin culminó su ciclo de vida y fue removido
+
+
+
+ ExtensionSystem::PluginManager
+
+
+ Circular dependency detected:
+
+ Dependencia circular detectada:
+
+
+
+
+ %1(%2) depends on
+
+ %1(%2) depende de
+
+
+
+
+ %1(%2)
+ %1(%2)
+
+
+
+ Cannot load plugin because dependencies are not resolved
+ No se pudo cargar el plugin debido a dependencias no resueltas
+
+
+
+
+ Cannot load plugin because dependency failed to load: %1(%2)
+Reason: %3
+ No se pudo cargar el plugin debido a dependencias que no se pudieron cargar: %1(%2)
+Razón: %3
+
+
+
+ FakeVim::Internal
+
+
+ Toggle vim-style editing
+ Activar/desactivar edición al estilo Vim
+
+
+
+ FakeVim properties...
+ Ajustes de FakeVim...
+
+
+
+ FakeVim::Internal::FakeVimHandler
+
+
+ %1,%2
+
+
+
+
+
+ %1
+
+
+
+
+ Not implemented in FakeVim
+ No implementado en FakeVim
+
+
+
+
+
+ E20: Mark '%1' not set
+ E20: Marca '%1' no definida
+
+
+
+ File '%1' exists (add ! to override)
+ El archivo '%1' ya existe (añada ! para forzar)
+
+
+
+ Cannot open file '%1' for writing
+ No se pudo abrir el archivo '%1' para escritura
+
+
+
+ "%1" %2 %3L, %4C written
+ "%1" %2 %3L, %4C escritos
+
+
+
+ Cannot open file '%1' for reading
+ No se puede abrir el archivo '%1' para lectura
+
+
+
+ "%1" %2L, %3C
+
+
+
+
+ %n lines filtered
+
+ %n línea filtrada
+ %n líneas filtradas
+
+
+
+
+ %n lines >ed %1 time
+ What is that?
+
+
+
+
+
+
+
+ E512: Unknown option:
+ E512: Opción no reconocida:
+
+
+
+ E492: Not an editor command:
+ E492: No es un comando del editor:
+
+
+
+ search hit BOTTOM, continuing at TOP
+ la búsqueda alcanzó el final, continuando hacia el principio
+
+
+
+ search hit TOP, continuing at BOTTOM
+ la búsqueda alcanzó el principio, continuando hacia el final
+
+
+
+ E486: Pattern not found:
+ E486: Patrón no encontrado:
+
+
+
+ Already at oldest change
+ Ya está en el cambio más antiguo
+
+
+
+ Already at newest change
+ Ya está en el cambio mas reciente
+
+
+
+ FakeVim::Internal::FakeVimOptionPage
+
+
+ General
+
+
+
+
+ FakeVim
+
+
+
+
+ FakeVim::Internal::FakeVimPluginPrivate
+
+
+
+ Quit FakeVim
+ Salir de FakeVim
+
+
+
+ FakeVim Information
+ Información sobre FakeVim
+
+
+
+ FakeVimOptionPage
+
+
+ Use FakeVim
+ Usar FakeVim
+
+
+
+ Vim style settings
+ Ajustes de estilo Vim
+
+
+
+ vim's "expandtab" option
+ Opción "expandtab" de Vim
+
+
+
+ Expand tabulators:
+ Expandir tabulaciones:
+
+
+
+ Highlight search results:
+ Resaltar resultados de búsquedas:
+
+
+
+ Shift width:
+ Número de espacios por nivel de indentación (shiftwidth):
+
+
+
+ Smart tabulators:
+ Tabulaciones inteligentes:
+
+
+
+ Start of line:
+ Principio de línea:
+
+
+
+ vim's "tabstop" option
+ Opción "tabstop" de Vim
+
+
+
+ Tabulator size:
+ Tamaño de tabulación:
+
+
+
+ Backspace:
+ Retroceso:
+
+
+
+ VIM's "autoindent" option
+ Opción "autoindent" de Vim
+
+
+
+ Automatic indentation:
+ Indentación automática:
+
+
+
+ Copy text editor settings
+ Copiar ajustes de editor de texto
+
+
+
+ Set Qt style
+ Establecer estilo predefinido de Qt
+
+
+
+ Set plain style
+ Establecer estilo simple
+
+
+
+ Incremental search:
+ Búsqueda incremental:
+
+
+
+ FilterNameDialogClass
+
+
+ Add Filter Name
+ Agregar nombre de filtro
+
+
+
+ Filter Name:
+ Nombre de filtro:
+
+
+
+ FilterSettingsPage
+
+
+ Filters
+ Filtros
+
+
+
+ 1
+
+
+
+
+ Add
+ Agregar
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Attributes
+ Atributos
+
+
+
+ Find::Internal::FindDialog
+
+
+ Search for...
+ Buscar...
+
+
+
+ Sc&ope:
+ &Alcance:
+
+
+
+ &Search
+ &Buscar
+
+
+
+ Search &for:
+ Te&xto:
+
+
+
+ Close
+ Cerrar
+
+
+
+ &Case sensitive
+ Distin&guir MAYÚS/minús
+
+
+
+ &Whole words only
+ Palabras &completas solamente
+
+
+
+ Find::Internal::FindPlugin
+
+
+ &Find/Replace
+ &Buscar/Reemplazar
+
+
+
+ Find Dialog
+ Diálogo de búsqueda
+
+
+
+ Ctrl+Shift+F
+
+
+
+
+ Find::Internal::FindToolBar
+
+
+ Current Document
+ Documento actual
+
+
+
+ Enter Find String
+ Introduzca cadena a buscar
+
+
+
+ Ctrl+E
+
+
+
+
+ Find Next
+ Buscar siguiente
+
+
+
+ Find Previous
+ Buscar previo
+
+
+
+ Replace && Find Next
+ Reemplazar y buscar siguiente
+
+
+
+ Ctrl+=
+
+
+
+
+ Replace && Find Previous
+ Reemplazar y buscar previo
+
+
+
+ Replace All
+ Reemplazar todo
+
+
+
+ Case Sensitive
+ Distinguir MAYÚS/minús
+
+
+
+ Whole Words Only
+ Palabras completas solamente
+
+
+
+ Use Regular Expressions
+ Usar expresiones regulares
+
+
+
+ Find::Internal::FindWidget
+
+
+ Find
+ Buscar
+
+
+
+ Find:
+ Buscar:
+
+
+
+ Replace with:
+ Reemplazar con:
+
+
+
+ All
+ Todo
+
+
+
+ Find::SearchResultWindow
+
+
+ Search Results
+ Resultados de búsqueda
+
+
+
+ No matches found!
+ No hay coincidencias!
+
+
+
+ Expand All
+ Expandir todo
+
+
+
+ GdbOptionsPage
+
+
+ Gdb interaction
+ Interacción con Gdb
+
+
+
+ Gdb location:
+ Ubicación de Gdb:
+
+
+
+ Environment:
+ Entorno:
+
+
+
+ This is either empty or points to a file containing gdb commands that will be executed immediately after gdb starts up.
+ Esto debe dejarse en blanco o bien indicando la ruta a un archivo conteniendo comandos de Gdb que serán ejecutados inmediatamente luego del inicio.
+
+
+
+ Gdb startup script:
+ Script de inicio de Gdb:
+
+
+
+ Behaviour of breakpoint setting in plugins
+ Comportamiento de puntos de ruptura en plugins
+
+
+
+ This is the slowest but safest option.
+ Ésta es la opción mas lenta, pero también la más segura.
+
+
+
+ Try to set breakpoints in plugins always automatically.
+ Siempre intentar establecer puntos de ruptura en plugins automáticamente.
+
+
+
+ Try to set breakpoints in selected plugins
+ Intentar establecer puntos de ruptura en los plugins seleccionados
+
+
+
+ Matching regular expression:
+ Expresión regular coincidente:
+
+
+
+ Never set breakpoints in plugins automatically
+ Nunca establecer puntos de ruptura en plugins automáticamente
+
+
+
+ This is either a full absolute path leading to the gdb binary you intend to use or the name of a gdb binary that will be searched in your PATH.
+ Indique aquí la ruta absoluta al binario de Gdb que prefiere usar, de lo contrario se ajustará al binario que se detecte en la variable PATH.
+
+
+
+ GenericMakeStep
+
+
+ Override %1:
+ Redefinir %1:
+
+
+
+ Make arguments:
+ Argumentos para make:
+
+
+
+ Targets:
+ Objetivos:
+
+
+
+ GenericProject
+
+
+ <new>
+ <nuevo>
+
+
+
+ GenericProjectManager::Internal::GenericBuildSettingsWidget
+
+
+ Build directory:
+ Directorio de construcción:
+
+
+
+ Toolchain:
+
+
+
+
+ Generic Manager
+ Gestor genérico
+
+
+
+ GenericProjectManager::Internal::GenericMakeStepConfigWidget
+
+
+ Override %1:
+ Redefinir %1:
+
+
+
+ GenericProjectManager::Internal::GenericProjectWizard
+
+
+ Import of Makefile-based Project
+ Importado de un proyecto basado en Makefile
+
+
+
+ Creates a generic project, supporting any build system.
+ Crea un proyecto genérico, para cualquier sistema de construcción.
+
+
+
+ Projects
+ Proyectos
+
+
+
+ The project %1 could not be opened.
+ El proyecto %1 no pudo ser abierto.
+
+
+
+ GenericProjectManager::Internal::GenericProjectWizardDialog
+
+
+ Import of Makefile-based Project
+ Importado de proyecto basado en Makefile
+
+
+
+ Generic Project
+ Proyecto genérico
+
+
+
+ Project name:
+ Nombre del proyecto:
+
+
+
+ Location:
+ Ubicación:
+
+
+
+ Second Page Title
+ Título de segunda página
+
+
+
+ Git::Internal::BranchDialog
+
+
+ Checkout
+ Recuperar (Checkout)
+
+
+
+ Delete
+ Suprimir
+
+
+
+ Unable to find the repository directory for '%1'.
+ Imposible encontrar el directorio del repositorio para '%1'.
+
+
+
+ Delete Branch
+ Suprimir rama
+
+
+
+ Would you like to delete the branch '%1'?
+ ¿Está seguro que quiere suprimir la rama '%1'?
+
+
+
+ Failed to delete branch
+ No se pudo suprimir la rama
+
+
+
+ Failed to create branch
+ No se pudo crear la rama
+
+
+
+ Failed to stash
+ Fallo la operación stash
+
+
+
+ Would you like to create a local branch '%1' tracking the remote branch '%2'?
+ ¿Quiere crear una rama local '%1' siguiendo la rama remota '%2'?
+
+
+
+ Create branch
+ Crear rama
+
+
+
+ Failed to create a tracking branch
+ No se pudo crear una rama para seguimiento
+
+
+
+ Branches
+ Ramas
+
+
+
+ General information
+ Información general
+
+
+
+ Repository:
+ Repositorio:
+
+
+
+ Remote branches
+ Ramas remotas
+
+
+
+ Git::Internal::ChangeSelectionDialog
+
+
+ Select a Git commit
+ Seleccione un commit de Git
+
+
+
+ Select Git repository
+ Seleccione un repositorio Git
+
+
+
+ Error
+
+
+
+
+ Selected directory is not a Git repository
+ El directorio seleccionado no es un repositorio de Git
+
+
+
+ Git::Internal::GitClient
+
+
+ Note that the git plugin for QtCreator is not able to interact with the server so far. Thus, manual ssh-identification etc. will not work.
+ Tenga en cuenta que el plugin Git para Qt Creator no es capaz de interactuar con un servidor Git por ahora. Por lo tanto, identificación manual mediante ssh etc. no funcionará.
+
+
+
+ Unable to determine the repository for %1.
+ Imposible determinar el repositorio para %1.
+
+
+
+ Unable to parse the file output.
+ Imposible interpretar la salida.
+
+
+
+ %1 Executing: %2 %3
+
+ <timestamp> Executing: <executable> <arguments>
+ %1 ejecutando: %2 %3
+
+
+
+ Waiting for data...
+ Esperando datos...
+
+
+
+ Git Diff
+
+
+
+
+ Git Diff %1
+
+
+
+
+ Git Log %1
+
+
+
+
+ Git Show %1
+
+
+
+
+ Git Blame %1
+
+
+
+
+ Unable to add %n file(s) to %1: %2
+
+ Imposible agregar %n archivo a %1: %2
+ Imposible agregar %n archivos a %1: %2
+
+
+
+
+ Unable to reset %n file(s) in %1: %2
+
+ Imposible restablecer %n archivo en %1: %2
+ Imposible restablecer %n archivos en %1: %2
+
+
+
+
+ Unable to checkout %n file(s) in %1: %2
+
+ Imposible obtener %n archivo en %1: %2
+ Imposible obtener %n archivos en %1: %2
+
+
+
+
+ Unable stash in %1: %2
+ Stash imposible en %1: %2
+
+
+
+ Unable to run branch command: %1: %2
+ Imposible ejecutar comando 'branch': %1: %2
+
+
+
+ Unable to run show: %1: %2
+ Imposible ejecutar comando 'show': %1: %2
+
+
+
+ Changes
+ Modificaciones
+
+
+
+ You have modified files. Would you like to stash your changes?
+ Ha modificado archivos. ¿Quiere posponerlos con 'stash'?
+
+
+
+ Unable to obtain the status: %1
+ Imposible obtener el estado: %1
+
+
+
+ The repository %1 is not initialized yet.
+ El repositorio %1 todavía no ha sido inicializado.
+
+
+
+ Committed %n file(s).
+
+ commit = "consignar" ??
+
+ Commited: %n archivo.
+
+ Commited: %n archivos.
+
+
+
+
+
+ Unable to commit %n file(s): %1
+
+
+ Imposible realizar commit para %n archivo: %1
+ Imposible consignar %n archivos: %1
+
+
+
+
+ Revert
+ Revertir
+
+
+
+ The file has been changed. Do you want to revert it?
+ El archivo ha sido modificado. ¿Quiere revertirlo?
+
+
+
+ The file is not modified.
+ El archivo no ha sido cambiado.
+
+
+
+ There are no modified files.
+ No hay archivos modificados.
+
+
+
+ Git::Internal::GitOutputWindow
+
+
+ Git Output
+ Salida de Git
+
+
+
+ Git
+
+
+
+
+ Git::Internal::GitPlugin
+
+
+ &Git
+
+
+
+
+ Diff Current File
+ Diferencias en archivo actual
+
+
+
+ Diff "%1"
+
+
+
+
+ Alt+G,Alt+D
+
+
+
+
+ File Status
+ Estado del archivo
+
+
+
+ Status Related to "%1"
+ Estado relacionado a "%1"
+
+
+
+ Alt+G,Alt+S
+
+
+
+
+ Log File
+ Log del archivo
+
+
+
+ Log of "%1"
+ Log de "%1"
+
+
+
+ Alt+G,Alt+L
+
+
+
+
+ Blame
+
+
+
+
+ Blame for "%1"
+ Blame para "%1"
+
+
+
+ Alt+G,Alt+B
+
+
+
+
+ Undo Changes
+ Deshacer cambios
+
+
+
+ Undo Changes for "%1"
+ Deshacer cambios para "%1"
+
+
+
+ Alt+G,Alt+U
+
+
+
+
+ Stage File for Commit
+ Preparar archivo para commit
+
+
+
+ Stage "%1" for Commit
+ Preparar "%1" para commit
+
+
+
+ Alt+G,Alt+A
+
+
+
+
+ Unstage File from Commit
+ Retirar archivo del índice para commit (unstage)
+
+
+
+ Unstage "%1" from Commit
+ Retirar "%1" del índice para commit (unstage)
+
+
+
+ Revert...
+ Revertir...
+
+
+
+ Revert "%1"...
+ Revertir "%1"...
+
+
+
+ Diff Current Project
+ Diff del proyecto actual
+
+
+
+ Diff Project "%1"
+ Diff del proyecto "%1"
+
+
+
+ Project Status
+ Status del proyecto
+
+
+
+ Status Project "%1"
+ Status del proyecto "%1"
+
+
+
+ Log Project
+ Log del proyecto
+
+
+
+ Log Project "%1"
+ Log del proyecto "%1"
+
+
+
+ Alt+G,Alt+K
+
+
+
+
+ Undo Project Changes
+ Deshacer cambios al proyecto
+
+
+
+ Stash
+ Stash (posponer)
+
+
+
+ Saves the current state of your work.
+ Guarda el estado actual de su trabajo.
+
+
+
+ Pull
+ Pull
+
+
+
+ Stash Pop
+
+
+
+
+ Restores changes saved to the stash list using "Stash".
+ Restaura cambios pospuestos a la lista stash.
+
+
+
+ Commit...
+ Commit...
+
+
+
+ Alt+G,Alt+C
+
+
+
+
+ Push
+
+
+
+
+ Branches...
+ Ramas...
+
+
+
+ List Stashes
+ Listar stashes
+
+
+
+ Show Commit...
+ Mostrar commit...
+
+
+
+ Commit
+ Commit
+
+
+
+ Diff Selected Files
+ Diff archivos seleccionados
+
+
+
+ &Undo
+ &Deshacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ Could not find working directory
+ No se pudo encontrar el directorio de trabajo
+
+
+
+ Another submit is currently beeing executed.
+ Otro envío esta siendo ejecutado actualmente.
+
+
+
+ Cannot create temporary file: %1
+ No se pudo crear archivo temporal: %1
+
+
+
+ Closing git editor
+ Cerrando el editor Git
+
+
+
+ Do you want to commit the change?
+ ¿Quiere realizar un commit con los cambios?
+
+
+
+ The commit message check failed. Do you want to commit the change?
+ La comprobación del mensaje de commit ha fallado. ¿Quiere realizar un commit con los cambios de todos modos?
+
+
+
+ Git::Internal::GitSettings
+
+
+ The binary '%1' could not be located in the path '%2'
+ El binario '%1' no pudo ser localizado en la ruta '%2'
+
+
+
+ Git::Internal::GitSubmitEditor
+
+
+ Git Commit
+ Commit de Git
+
+
+
+ Git::Internal::GitSubmitPanel
+
+
+ General Information
+ Información general
+
+
+
+ Repository:
+ Repositorio:
+
+
+
+ repository
+ repositorio
+
+
+
+ Branch:
+ Rama:
+
+
+
+ branch
+ rama
+
+
+
+ Commit Information
+ Información del commit
+
+
+
+ Author:
+ Autor:
+
+
+
+ Email:
+ Email:
+
+
+
+ Git::Internal::LocalBranchModel
+
+
+ <New branch>
+ <Nueva rama>
+
+
+
+ Type to create a new branch
+ Nombre para la nueva rama
+
+
+
+ Git::Internal::SettingsPage
+
+
+ Git
+
+
+
+
+ Git Settings
+ Ajustes para Git
+
+
+
+ Environment variables
+ Variables de entorno
+
+
+
+ PATH:
+ PATH:
+
+
+
+ From system
+ Desde el sistema
+
+
+
+ <b>Note:</b>
+ <b>Nota:</b>
+
+
+
+ Git needs to find Perl in the environment as well.
+ Git necesita encontrar Perl en el entorno.
+
+
+
+ Log commit display count:
+ Número de entradas del histórico:
+
+
+
+ Note that huge amount of commits might take some time.
+ Tenga en cuenta que un gran número de entradas tomará cierto tiempo.
+
+
+
+ Timeout (seconds):
+ Expirar en (segundos):
+
+
+
+ GitCommand
+
+
+
+'%1' failed (exit code %2).
+
+
+'%1' ha fallado (código %2).
+
+
+
+
+
+'%1' completed (exit code %2).
+
+
+'%1' completado (código %2).
+
+
+
+
+ HelloWorld::Internal::HelloWorldPlugin
+
+
+ Say "&Hello World!"
+ Decir "&Hola mundo!"
+
+
+
+ &Hello World
+ &Hola mundo
+
+
+
+ Hello world!
+ ¡Hola mundo!
+
+
+
+ Hello World PushButton!
+ ¡Hola mundo, desde un PushButton!
+
+
+
+ Hello World!
+ ¡Hola mundo!
+
+
+
+ Hello World! Beautiful day today, isn't it?
+ ¡Hola Mundo! Es un lindo día ¿no?
+
+
+
+ HelloWorld::Internal::HelloWorldWindow
+
+
+ Focus me to activate my context!
+ ¡Enfóqueme para activar mi contexto!
+
+
+
+ Hello, world!
+ ¡Hola mundo!
+
+
+
+ Help::Internal::CentralWidget
+
+
+ Add new page
+ Agregar nueva página
+
+
+
+ Print Document
+ Imprimir documento
+
+
+
+
+ unknown
+ desconocido
+
+
+
+ Add New Page
+ Agregar nueva página
+
+
+
+ Close This Page
+ Cerrar ésta página
+
+
+
+ Close Other Pages
+ Cerrar las demás páginas
+
+
+
+ Add Bookmark for this Page...
+ Añadir marcador para ésta página...
+
+
+
+ Help::Internal::DocSettingsPage
+
+
+
+ Documentation
+ Documentación
+
+
+
+ Help
+ Ayuda
+
+
+
+
+ Add Documentation
+ Agregar documentación
+
+
+
+ Qt Help Files (*.qch)
+ Archivos de ayuda de Qt (*.qch)
+
+
+
+ The file %1 is not a valid Qt Help file!
+ El archivo %1 no es un Archivo de Ayuda de Qt válido!
+
+
+
+ Cannot unregister documentation file %1!
+ No se puede desregistrar el archivo de documentación %1!
+
+
+
+ Help::Internal::FilterSettingsPage
+
+
+ Filters
+ Filtros
+
+
+
+ Help
+ Ayuda
+
+
+
+ Help::Internal::HelpIndexFilter
+
+
+ Help index
+ Índice de la ayuda
+
+
+
+ Help::Internal::HelpMode
+
+
+ Help
+ Ayuda
+
+
+
+ Help::Internal::HelpPlugin
+
+
+
+ Contents
+ Contenidos
+
+
+
+
+ Index
+ Índice
+
+
+
+
+ Search
+ Búsqueda
+
+
+
+ Bookmarks
+ Marcadores
+
+
+
+ Home
+ Inicio
+
+
+
+
+ Previous
+ Previo
+
+
+
+
+ Next
+ Siguiente
+
+
+
+ Add Bookmark
+ Añadir marcador
+
+
+
+ Context Help
+ Ayuda contextual
+
+
+
+ Activate Index in Help mode
+ Activar índice en Modo Ayuda
+
+
+
+ Activate Contents in Help mode
+ Activar Contenidos en Modo Ayuda
+
+
+
+ Activate Search in Help mode
+ Activar Búsqueda en Modo Ayuda
+
+
+
+
+
+ Unfiltered
+ Sin filtrar
+
+
+
+ <html><head><title>No Documentation</title></head><body><br/><center><b>%1</b><br/>No documentation available.</center></body></html>
+ <html><head><title>No hay documentación</title></head><body><br/><center><b>%1</b><br/>No hay documentación disponible.</center></body></html>
+
+
+ <html><head><title>No Documentation</title></head><body><br/><br/><center>No documentation available.</center></body></html>
+ <html><head><title>No hay documentación</title></head><body><br/><br/><center>No hay documentación disponible.</center></body></html>
+
+
+
+ Filtered by:
+ Filtrado por:
+
+
+
+ Help::Internal::SearchWidget
+
+
+ &Copy
+ &Copiar
+
+
+
+ Copy &Link Location
+ Copiar &vínculo
+
+
+
+ Open Link in New Tab
+ Abrir vínculo en pestaña nueva
+
+
+
+ Select All
+ Seleccionar todo
+
+
+
+ Help::Internal::TitleMapThread
+
+ Documentation file %1 does not exist!
+Skipping file.
+ El archivo de documentación %1 no existe! Se ignora.
+
+
+ Documentation file %1 is not compatible!
+Skipping file.
+ El archivo de documentación %1 es incompatible! Se ignora.
+
+
+
+ HelpViewer
+
+
+ Open Link in New Tab
+ Abrir vínculo en nueva pestaña
+
+
+
+ <title>Error 404...</title><div align="center"><br><br><h1>The page could not be found</h1><br><h3>'%1'</h3></div>
+ <title>Error 404...</title><div align="center"><br><br><h1>La página no pudo ser localizada</h1><br><h3>'%1'</h3></div>
+
+
+
+ Help
+ Ayuda
+
+
+
+ Unable to launch external application.
+
+ No se pudo lanzar la aplicación externa.
+
+
+
+
+ OK
+ Ok
+
+
+
+ Copy &Link Location
+ Copiar víncu&lo
+
+
+
+ Open Link in New Tab Ctrl+LMB
+ Abrir vínculo en nueva pestaña Ctrl+LMB
+
+
+
+ IndexWindow
+
+
+ &Look for:
+ &Buscar:
+
+
+
+ Open Link
+ Abrir vínculo
+
+
+
+ Open Link in New Tab
+ Abrir vínculo en nueva pestaña
+
+
+
+ InputPane
+
+
+ Type Ctrl-<Return> to execute a line.
+ Teclee Ctrl-<Intro> para ejecutar una línea.
+
+
+
+ Locator
+
+
+ Filters
+ Filtros
+
+
+
+ Locator
+ Localizador
+
+
+
+ MainWindow
+
+
+ Ctrl+Q
+
+
+
+
+
+ File
+ Archivo
+
+
+
+ Open file
+ Abrir archivo
+
+
+
+ Ctrl+O
+
+
+
+
+ Quit
+ Salir
+
+
+
+ Run to main()
+ Ejecutar hasta main()
+
+
+
+ Ctrl+F5
+
+
+
+
+ F5
+
+
+
+
+ Shift+F5
+
+
+
+
+ F6
+
+
+
+
+ F7
+
+
+
+
+ Shift+F6
+
+
+
+
+ Shift+F9
+
+
+
+
+ Shift+F7
+
+
+
+
+ Shift+F8
+
+
+
+
+ F8
+
+
+
+
+ ALT+D,ALT+W
+
+
+
+
+ Files
+ Archivos
+
+
+
+ Debug
+ Depurar
+
+
+
+ Not a runnable project
+ El proyecto no es ejecutable
+
+
+
+ The current startup project can not be run.
+ El proyecto actual no puede ser ejecutado.
+
+
+
+ Open File
+ Abrir archivo
+
+
+
+ Cannot find special data dumpers
+ No se pudo encontrar volcadores de datos
+
+
+
+ The debugged binary does not contain information needed for nice display of Qt data types.
+
+Make sure you use something like
+
+SOURCES *= .../ide/main/bin/gdbmacros/gdbmacros.cpp
+
+in your .pro file.
+ El binario en depuración no contiene la información necesaria para desplegar tipos de datos de Qt.
+
+Asegúrese de tener una línea como ésta
+
+SOURCES *= .../ide/main/bin/gdbmacros/gdbmacros.cpp
+
+en su archivo .pro.
+
+
+
+ Open Executable File
+ Abrir archivo ejecutable
+
+
+
+ MakeStep
+
+
+ Override %1:
+ Redefinir %1:
+
+
+
+ Make arguments:
+ Argumentos para make:
+
+
+
+ MyMain
+
+
+
+
+ N/A
+ No presente
+
+
+
+ NickNameDialog
+
+
+ Nick Names
+ Apodos
+
+
+
+ Filter:
+ Filtro:
+
+
+
+ Clear
+ Limpiar
+
+
+
+ OpenWithDialog
+
+
+ Open File With...
+ Abrir archivo con...
+
+
+
+ Open file extension with:
+ Abrir extensión de archivo con:
+
+
+
+ Perforce::Internal
+
+
+ No executable specified
+ No se especificó ejecutable
+
+
+
+ Unable to launch "%1": %2
+ No se pudo lanzar "%1": %2
+
+
+
+ "%1" timed out after %2ms.
+ "%1" expiró luego de %2ms.
+
+
+
+ "%1" crashed.
+ "%1" abortó.
+
+
+
+ "%1" terminated with exit code %2: %3
+ "%1" finalizó retornando %2: %3
+
+
+
+ The client does not seem to contain any mapped files.
+ El cliente no parece contener ningún archivo mapeado.
+
+
+
+ Perforce::Internal::ChangeNumberDialog
+
+
+ Change Number
+ Modificar número
+
+
+
+ Change Number:
+ Modificar número:
+
+
+
+ Perforce::Internal::PendingChangesDialog
+
+
+ P4 Pending Changes
+ Modificaciones pendientes de P4
+
+
+
+ Submit
+ Enviar
+
+
+
+ Cancel
+ Cancelar
+
+
+
+ Change %1: %2
+ Modificar %1: %2
+
+
+
+ Perforce::Internal::PerforceOutputWindow
+
+
+ Perforce Output
+ Salida de Perforce
+
+
+
+ Diff
+ Diferencias
+
+
+
+ Perforce
+
+
+
+
+ Perforce::Internal::PerforcePlugin
+
+
+ &Perforce
+ &Perforce
+
+
+
+ Edit
+ Editar
+
+
+
+ Edit "%1"
+ Editar "%1"
+
+
+
+ Alt+P,Alt+E
+
+
+
+
+ Edit File
+ Editar archivo
+
+
+
+ Add
+ Agregar
+
+
+
+ Add "%1"
+ Agregar "%1"
+
+
+
+ Alt+P,Alt+A
+
+
+
+
+ Add File
+ Agregar archivo
+
+
+
+ Delete
+ Suprimir
+
+
+
+ Delete "%1"
+ Suprimir "%1"
+
+
+
+ Delete File
+ Suprimir archivo
+
+
+
+ Revert
+ Revertir
+
+
+
+ Revert "%1"
+ Revertir "%1"
+
+
+
+ Alt+P,Alt+R
+
+
+
+
+ Revert File
+ Revertir archivo
+
+
+
+
+ Diff Current File
+ Diferencias en archivo actual
+
+
+
+ Diff "%1"
+ Diferencias en "%1"
+
+
+
+
+ Diff Current Project/Session
+ Diferencias en proyecto/sesión actual
+
+
+
+ Diff Project "%1"
+ Diferencias en proyecto "%1"
+
+
+
+ Alt+P,Alt+D
+
+
+
+
+ Diff Opened Files
+ Diferencias en archivos abiertos
+
+
+
+ Opened
+ Abiertos
+
+
+
+ Alt+P,Alt+O
+
+
+
+
+ Submit Project
+ Enviar proyecto
+
+
+
+ Alt+P,Alt+S
+
+
+
+
+ Pending Changes...
+ Modificaciones pendientes...
+
+
+
+ Describe...
+ Describir...
+
+
+
+
+ Annotate Current File
+
+
+
+
+ Annotate "%1"
+
+
+
+
+ Annotate...
+
+
+
+
+
+ Filelog Current File
+ Filelog para el archivo actual
+
+
+
+ Filelog "%1"
+ Filelog "%1"
+
+
+
+ Alt+P,Alt+F
+
+
+
+
+ Filelog...
+
+
+
+
+ Submit
+ Enviar
+
+
+
+ Diff Selected Files
+ Diferencias en archivos seleccionados
+
+
+
+ &Undo
+ &Deshacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ p4 revert
+
+
+
+
+ The file has been changed. Do you want to revert it?
+ El archivo ha sido modificado. ¿Quiere revertir los cambios?
+
+
+
+ Another submit is currently executed.
+ Hay otro envío en curso actualmente.
+
+
+
+ Cannot create temporary file.
+ No se pudo crear archivo temporal.
+
+
+
+ Project has no files
+ El proyecto no tiene archivos
+
+
+
+ p4 annotate
+
+
+
+
+ p4 annotate %1
+
+
+
+
+ p4 filelog
+
+
+
+
+ p4 filelog %1
+
+
+
+
+ %1 Executing: %2
+
+ %1 Ejecutando: %2
+
+
+
+ The process terminated with exit code %1.
+ El proceso finalizó retornando %1.
+
+
+
+ The process terminated abnormally.
+ El proceso finalizó abruptamente.
+
+
+
+ Could not start perforce '%1'. Please check your settings in the preferences.
+ No se pudo iniciar perforce '%1'. Por favor revise los ajustes.
+
+
+
+ Perforce did not respond within timeout limit (%1 ms).
+ Perforce no ha respondido dentro del limite de tiempo esperado (%1 ms).
+
+
+
+ p4 diff %1
+
+
+
+
+ p4 describe %1
+
+
+
+
+ Closing p4 Editor
+ Cerrando el editor p4
+
+
+
+ Do you want to submit this change list?
+
+
+
+
+ The commit message check failed. Do you want to submit this change list
+ La comprobación del mensaje de commit ha fallado. ¿Quiere enviar los cambios de todos modos?
+
+
+
+
+ Cannot execute p4 submit.
+ No se pudo ejecutar p4 submit.
+
+
+
+ Pending change
+ Cambio pendiente
+
+
+
+ Could not submit the change, because your workspace was out of date. Created a pending submit instead.
+ No se pudo enviar el cambio porque su copia está desactualizada. Se creó un envío pendiente en cambio.
+
+
+
+ Invalid configuration: %1
+ Configuración inválida: %1
+
+
+
+ Timeout waiting for "where" (%1).
+ Tiempo de espera agotado esperando por "where" (%1).
+
+
+
+ Error running "where" on %1: The file is not mapped
+ Error ejecutando "where" en %1: El archivo no esta mapeado
+
+
+
+ Perforce::Internal::PerforceSubmitEditor
+
+
+ Perforce Submit
+ Envío a Perforce
+
+
+
+ Perforce::Internal::PromptDialog
+
+
+ Perforce Prompt
+ Interacción con Perforce
+
+
+
+ OK
+ Ok
+
+
+
+ Perforce::Internal::SettingsPage
+
+
+ P4 Command:
+ Comando P4:
+
+
+
+ Use default P4 environment variables
+ Usar variables de entorno predefinidas de P4
+
+
+
+ Environment variables
+ Variables de entorno
+
+
+
+ P4 Client:
+ Cliente P4:
+
+
+
+ P4 User:
+ Usuario P4:
+
+
+
+ P4 Port:
+ Puerto P4:
+
+
+
+ Perforce
+
+
+
+
+ Test
+ Probar
+
+
+
+ TextLabel
+
+
+
+
+ Perforce::Internal::SettingsPageWidget
+
+
+ Testing...
+ Probando...
+
+
+
+ Test succeeded.
+ La prueba fue exitosa.
+
+
+
+ Perforce Command
+ Comando Perforce
+
+
+
+ Perforce::Internal::SubmitPanel
+
+
+ Submit
+ Enviar
+
+
+
+ Change:
+ Modificación:
+
+
+
+ Client:
+ Cliente:
+
+
+
+ User:
+ Usuario:
+
+
+
+ PluginDialog
+
+
+ Details
+ Detalles
+
+
+
+ Error Details
+ Detalles de errores
+
+
+
+ Installed Plugins
+ Plugins instalados
+
+
+
+ Plugin Details of %1
+ Detalles del plugin %1
+
+
+
+ Plugin Errors of %1
+ Errores del plugin %1
+
+
+
+ PluginManager
+
+
+
+ The plugin '%1' does not exist.
+ El plugin '%1' no existe.
+
+
+
+ Unknown option %1
+ Opción desconocida '%1'
+
+
+
+ The option %1 requires an argument.
+ La opción %1 requiere un argumento.
+
+
+
+ PluginSpec
+
+
+ '%1' misses attribute '%2'
+ '%1' carece del atributo '%2'
+
+
+
+ '%1' has invalid format
+ '%1' tiene un formato inválido
+
+
+
+ Invalid element '%1'
+ Elemento inválido '%1'
+
+
+
+ Unexpected closing element '%1'
+ Elemento de cierre inesperado '%1'
+
+
+
+ Unexpected token
+ Token inesperado
+
+
+
+ Expected element '%1' as top level element
+ Elemento esperado '%1' como elemento de nivel superior
+
+
+
+ Resolving dependencies failed because state != Read
+ Fallo al resolver dependencias porque state != Read
+
+
+
+ Could not resolve dependency '%1(%2)'
+ No se pudo resolver la dependencia '%1(%2)'
+
+
+
+ Loading the library failed because state != Resolved
+ Fallo la carga de la librería porque state != Resolved
+
+
+
+
+Library base name: %1
+
+Nombre base de librería: %1
+
+
+
+ Plugin is not valid (doesn't derive from IPlugin)
+ El plugin no es válido (no deriva de IPlugin)
+
+
+
+ Initializing the plugin failed because state != Loaded
+ La inicialización del plugin falló porque state != Loaded
+
+
+
+ Internal error: have no plugin instance to initialize
+ Error interno: no hay instancia de plugin para inicializar
+
+
+
+ Plugin initialization failed: %1
+ La inicialización del plugin ha fallado: %1
+
+
+
+ Cannot perform extensionsInitialized because state != Initialized
+ No se pudo invocar a extensionsInitialized porque state != Initialized
+
+
+
+ Internal error: have no plugin instance to perform extensionsInitialized
+ Error interno: no hay instancias de plugin para invocar extensionsInitialized
+
+
+
+ ProjectExplorer::AbstractProcessStep
+
+
+ <font color="#0000ff">Starting: %1 %2</font>
+
+ <font color="#0000ff">Iniciando: %1 %2</font>
+
+
+
+
+ <font color="#0000ff">Exited with code %1.</font>
+ <font color="#0000ff">Finalizado retornando %1.</font>
+
+
+
+ <font color="#ff0000"><b>Exited with code %1.</b></font>
+ <font color="#ff0000"><b>Finalizado retornando %1.</b></font>
+
+
+
+ <font color="#ff0000">Could not start process %1 </b></font>
+ <font color="#ff0000">No se pudo arrancar el proceso %1 </b></font>
+
+
+
+ ProjectExplorer::BuildManager
+
+
+ <font color="#ff0000">Canceled build.</font>
+ <font color="#ff0000">Construcción cancelada.</font>
+
+
+
+ Build
+ Construir
+
+
+
+ Finished %n of %1 build steps
+
+ Finalizada %n de %1 etapas de la construcción
+ Finalizadas %n de %1 etapas de la construcción
+
+
+
+
+
+ <font color="#ff0000">Error while building project %1</font>
+ <font color="#ff0000">Error durante la construcción del proyecto %1</font>
+
+
+
+
+ <font color="#ff0000">When executing build step '%1'</font>
+ <font color="#ff0000">Mientras se ejecutaba la etapa '%1'</font>
+
+
+
+ Error while building project %1
+ Error construyendo proyecto %1
+
+
+
+ <b>Running build steps for project %2...</b>
+ <b>Ejecutando los pasos para construir el proyecto %2...</b>
+
+
+
+ ProjectExplorer::CustomExecutableRunConfiguration
+
+
+ Custom Executable
+ Ejecutable indicado
+
+
+
+ Could not find the executable, please specify one.
+ No se pudo localizar el ejecutable, por favor especifique uno.
+
+
+
+
+ Run %1
+ Ejecutar %1
+
+
+
+ ProjectExplorer::CustomExecutableRunConfigurationFactory
+
+
+
+ Custom Executable
+ Ejecutable indicado
+
+
+
+ ProjectExplorer::EnvironmentModel
+
+
+ Variable
+
+
+
+
+ Value
+ Valor
+
+
+
+ ProjectExplorer::Internal::AllProjectsFilter
+
+
+ Files in any project
+ Archivos en cualquier proyecto
+
+
+
+ ProjectExplorer::Internal::AllProjectsFind
+
+
+ All Projects
+ Todos los proyectos
+
+
+
+ File &pattern:
+ &Patrón de archivos:
+
+
+
+ ProjectExplorer::Internal::ApplicationLauncher
+
+
+ Failed to start program. Path or permissions wrong?
+ Fallo intentando iniciar el programa. ¿Ruta o permisos incorrectos?
+
+
+
+ The program has unexpectedly finished.
+ El programa finalizó inesperadamente.
+
+
+
+ Some error has occurred while running the program.
+ Ocurrió un error mientras se ejecutaba el programa.
+
+
+
+ ProjectExplorer::Internal::ApplicationRunConfigurationRunner
+
+
+ Run
+ Ejecutar
+
+
+
+ ProjectExplorer::Internal::ApplicationRunControl
+
+
+ Starting %1...
+ Iniciando %1...
+
+
+
+ %1 exited with code %2
+ %1 finalizó retornando %2
+
+
+
+ ProjectExplorer::Internal::BuildSettingsPanel
+
+
+ Build Settings
+ Ajustes de construcción
+
+
+
+ ProjectExplorer::Internal::BuildSettingsPropertiesPage
+
+
+ Configurations
+ Ajustes
+
+
+
+ +
+
+
+
+
+ -
+
+
+
+
+ ProjectExplorer::Internal::BuildSettingsWidget
+
+
+ Create &New
+ Crear &nuevo
+
+
+
+ &Clone Selected
+ &Clonar seleccionado
+
+
+
+
+ %1 - %2
+
+
+
+
+ General
+
+
+
+
+ Build Steps
+ Etapas de construcción
+
+
+
+ Set as Active
+ Establecer como Activo
+
+
+
+ Clone
+ Clonar
+
+
+
+ Delete
+ Suprimir
+
+
+
+ New configuration
+ Nuevo ajuste
+
+
+
+
+ New Configuration Name:
+ Nombre para nueva configuración:
+
+
+
+ Clone configuration
+ Clonar configuración
+
+
+
+ ProjectExplorer::Internal::BuildStepsPage
+
+
+ 1
+
+
+
+
+ +
+
+
+
+
+ -
+
+
+
+
+ ^
+
+
+
+
+ v
+
+
+
+
+ Build Steps
+ Etapas de construcción
+
+
+
+ ProjectExplorer::Internal::CompileOutputWindow
+
+
+
+ Compile Output
+ Salida del compilador
+
+
+
+ ProjectExplorer::Internal::CoreListenerCheckingForRunningBuild
+
+
+ Cancel Build && Close
+ Cancelar construcción y cerrar
+
+
+
+ Don't Close
+ No cerrar
+
+
+
+ A project is currently being built.
+ Un proyecto está siendo construido.
+
+
+
+ Close Qt Creator?
+ Cerrar Qt Creator?
+
+
+
+ Do you want to cancel the build process and close Qt Creator anyway?
+ ¿Quiere cancelar la construcción y cerrar Qt Creator de todos modos?
+
+
+
+ ProjectExplorer::Internal::CurrentProjectFilter
+
+
+ Files in current project
+ Archivos en el proyecto actual
+
+
+
+ ProjectExplorer::Internal::CurrentProjectFind
+
+
+ Current Project
+ Proyecto actual
+
+
+
+ File &pattern:
+ &Patrón de archivo:
+
+
+
+ ProjectExplorer::Internal::CustomExecutableConfigurationWidget
+
+
+ Name:
+ Nombre:
+
+
+
+ Executable:
+ Ejecutable:
+
+
+
+ Arguments:
+ Argumentos:
+
+
+
+ Working Directory:
+ Directorio de trabajo:
+
+
+
+ Run in &Terminal
+ Ejecutar en &Terminal
+
+
+ Environment
+ Entorno
+
+
+ Base environment for this runconfiguration:
+ Entorno base para éste ajuste de ejecución:
+
+
+
+ ProjectExplorer::Internal::DependenciesPanel
+
+
+ Dependencies
+ Dependencias
+
+
+
+ ProjectExplorer::Internal::DependenciesWidget
+
+
+ Project Dependencies
+ Dependencias del proyecto
+
+
+
+ Project Dependencies:
+ Dependencias del proyecto:
+
+
+
+ ProjectExplorer::Internal::DetailedModel
+
+
+ %1 of project %2
+ %1, del proyecto %2
+
+
+
+ Could not rename file
+ No se pudo renombrar el archivo
+
+
+
+ Renaming file %1 to %2 failed.
+ El renombrado del archivo %1 a %2 ha fallado.
+
+
+
+ ProjectExplorer::Internal::EditorSettingsPanel
+
+
+ Editor Settings
+ Ajustes de edición
+
+
+
+ ProjectExplorer::Internal::EditorSettingsPropertiesPage
+
+
+ Default File Encoding:
+ Codificación de caracteres predefinida:
+
+
+
+ ProjectExplorer::Internal::FolderNavigationWidgetFactory
+
+
+ File System
+ Sistema de archivos
+
+
+
+ Synchronize with Editor
+ Sincronizar con el Editor
+
+
+
+ ProjectExplorer::Internal::NewSessionInputDialog
+
+
+ New session name
+ Nuevo nombre de sesión
+
+
+
+ Enter the name of the new session:
+ Introduzca el nombre para la nueva sesión:
+
+
+
+ ProjectExplorer::Internal::OutputPane
+
+
+ Re-run this run-configuration
+ Volver a ejecutar con esta configuración
+
+
+
+
+ Stop
+ Detener
+
+
+
+ Ctrl+Shift+R
+
+
+
+
+ Application Output
+ Salida de la aplicación
+
+
+
+ The application is still running. Close it first.
+ La aplicación todavía está en ejecución, ciérrela primero.
+
+
+
+ Unable to close
+ Imposible cerrar
+
+
+
+ ProjectExplorer::Internal::OutputWindow
+
+
+ Application Output Window
+ Ventana de salida de la aplicación
+
+
+
+ ProjectExplorer::Internal::ProcessStep
+
+
+ Custom Process Step
+ Etapa de construcción definida por el usuario
+
+
+
+ ProjectExplorer::Internal::ProcessStepWidget
+
+
+ Enable custom process step
+ Permitir etapa de construcción personalizada
+
+
+
+ Name:
+ Nombre:
+
+
+
+ Command:
+ Comando:
+
+
+
+ Working Directory:
+ Directorio de trabajo:
+
+
+
+ Command Arguments:
+ Argumentos del comando:
+
+
+
+ ProjectExplorer::Internal::ProjectExplorerSettingsPage
+
+
+ Build and Run
+ Construir y ejecutar
+
+
+
+ Projectexplorer
+ Explorador de proyecto
+
+
+
+ ProjectExplorer::Internal::ProjectFileFactory
+
+
+ Could not open the following project: '%1'
+ No se pudo abrir el siguiente proyecto: '%1'
+
+
+
+ ProjectExplorer::Internal::ProjectFileWizardExtension
+
+
+ Failed to add one or more files to project
+'%1' (%2).
+ Fallo al agregar uno o más archivos al proyecto
+'%1' (%2).
+
+
+
+ Failed to add '%1' to the version control system.
+ Fallo al agregar '%1' al sistema de control de versiones.
+
+
+
+ ProjectExplorer::Internal::ProjectTreeWidget
+
+
+ Simplify tree
+ Simplificar árbol
+
+
+
+ Hide generated files
+ Ocultar archivos generados
+
+
+
+ Synchronize with Editor
+ Sincronizar con el editor
+
+
+
+ ProjectExplorer::Internal::ProjectTreeWidgetFactory
+
+
+ Projects
+ Proyectos
+
+
+
+ Filter tree
+ Filtrar árbol
+
+
+
+ ProjectExplorer::Internal::ProjectWindow
+
+
+ Project Explorer
+ Explorardor de proyecto
+
+
+
+ Projects
+ Proyecto
+
+
+
+ Startup
+ Inicio
+
+
+
+ Path
+ Ruta
+
+
+
+ ProjectExplorer::Internal::ProjectWizardPage
+
+
+ Add to &VCS (%1)
+ Agregar al &VCS (%1)
+
+
+
+ Files to be added:
+ Archivos a ser agregados:
+
+
+
+ ProjectExplorer::Internal::ProjetExplorerSettingsPageUi
+
+
+ Save all files before Build
+ Guardar todos los archivos antes de construir
+
+
+
+ Always build Project before Running
+ Siempre construir el proyecto antes de ejecutar
+
+
+
+ Build and Run
+ Construir y ejecutar
+
+
+
+ ProjectExplorer::Internal::RemoveFileDialog
+
+
+ Remove File
+ Suprimir archivo
+
+
+
+ &Delete file permanently
+ &Eliminar archivo permanentemente
+
+
+
+ &Remove from Version Control
+ &Remover del control de versiones
+
+
+
+ File to remove:
+ Archivo a suprimir:
+
+
+
+ ProjectExplorer::Internal::RunSettingsPanel
+
+
+ Run Settings
+ Ajustes de ejecución
+
+
+
+ ProjectExplorer::Internal::RunSettingsPropertiesPage
+
+
+ Run &configuration:
+ Ajuste de eje&cución:
+
+
+
+ +
+
+
+
+
+ -
+
+
+
+
+ Settings
+ Ajustes
+
+
+
+ ProjectExplorer::Internal::SessionDialog
+
+
+ Session Manager
+ Gestor de sesiones
+
+
+ Choose your session
+ Seleccione su sesión
+
+
+
+ Create New Session
+ Crear nueva sesión
+
+
+
+ Clone Session
+ Clonar sesión
+
+
+
+ Delete Session
+ Eliminar sesión
+
+
+
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">What is a Session?</a>
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">¿Qué es una sesión?</a>
+
+
+
+ ProjectExplorer::Internal::SessionFile
+
+
+ Session
+ Sesión
+
+
+
+ Untitled
+ default file name to display
+ Sin título
+
+
+
+ ProjectExplorer::Internal::TaskDelegate
+
+
+ File not found: %1
+ Archivo no encontrado: %1
+
+
+
+ ProjectExplorer::Internal::TaskWindow
+
+
+
+ Build Issues
+ Construcción
+
+
+
+ &Copy
+ &Copiar
+
+
+
+ ProjectExplorer::Internal::WinGuiProcess
+
+
+ The process could not be started!
+ El proceso no pudo ser iniciado!
+
+
+
+ Cannot retrieve debugging output!
+ No se pudo obtener salida de depurado!
+
+
+
+ ProjectExplorer::Internal::WizardPage
+
+
+ Project management
+ Gestor de proyectos
+
+
+
+ &Add to Project
+ &Agregar al proyecto
+
+
+
+ &Project
+ &Proyecto
+
+
+
+ Add to &version control
+ Agregar al control de &versiones
+
+
+
+ The following files will be added:
+
+
+
+
+ Los siguientes archivos serán agregados:
+
+
+
+
+
+
+
+ ProjectExplorer::ProjectExplorerPlugin
+
+
+ Projects
+ Proyectos
+
+
+
+ &Build
+ &Construir
+
+
+
+ &Debug
+ &Depurar
+
+
+
+ &Start Debugging
+ Iniciar &depuración
+
+
+
+ Open With
+ Abrir con
+
+
+
+ Session Manager...
+ Gestor de sesiones...
+
+
+
+ New Project...
+ Nuevo proyecto...
+
+
+
+ Ctrl+Shift+N
+
+
+
+
+ Load Project...
+ Cargar proyecto...
+
+
+
+ Ctrl+Shift+O
+
+
+
+
+ Open File
+ Abrir archivo
+
+
+
+ Show in Finder...
+ Mostrar en buscador...
+
+
+
+ Recent Projects
+ Proyectos recientes
+
+
+
+ Close Project
+ Cerrar proyecto
+
+
+
+ Close All Projects
+ Cerrar todos los proyectos
+
+
+
+ Session
+ Sesión
+
+
+
+ Set Build Configuration
+ Establecer ajustes de construcción
+
+
+
+ Build All
+ Construir todo
+
+
+
+ Ctrl+Shift+B
+
+
+
+
+ Rebuild All
+ Reconstruir todo
+
+
+
+ Clean All
+ Limpiar todo
+
+
+
+ Build Project
+ Construir proyecto
+
+
+
+ Build Project "%1"
+ Construir proyecto "%1"
+
+
+
+ Ctrl+B
+
+
+
+
+ Rebuild Project
+ Reconstruir proyecto
+
+
+
+ Rebuild Project "%1"
+ Reconstruir proyecto "%1"
+
+
+
+ Clean Project
+ Limpiar proyecto
+
+
+ Project Only
+ Proyecto solamente
+
+
+ Build
+ Construir
+
+
+ Rebuild
+ Reconstruir
+
+
+ Clean
+ Limpiar
+
+
+ Current Project
+ Proyecto actual
+
+
+ Project "%1"
+ Proyecto "%1"
+
+
+
+
+ Run
+ Ejecutar
+
+
+
+ Ctrl+R
+
+
+
+
+ Set Run Configuration
+ Establecer ajuste de ejecución
+
+
+
+ Go to Task Window
+ Ir a ventana de tareas
+
+
+
+ Cancel Build
+ Cancelar construcción
+
+
+
+
+ Start Debugging
+ Iniciar depuración
+
+
+
+ F5
+
+
+
+
+ Add New...
+ Agregar nuevo...
+
+
+
+ Add Existing Files...
+ Agregar archivos existentes...
+
+
+
+ Remove File...
+ Eliminar archivo...
+
+
+
+ Rename
+ Renombrar
+
+
+
+ Load Project
+ Cargar proyecto
+
+
+
+ New Project
+ Title of dialog
+ Nuevo proyecto
+
+
+
+ Close Project "%1"
+ Cerrar proyecto "%1"
+
+
+
+ Clean Project "%1"
+ Limpiar proyecto "%1"
+
+
+
+ Build Without Dependencies
+ Construir sin dependencias
+
+
+
+ Rebuild Without Dependencies
+ Reconstruir sin dependencias
+
+
+
+ Clean Without Dependencies
+ Limpiar sin dependencias
+
+
+
+ New File
+ Title of dialog
+ Nuevo archivo
+
+
+
+ Add Existing Files
+ Agregar archivos existentes
+
+
+
+ Could not add following files to project %1:
+
+ No se pudo agregar los siguientes archivos al proyecto %1:
+
+
+
+
+ Add files to project failed
+ Fallo al agregar archivos al proyecto
+
+
+
+ Add to Version Control
+ Agregar al control de versiones
+
+
+
+ Add files
+%1
+to version control (%2)?
+ Agregar archivos
+%1
+al control de versiones (%2)?
+
+
+
+ Could not add following files to version control (%1)
+
+ No se pudo agregar los siguientes archivos al control de versiones (%1)
+
+
+
+
+ Add files to version control failed
+ Fallo al agregar archivos al control de versiones
+
+
+
+ Remove file failed
+ Fallo al eliminar archivo
+
+
+
+ Could not remove file %1 from project %2.
+ No se pudo eliminar el archivo %1 del proyecto %2.
+
+
+
+ Delete file failed
+ Fallo al eliminar archivo
+
+
+
+ Could not delete file %1.
+ No se pudo eliminar el archivo %1.
+
+
+
+ ProjectExplorer::SessionManager
+
+
+ Error while restoring session
+ Error restaurando sesión
+
+
+
+ Could not restore session %1
+ No se pudo restaurar la sesión %1
+
+
+
+ Error while saving session
+ Error guardando sesión
+
+
+
+ Could not save session to file %1
+ No se pudo guardar la sesion al archivo %1
+
+
+
+ Qt Creator
+
+
+
+
+
+ Untitled
+ Sin título
+
+
+
+ Session ('%1')
+ Sesión ('%1')
+
+
+
+ QLibrary
+
+
+ Could not mmap '%1': %2
+ No se pudo mmap '%1': %2
+
+
+
+ Plugin verification data mismatch in '%1'
+ Datos de verificación del plugin no coinciden en '%1'
+
+
+
+ Could not unmap '%1': %2
+ No se pudo unmap '%1': %2
+
+
+
+
+ The shared library was not found.
+ La librería compartida no fue encontrada.
+
+
+
+ The file '%1' is not a valid Qt plugin.
+ El archivo '%1' no es un plugin Qt válido.
+
+
+
+ The plugin '%1' uses incompatible Qt library. (%2.%3.%4) [%5]
+ El plugin '%1' usa una librería Qt incompatible. (%2.%3.%4) [%5]
+
+
+
+ The plugin '%1' uses incompatible Qt library. Expected build key "%2", got "%3"
+ El plugin '%1' usa una librería Qt incompatible. Se esperaba clave "%2", se obtuvo "%3"
+
+
+
+ The plugin '%1' uses incompatible Qt library. (Cannot mix debug and release libraries.)
+ El plugin '%1' usa una librería Qt incompatible. (No se puede mezclar librerías 'debug' y 'release'.)
+
+
+
+ The plugin was not loaded.
+ El plugin no fue cargado.
+
+
+
+ Unknown error
+ Error desconocido
+
+
+
+
+ Cannot load library %1: %2
+ No se pudo cargar la librería %1: %2
+
+
+
+
+ Cannot unload library %1: %2
+ No se pudo descargar la librería %1: %2
+
+
+
+
+ Cannot resolve symbol "%1" in %2: %3
+ No se pudo resolver el símbolo "%1" en %2: %3
+
+
+
+ QMakeStep
+
+
+ QMake Build Configuration:
+ Ajustes de construcción QMake:
+
+
+
+ debug
+
+
+
+
+ release
+
+
+
+
+ Additional arguments:
+ Argumentos adicionales:
+
+
+
+ Effective qmake call:
+ Llamada qmake efectiva:
+
+
+
+ QObject
+
+
+ Pass
+ Éxito
+
+
+
+ Expected Failure
+ Se esperaba falla
+
+
+
+ Failure
+ Falla
+
+
+
+ Expected Pass
+ Se esperaba éxito
+
+
+
+ Warning
+ Advertencia
+
+
+
+ Qt Warning
+ Advertencia
+
+
+
+ Qt Debug
+ Depuración
+
+
+
+ Critical
+ Crítico
+
+
+
+ Fatal
+ Fatal
+
+
+
+ Skipped
+ Saltado
+
+
+
+ Info
+
+
+
+
+ QTestLib::Internal::QTestOutputPane
+
+
+ Test Results
+ Resultados de los tests
+
+
+
+ Result
+ Resultado
+
+
+
+ Message
+ Mensaje
+
+
+
+ QTestLib::Internal::QTestOutputWidget
+
+
+ All Incidents
+ Todos los incidentes
+
+
+
+ Show Only:
+ Mostrar solamente:
+
+
+
+ QmlProjectManager::Internal::QmlNewProjectWizard
+
+
+ QML Application
+ Aplicación QML
+
+
+
+ Creates a QML application.
+ Crea una aplicación QML.
+
+
+
+ Projects
+ Proyectos
+
+
+
+ The project %1 could not be opened.
+ El proyecto %1 no pudo ser abierto.
+
+
+
+ QmlProjectManager::Internal::QmlNewProjectWizardDialog
+
+
+ New QML Project
+ Nuevo proyecto QML
+
+
+
+ This wizard generates a QML application project.
+ Este asistente genera un proyecto de aplicación QML.
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizard
+
+
+ Import of existing QML directory
+ Importación de directorio existente con QML
+
+
+
+ Creates a QML project from an existing directory of QML files.
+ Crea un proyecto a partir de un directorio existente conteniendo archivos QML.
+
+
+
+ Projects
+ Proyectos
+
+
+
+ The project %1 could not be opened.
+ El proyecto %1 no pudo ser abierto.
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizardDialog
+
+
+ Import of QML Project
+ Importación de proyecto QML
+
+
+
+ QML Project
+ Proyecto QML
+
+
+
+ Project name:
+ Nombre de proyecto:
+
+
+
+ Location:
+ Localización:
+
+
+
+ QmlProjectManager::Internal::QmlRunConfiguration
+
+
+
+
+ QML Viewer
+ Visualizador QML
+
+
+
+ Could not find the qmlviewer executable, please specify one.
+ No se pudo encontar el ejecutable qmlviewer, por favor especifique uno.
+
+
+
+
+
+ <Current File>
+ <Archivo actual>
+
+
+
+ Main QML File:
+ Archivo QML principal:
+
+
+
+ QrcEditor
+
+ Form
+ Formulario
+
+
+
+ Add
+ Agregar
+
+
+
+ Remove
+ Eliminar
+
+
+
+ Properties
+ Propiedades
+
+
+
+ Prefix:
+ Prefijo:
+
+
+
+ Language:
+ Idioma:
+
+
+
+ Alias:
+ Alias:
+
+
+
+ Qt4ProjectManager::Internal::ConsoleAppWizard
+
+
+ Qt4 Console Application
+ Aplicación Qt4 de consola
+
+
+
+ Creates a Qt4 console application.
+ Crea una aplicación Qt4 de consola.
+
+
+
+ Qt4ProjectManager::Internal::ConsoleAppWizardDialog
+
+
+ This wizard generates a Qt4 console application project. The application derives from QCoreApplication and does not provide a GUI.
+ Este asistente genera un proyecto de aplicación Qt4 para consola. La aplicación es derivada de QCoreApplication y no provee interfaz gráfica de usuario.
+
+
+
+ Qt4ProjectManager::Internal::DesignerExternalEditor
+
+
+ Qt Designer is not responding (%1).
+ Qt Designer no está respondiendo (%1).
+
+
+
+ Unable to create server socket: %1
+ No se pudo crear socket de servidor: %1
+
+
+
+ Qt4ProjectManager::Internal::EmbeddedPropertiesPanel
+
+
+ Embedded Linux
+ Linux embebido
+
+
+
+ Qt4ProjectManager::Internal::EmptyProjectWizard
+
+
+ Empty Qt4 Project
+ Proyecto Qt4 vacío
+
+
+
+ Creates an empty Qt project.
+ Crea un proyecto Qt vacío.
+
+
+
+ Qt4ProjectManager::Internal::EmptyProjectWizardDialog
+
+
+ This wizard generates an empty Qt4 project. Add files to it later on by using the other wizards.
+ Este asistente genera un proyecto Qt4 vacío. Puede agregarle archivos mas tarde mediante otros asistentes.
+
+
+
+ Qt4ProjectManager::Internal::ExternalQtEditor
+
+
+ Unable to start "%1"
+ Imposible iniciar "%1"
+
+
+
+ The application "%1" could not be found.
+ La aplicación "%1" no pudo ser encontrada.
+
+
+
+ Qt4ProjectManager::Internal::FilesPage
+
+
+ Class Information
+ Información de la clase
+
+
+
+ Specify basic information about the classes for which you want to generate skeleton source code files.
+ Especifique la información básica acerca de las clases para las que quiera generar plantillas de código fuente.
+
+
+
+ Qt4ProjectManager::Internal::GuiAppWizard
+
+
+ Qt4 Gui Application
+ Aplicación Qt4 con GUI
+
+
+
+ Creates a Qt4 Gui Application with one form.
+ Crea una aplicación Qt4 con un formulario.
+
+
+
+ The template file '%1' could not be opened for reading: %2
+ El archivo de plantilla '%1' no pudo ser abierto para lectura: %2
+
+
+
+ Qt4ProjectManager::Internal::GuiAppWizardDialog
+
+
+ This wizard generates a Qt4 GUI application project. The application derives by default from QApplication and includes an empty widget.
+ Este asistente genera un proyecto de aplicación Qt4. La aplicación es derivada de QApplication e incluye un Widget vacío.
+
+
+
+ Qt4ProjectManager::Internal::LibraryWizard
+
+
+ C++ Library
+ Librería C++
+
+
+
+ Creates a C++ Library.
+ Crea una librería C++.
+
+
+
+ Qt4ProjectManager::Internal::LibraryWizardDialog
+
+
+ Shared library
+ Librería compartida
+
+
+
+ Statically linked library
+ Librería enlazada estaticamente
+
+
+
+ Qt 4 plugin
+ Plugin Qt4
+
+
+
+ Type
+ Tipo
+
+
+
+ This wizard generates a C++ library project.
+ Este asistente genera un proyecto de Librería C++.
+
+
+
+ Qt4ProjectManager::Internal::ModulesPage
+
+
+ Select required modules
+ Seleccione los módulos requeridos
+
+
+
+ Select the modules you want to include in your project. The recommended modules for this project are selected by default.
+ Seleccione los módulos que quiere incluir en su proyecto. Los módulos recomendados para el proyecto aparecen marcados por defecto.
+
+
+
+ Qt4ProjectManager::Internal::ProEditor
+
+
+ New
+ Nuevo
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Up
+ Arriba
+
+
+
+ Down
+ Abajo
+
+
+
+ Cut
+ Cortar
+
+
+
+ Copy
+ Copiar
+
+
+
+ Paste
+ Pegar
+
+
+
+ Ctrl+X
+
+
+
+
+ Ctrl+C
+
+
+
+
+ Ctrl+V
+
+
+
+
+ Add Variable
+ Agregar variable
+
+
+
+ Add Scope
+ Agregar alcance
+
+
+
+ Add Block
+ Agregar bloque
+
+
+
+ Qt4ProjectManager::Internal::ProEditorModel
+
+
+ <Global Scope>
+ <Alcance global>
+
+
+
+ Change Item
+ Modificar item
+
+
+
+ Change Variable Assignment
+ Modificar asignación de variable
+
+
+
+ Change Variable Type
+ Modificar tipo de variable
+
+
+
+ Change Scope Condition
+ Modificar condición del alcance
+
+
+
+ Change Expression
+ Modificar expresión
+
+
+
+ Move Item
+ Mover item
+
+
+
+ Remove Item
+ Suprimir item
+
+
+
+ Insert Item
+ Insertar item
+
+
+
+ Qt4ProjectManager::Internal::ProjectLoadWizard
+
+
+ Import existing settings
+ Importar ajustes guardados
+
+
+
+ Qt Creator has found an already existing build in the source directory.<br><br><b>Qt Version:</b> %1<br><b>Build configuration:</b> %2<br>
+ Qt Creator ha encontrado un Ajuste de Construcción ya existente en el directorio de fuentes. <br><br><b>Versión de Qt:</b> %1<br><b>Ajuste de construcción:</b> %2<br>
+
+
+
+ Import existing build settings.
+ Importar Ajustes de construcción existentes.
+
+
+
+ <b>Note:</b> Importing the settings will automatically add the Qt Version from:<br><b>%1</b> to the list of Qt versions.
+ <b>Nota:</b> La importación del ajuste agregará automáticamente la versión de Qt desde:<br><b>%1</b> a la lista de versiones de Qt.
+
+
+
+ Qt4ProjectManager::Internal::Qt4BuildEnvironmentWidget
+
+
+ Build Environment
+ Entorno de construcción
+
+
+
+ Qt4ProjectManager::Internal::Qt4PriFileNode
+
+
+
+ Failed!
+ ¡Fallido!
+
+
+
+ Could not open the file for edit with SCC.
+ Imposible abrir archivo para editar con SCC.
+
+
+
+ Could not set permissions to writable.
+ No se pudo establecer permisos para escritura.
+
+
+
+ There are unsaved changes for project file %1.
+ Hay cambios no guardados en el proyecto %1.
+
+
+
+ Error while parsing file %1. Giving up.
+ Error interpretando el archivo %1. No se continuará intentando.
+
+
+
+ Error while changing pro file %1.
+ Error modificando el archivo de proyecto %1.
+
+
+
+ Qt4ProjectManager::Internal::Qt4ProFileNode
+
+
+ Error while parsing file %1. Giving up.
+ Error interpretando el archivo %1. No se continuará intentando.
+
+
+
+ Could not find .pro file for sub dir '%1' in '%2'
+ No se encontró el archivo .pro para el subdirectorio '%1' en '%2'
+
+
+
+ Qt4ProjectManager::Internal::Qt4ProjectConfigWidget
+
+
+ Configuration Name:
+ Nombre de configuración:
+
+
+
+ Qt Version:
+ Versión de Qt:
+
+
+
+ Manage Qt Versions
+ Gestionar versiones de Qt
+
+
+
+ This Qt-Version is invalid.
+ Ésta versión de Qt es inválida.
+
+
+
+ Shadow Build:
+ Construcción en sombra (shadow build):
+
+
+
+ Build Directory:
+ Directorio de construcción:
+
+
+
+ <a href="import">Import existing build</a>
+ <a href="import">Importar ajuste existente</a>
+
+
+
+ Shadow Build Directory
+ Directorio de construicción "en sombra"
+
+
+
+ General
+
+
+
+
+ Default Qt Version
+ Versión preferida de Qt
+
+
+
+ Qt4ProjectManager::Internal::Qt4ProjectManagerPlugin
+
+
+
+ Run qmake
+ Ejecutar qmake
+
+
+
+ Qt4ProjectManager::Internal::Qt4RunConfiguration
+
+
+
+ Qt4RunConfiguration
+
+
+
+
+ Could not parse %1. The Qt4 run configuration %2 can not be started.
+ No se pudo interpretar %1. El ajuste de ejecución %2 no puede iniciarse.
+
+
+
+ Qt4ProjectManager::Internal::Qt4RunConfigurationWidget
+
+ Environment
+ Entorno
+
+
+ Base environment for this runconfiguration:
+ Entorno base para éste ajuste de ejecución:
+
+
+
+ Name:
+ Nombre:
+
+
+
+ Executable:
+ Ejecutable:
+
+
+
+ Select the working directory
+ Seleccionar directorio de trabajo
+
+
+
+ Reset to default
+ Restablecer a predefinidos
+
+
+
+ Working Directory:
+ Directorio de trabajo:
+
+
+
+ &Arguments:
+ &Argumentos:
+
+
+
+ Run in &Terminal
+ Ejecutar en &Terminal
+
+
+
+ Use debug version of frameworks (DYLD_IMAGE_SUFFIX=_debug)
+ Usar versión debug de frameworks (DYLD_IMAGE_SUFFIX=_debug)
+
+
+
+ Qt4ProjectManager::Internal::QtOptionsPageWidget
+
+
+ <specify a name>
+ <especifique un nombre>
+
+
+
+ <specify a path>
+ <especifique una ruta>
+
+
+
+ Select QTDIR
+ Seleccione QTDIR
+
+
+
+ Select the Qt Directory
+ Seleccione el directorio Qt
+
+
+
+ The Qt Version %1 is not installed. Run make install
+ La versión %1 de Qt no está instalada. Ejecute make install
+
+
+
+ %1 is not a valid Qt directory
+ %1 no es un directorio válido de Qt
+
+
+
+ Found Qt version %1, using mkspec %2
+ Se encontró la version %1 de Qt, usando mkspec %2
+
+
+
+ Qt4ProjectManager::Internal::QtVersionManager
+
+
+ Path:
+ Ruta:
+
+
+
+ Qt versions
+ Versiones de Qt
+
+
+
+ +
+
+
+
+
+ -
+
+
+
+
+ Name
+ Nombre
+
+
+
+ Path
+ Ruta
+
+
+
+ Debugging Helper
+ Asistente de depuración
+
+
+
+ Version Name:
+ Nombre de versión:
+
+
+
+ MinGw Directory:
+ Directorio de MinGw:
+
+
+
+ Debugging Helper:
+ Asistente de depuración:
+
+
+
+ Show &Log
+ Mostrar ®istro
+
+
+
+ &Rebuild
+ &Reconstruir
+
+
+
+ Default Qt Version:
+ Versión preferida de Qt:
+
+
+
+ MSVC Version:
+ Versión de MSVC:
+
+
+
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">Unable to detect MSVC version.</span></p></body></html>
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">Imposible detectar versión de MSVC.</span></p></body></html>
+
+
+
+ Qt4ProjectManager::Internal::QtWizard
+
+
+ The project %1 could not be opened.
+ El proyecto %1 no pudo ser abierto.
+
+
+
+ Qt4ProjectManager::Internal::ValueEditor
+
+
+ Edit Variable
+ Editar variable
+
+
+
+ Variable Name:
+ Nombre de variable:
+
+
+
+ Assignment Operator:
+ Operador de asignación:
+
+
+
+ Variable:
+ Variable:
+
+
+
+ Append (+=)
+ Añadir (+=)
+
+
+
+ Remove (-=)
+ Eliminar (-=)
+
+
+
+ Replace (~=)
+ Reemplazar (~=)
+
+
+
+ Set (=)
+ Establecer (=)
+
+
+
+ Unique (*=)
+ Único (*=)
+
+
+
+ Select Item
+ Seleccionar item
+
+
+
+ Edit Item
+ Editar item
+
+
+
+ Select Items
+ Seleccionar items
+
+
+
+ Edit Items
+ Editar items
+
+
+
+ New
+ Nuevo
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Edit Values
+ Editar valores
+
+
+
+ Edit %1
+ Editar %1
+
+
+
+ Edit Scope
+ Editar alcance
+
+
+
+ Edit Advanced Expression
+ Editar expresión avanzada
+
+
+
+ Qt4ProjectManager::MakeStep
+
+
+ <font color="#ff0000">Could not find make command: %1 in the build environment</font>
+ <font color="#ff0000">No se encontró el comando make: %1 en el entorno de de construcción</font>
+
+
+
+ <font color="#0000ff"><b>No Makefile found, assuming project is clean.</b></font>
+ <font color="#0000ff"><b>No se encontró el archivo Makefile, se asume que el proyecto está limpio.</b></font>
+
+
+
+ Qt4ProjectManager::MakeStepConfigWidget
+
+
+ Override %1:
+ Redefinir %1:
+
+
+
+ Qt4ProjectManager::QMakeStep
+
+
+
+<font color="#ff0000"><b>No valid Qt version set. Set one in Preferences </b></font>
+
+
+<font color="#ff0000"><b>No se estableció ninguna versión válida de Qt. Ajústelo en Preferencias </b></font>
+
+
+
+
+
+<font color="#ff0000"><b>No valid Qt version set. Set one in Tools/Options </b></font>
+
+
+<font color="#ff0000"><b>No se estableció ninguna versión válida de Qt. Ajuste una en Herramientas/Opciones </b></font>
+
+
+
+
+ <font color="#0000ff">Configuration unchanged, skipping QMake step.</font>
+ <font color="#0000ff">Configuration intacta, saltando paso QMake.</font>
+
+
+
+ Qt4ProjectManager::Qt4Manager
+
+
+ Loading project %1 ...
+ Cargando el proyecto %1 ...
+
+
+
+ Failed opening project '%1': Project file does not exist
+ Fallo abriendo el proyecto '%1': El archivo de proyecto no existe
+
+
+
+
+ Failed opening project
+ Fallo abriendo el proyecto
+
+
+
+ Failed opening project '%1': Project already open
+ Fallo abriendo el proyecto '%1': ya está abierto
+
+
+
+ Opening %1 ...
+ Abriendo %1 ...
+
+
+
+ Done opening project
+ Abriendo proyecto: Listo
+
+
+
+ Qt4ProjectManager::QtVersionManager
+
+
+ <not found>
+ <no encontrado>
+
+
+
+
+ Auto-detected Qt
+ Qt autodetectado
+
+
+
+ QtDumperHelper
+
+
+ <none>
+ <ninguno>
+
+
+
+ %n known types, Qt version: %1, Qt namespace: %2
+
+ %n solo tipo conocido, versión de Qt: %1, namespace Qt: %2
+ %n tipos conocidos, versión de Qt: %1, namespace Qt: %2
+
+
+
+
+ QtModulesInfo
+
+
+ QtCore Module
+ Módulo QtCore
+
+
+
+ Core non-GUI classes used by other modules
+ Clases elementales no visuales empleadas por otros módulos
+
+
+
+ QtGui Module
+ Módulo QtGui
+
+
+
+ Graphical user interface components
+ Componentes de interfaz gráfica de usuario
+
+
+
+ QtNetwork Module
+ Módulo QtNetwork
+
+
+
+ Classes for network programming
+ Clases para programación de aplicaciones de red
+
+
+
+ QtOpenGL Module
+ Módulo QtOpenGL
+
+
+
+ OpenGL support classes
+ Clases para soporte OpenGL
+
+
+
+ QtSql Module
+ Módulo QtSql
+
+
+
+ Classes for database integration using SQL
+ Clases de integración con bases de datos usando SQL
+
+
+
+ QtScript Module
+ Módulo QtScript
+
+
+
+ Classes for evaluating Qt Scripts
+ Clases para evaluación de guiones Qt
+
+
+
+ QtSvg Module
+ Módulo QtSvg
+
+
+
+ Classes for displaying the contents of SVG files
+ Clases para desplegar archivos SVG
+
+
+
+ QtWebKit Module
+ Módulo QtWebKit
+
+
+
+ Classes for displaying and editing Web content
+ Clases para despliegue y edición de contenido Web
+
+
+
+ QtXml Module
+ Módulo QtXml
+
+
+
+ Classes for handling XML
+ Clases para manipulación de documentos XML
+
+
+
+ QtXmlPatterns Module
+ Módulo QtXmlPatterns
+
+
+
+ An XQuery/XPath engine for XML and custom data models
+ Un motor XQuery/XPath para XML y modelos de datos a medida
+
+
+
+ Phonon Module
+ Módulo Phonon
+
+
+
+ Multimedia framework classes
+ Clases del framework multimedios
+
+
+
+ Qt3Support Module
+ Módulo Qt3Support
+
+
+
+ Classes that ease porting from Qt 3 to Qt 4
+ Clases que facilitan la conversión de proyectos Qt3 a Qt4
+
+
+
+ QtTest Module
+ Módulo QtTest
+
+
+
+ Tool classes for unit testing
+ Clases para testeo unitario
+
+
+
+ QtDBus Module
+ Módulo QtDBus
+
+
+
+ Classes for Inter-Process Communication using the D-Bus
+ Clases para comunicación entre procesos empleando D-Bus
+
+
+
+ QtScriptEditor::Internal::QtScriptEditorActionHandler
+
+
+ Qt Script Error
+ Error en guión
+
+
+
+ QtScriptEditor::Internal::QtScriptEditorPlugin
+
+
+ Creates a Qt Script file.
+ Crea un archivo de guión Qt.
+
+
+
+ Qt Script file
+ Archivo de guión Qt
+
+
+
+ Qt
+ Qt
+
+
+
+ Run
+ Ejecutar
+
+
+
+ Ctrl+R
+ Ctrl+R
+
+
+
+ QtScriptEditor::Internal::ScriptEditor
+
+
+ <Select Symbol>
+ <Seleccione símbolo>
+
+
+
+ QuickOpen::IQuickOpenFilter
+
+
+ Filter Configuration
+ Filtro de configuración
+
+
+
+ Limit to prefix
+ Limitar al prefijo
+
+
+
+ Prefix:
+ Prefijo:
+
+
+
+ QuickOpen::Internal::DirectoryFilter
+
+
+ Generic Directory Filter
+ Filtro genérico de directorios
+
+
+
+ Filter Configuration
+ Configuración de filtro
+
+
+
+
+ Choose a directory to add
+ Seleccione directorio a agregar
+
+
+
+ %1 filter update: 0 files
+ Filtro %1 actualiza: 0 archivos
+
+
+
+ %1 filter update: %n files
+
+ Filtro %1 actualiza: %n archivo
+ Filtro %1 actualiza: %n archivos
+
+
+
+
+ %1 filter update: canceled
+ Filtro %1 actualiza: cancelado
+
+
+
+ QuickOpen::Internal::DirectoryFilterOptions
+
+
+ Name:
+ Nombre:
+
+
+
+ File Types:
+ Tipos de archivo:
+
+
+
+ Specify file name filters, separated by comma. Filters may contain wildcards.
+ Especifique filtros para nombres de archivos, separados por comas. Los filtros pueden contener comodines.
+
+
+
+ Prefix:
+ Prefijo:
+
+
+
+ Limit to prefix
+ Límite para el prefijo
+
+
+
+ Add...
+ Agregar...
+
+
+
+ Edit...
+ Editar...
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Directories:
+ Directorios:
+
+
+
+ Specify a short word/abbreviation that can be used to restrict completions to files from this directory tree.
+To do this, you type this shortcut and a space in the Locator entry field, and then the word to search for.
+ Especifique una palabra corta o abreviatura que pueda usarse para restringir el completado de archivos de este arbol de directorios.
+Para hacerlo, introduzca el atajo y un espacio en el campo Localización, y luego la palabra a buscar.
+
+
+
+ QuickOpen::Internal::FileSystemFilter
+
+
+ Files in file system
+ Archivos en el sistema de archivos
+
+
+
+ QuickOpen::Internal::FileSystemFilterOptions
+
+
+ Filter configuration
+ Ajustes de filtros
+
+
+
+ Prefix:
+ Prefijo:
+
+
+
+ Limit to prefix
+ Limite para el prefijo
+
+
+
+ Include hidden files
+ Incluir archivos ocultos
+
+
+
+ Filter:
+ Filtro:
+
+
+
+ QuickOpen::Internal::OpenDocumentsFilter
+
+
+ Open documents
+ Documentos abiertos
+
+
+
+ QuickOpen::Internal::QuickOpenFiltersFilter
+
+
+ Available filters
+ Filtros disponibles
+
+
+
+ QuickOpen::Internal::QuickOpenPlugin
+
+
+ Indexing
+ Indizando
+
+
+
+ QuickOpen::Internal::QuickOpenToolWindow
+
+
+ Refresh
+ Refrescar
+
+
+
+ Configure...
+ Configurar...
+
+
+
+ Locate...
+ Localizar...
+
+
+
+ Type to locate
+ Tipo a localizar
+
+
+
+ <type here>
+ <escribalo aquí>
+
+
+
+ QuickOpen::Internal::SettingsDialog
+
+
+ Configure Filters
+ Ajustar filtros
+
+
+
+ Add
+ Agregar
+
+
+
+ Remove
+ Suprimir
+
+
+
+ min
+
+
+
+
+ Refresh now!
+ Refrescar ahora!
+
+
+
+ Edit...
+ Editar...
+
+
+
+ Refresh Interval:
+ Intervalo de refresco:
+
+
+
+ QuickOpen::Internal::SettingsPage
+
+
+ %1 (Prefix: %2)
+ %1 (Prefijo: %2)
+
+
+
+ QuickOpen::Internal::SettingsWidget
+
+
+ Configure Filters
+ Ajustar filtros
+
+
+
+ Add
+ Agregar
+
+
+
+ Remove
+ Suprimir
+
+
+
+ Edit
+ Editar
+
+
+
+ Refresh Interval:
+ Intervalo de refresco:
+
+
+
+ min
+
+
+
+
+ RegExp::Internal::RegExpWindow
+
+
+ &Pattern:
+ &Patrón:
+
+
+
+ &Escaped Pattern:
+ Patrón &escapado:
+
+
+
+ &Pattern Syntax:
+ Sintaxis del &patrón:
+
+
+
+ &Text:
+ &Texto:
+
+
+
+ Case &Sensitive
+ Di&stinguir MAYÚS/minús
+
+
+
+ &Minimal
+ &Mínimo
+
+
+
+ Index of Match:
+ Coincidencia en:
+
+
+
+ Matched Length:
+ Longitud de coincidencia:
+
+
+
+ Regular expression v1
+ Expresión regular v1
+
+
+
+ Regular expression v2
+ Expresión regular v2
+
+
+
+ Wildcard
+ Comodín
+
+
+
+ Fixed string
+ Cadena fija
+
+
+
+ Capture %1:
+ Captura %1:
+
+
+
+ Match:
+ Coincidencia:
+
+
+
+ Regular Expression
+ Expresión regular
+
+
+
+ Enter pattern from code...
+ Introducir patrón desde código...
+
+
+
+ Clear patterns
+ Limpiar patrones
+
+
+
+ Clear texts
+ Limpiar textos
+
+
+
+ Enter pattern from code
+ Introducir patrón desde código
+
+
+
+ Pattern
+ Patrón
+
+
+
+ ResourceEditor::Internal::ResourceEditorPlugin
+
+ Create a Qt Resource file (.qrc).
+ Crear un archivo de recursos Qt (.qrc).
+
+
+
+ Creates a Qt Resource file (.qrc).
+ Crea un archivo de recursos de Qt (.qrc).
+
+
+
+ Qt Resource file
+ Archivo de recursos Qt
+
+
+
+ Qt
+ Qt
+
+
+
+ &Undo
+ &Deshacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ ResourceEditor::Internal::ResourceEditorW
+
+
+ untitled
+ sin título
+
+
+
+ SaveItemsDialog
+
+
+ Save Changes
+ Guardar cambios
+
+
+
+ The following files have unsaved changes:
+ Los siguientes archivos tienen cambios sin guardar:
+
+
+
+ Automatically save all files before building
+ Guardar cambios automáticamente antes de construir
+
+
+
+ SettingsDialog
+
+
+ Options
+ Opciones
+
+
+
+ 0
+
+
+
+
+ SharedTools::QrcEditor
+
+
+ Add Files
+ Agregar archivos
+
+
+
+ Add Prefix
+ Agregar prefijo
+
+
+
+ Invalid file
+ Archivo inválido
+
+
+
+ Copy
+ Copiar
+
+
+
+ Skip
+ Saltar
+
+
+
+ Abort
+ Abortar
+
+
+
+ The file %1 is not in a subdirectory of the resource file. Continuing will result in an invalid resource file.
+ El archivo %1 no está en un subdirectorio del archivo de recursos. Si continua, el resultado será un archivo de recursos inválido.
+
+
+
+ Choose copy location
+ Seleccione un lugar donde copiar
+
+
+
+ Overwrite failed
+ Falló la sobreescritura
+
+
+
+ Could not overwrite file %1.
+ No se pudo sobreescribir el archivo %1.
+
+
+
+ Copying failed
+ La copia ha fracasado
+
+
+
+ Could not copy the file to %1.
+ No se pudo copiar el archivo a %1.
+
+
+
+ SharedTools::ResourceView
+
+
+ Add Files...
+ Agregar archivos...
+
+
+
+ Change Alias...
+ Cambiar alias...
+
+
+
+ Add Prefix...
+ Agregar prefijo...
+
+
+
+ Change Prefix...
+ Cambiar prefijo...
+
+
+
+ Change Language...
+ Cambiar idioma...
+
+
+
+ Remove Item
+ Suprimir item
+
+
+
+ Open file
+ Abrir archivo
+
+
+
+ All files (*)
+ Todos los archivo (*)
+
+
+
+ Change Prefix
+ Cambiar prefijo
+
+
+
+ Input Prefix:
+ Prefijo de entrada:
+
+
+
+ Change Language
+ Cambiar idioma
+
+
+
+ Language:
+ Idioma:
+
+
+
+ Change File Alias
+ Cambiar alias de archivo
+
+
+
+ Alias:
+ Alias:
+
+
+
+ ShortcutSettings
+
+
+ Keyboard Shortcuts
+ Atajos de teclado
+
+
+
+ Filter:
+ Filtro:
+
+
+
+ Command
+ Comando
+
+
+
+ Label
+ Etiqueta
+
+
+
+ Shortcut
+ Atajo
+
+
+
+ Defaults
+ Predefinidos
+
+
+
+ Import...
+ Importar...
+
+
+
+ Export...
+ Exportar...
+
+
+
+ Key Sequence
+ Secuencia de teclas
+
+
+
+ Shortcut:
+ Atajo:
+
+
+
+ Reset
+ Restablecer
+
+
+
+ Remove
+ Suprimir
+
+
+
+ ShowBuildLog
+
+
+ Debugging Helper Build Log
+ bitácora?
+ Registro del asistente de depuración
+
+
+
+ Snippets::Internal::SnippetsPlugin
+
+
+ Snippets
+ Fragmentos
+
+
+
+ Snippets::Internal::SnippetsWindow
+
+
+ Snippets
+ Fragmentos
+
+
+
+ StartExternalDialog
+
+
+ Start Debugger
+ Iniciar depurador
+
+
+
+ Executable:
+ Ejecutable:
+
+
+
+ Arguments:
+ Argumentos:
+
+
+
+ Break at 'main':
+ Interrumpir en 'main':
+
+
+
+ StartRemoteDialog
+
+
+ Start Debugger
+ Iniciar depurador
+
+
+
+ Architecture:
+ Arquitectura:
+
+
+
+ Host and port:
+ Anfitrión y puerto:
+
+
+
+ Use server start script:
+ Usar guion de inicio en servidor:
+
+
+
+ Server start script:
+ Guión de inicio:
+
+
+
+ Subversion::Internal::SettingsPage
+
+
+ Subversion Command:
+ Comando Subversion:
+
+
+
+ Authentication
+ Autenticación
+
+
+
+ User name:
+ Nombre de usuario:
+
+
+
+ Password:
+ Contraseña:
+
+
+
+ Subversion
+ Subversion
+
+
+
+ Subversion::Internal::SettingsPageWidget
+
+
+ Subversion Command
+ Comando Subversion
+
+
+
+ Subversion::Internal::SubversionOutputWindow
+
+
+ Subversion Output
+ Salida de Subversion
+
+
+
+ Subversion
+ Subversion
+
+
+
+ Subversion::Internal::SubversionPlugin
+
+
+ &Subversion
+
+
+
+
+ Add
+ Agregar
+
+
+
+ Add "%1"
+ Agregar "%1"
+
+
+
+ Alt+S,Alt+A
+
+
+
+
+ Delete
+ Suprimir
+
+
+
+ Delete "%1"
+ Suprimir "%1"
+
+
+
+ Revert
+ Revertir
+
+
+
+ Revert "%1"
+ Revertir "%1"
+
+
+
+ Diff Project
+ Diferencias en proyecto
+
+
+
+ Diff Current File
+ Diferencias en archivo actual
+
+
+
+ Diff "%1"
+ Diferencias en "%1"
+
+
+
+ Alt+S,Alt+D
+
+
+
+
+ Commit All Files
+ Commit todos los archivos
+
+
+
+ Commit Current File
+ Commit archivo actual
+
+
+
+ Commit "%1"
+ Commit "%1"
+
+
+
+ Alt+S,Alt+C
+
+
+
+
+ Filelog Current File
+ Filelog archivo actual
+
+
+
+ Filelog "%1"
+
+
+
+
+ Annotate Current File
+ Annotate archivo actual
+
+
+
+ Annotate "%1"
+
+
+
+
+ Describe...
+ Describir...
+
+
+
+ Project Status
+ Estado del proyecto
+
+
+
+ Update Project
+ Refrescar proyecto
+
+
+
+ Commit
+
+
+
+
+ Diff Selected Files
+ Diff archivos seleccionados
+
+
+
+ &Undo
+ Des&hacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ Closing Subversion Editor
+ Cerrando el editor Subversion
+
+
+
+ Do you want to commit the change?
+ ¿Quiere hacer un commit con sus cambios?
+
+
+
+ The commit message check failed. Do you want to commit the change?
+ La comprobación del mensaje de commit ha fallado. ¿Quiere hacer un commit con los cambios de todos modos?
+
+
+
+ The file has been changed. Do you want to revert it?
+ El archivo ha sido modificado. ¿Quiere revertir los cambios?
+
+
+
+ The commit list spans several respositories (%1). Please commit them one by one.
+ La lista de commits se extiende a varios repositorios (%1). Por favor haga un commit individual para cada uno.
+
+
+
+ Another commit is currently being executed.
+ Otro commit está siendo ejecutado actualmente.
+
+
+
+ There are no modified files.
+ No hay archivos modificados.
+
+
+
+ Cannot create temporary file: %1
+ No se pudo crear archivo temporal: %1
+
+
+
+ Describe
+ Describir
+
+
+
+ Revision number:
+ Número de revisión:
+
+
+
+ No subversion executable specified!
+ ¡No se especificó el ejecutable de subversion!
+
+
+
+ %1 Executing: %2 %3
+
+ <timestamp> Executing: <executable> <arguments>
+ %1 Ejecutando: %2 %3
+
+
+
+
+ The process terminated with exit code %1.
+ El proceso terminó con código de salida %1.
+
+
+
+ The process terminated abnormally.
+ El proceso terminó abruptamente.
+
+
+
+ Could not start subversion '%1'. Please check your settings in the preferences.
+ No se pudo iniciar subversion '%1'. Por favor revise los ajustes.
+
+
+
+ Subversion did not respond within timeout limit (%1 ms).
+ Subversion no ha respondido en el tiempo esperado (%1 ms).
+
+
+
+ Subversion::Internal::SubversionSubmitEditor
+
+
+ Subversion Submit
+ Envíar a Subversion
+
+
+
+ TextEditor::BaseFileFind
+
+
+
+ %1 found
+ %1 encontrado
+
+
+
+ List of comma separated wildcard filters
+ Lista de comodines de filtrado delimitada por comas
+
+
+
+ Use Regular E&xpressions
+ Usar &expresiones regulares
+
+
+
+ TextEditor::BaseTextDocument
+
+
+ untitled
+ sin título
+
+
+
+ <em>Binary data</em>
+ <em>Datos binarios</em>
+
+
+
+ TextEditor::BaseTextEditor
+
+
+ Print Document
+ Imprimir documento
+
+
+
+ <b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible.
+ <b>Error:</b> No se pudo procesar "%1" con codificación"%2". No es posible editar.
+
+
+
+ Select Encoding
+ Seleccióne codificación
+
+
+
+ TextEditor::BaseTextEditorEditable
+
+
+ Line: %1, Col: %2
+ Línea: %1, Col: %2
+
+
+
+ Line: %1, Col: 999
+ Línea: %1, Col: 999
+
+
+
+ TextEditor::BehaviorSettingsPage
+
+
+ Storage
+ Almacenamiento
+
+
+
+ Removes trailing whitespace on saving.
+ Suprime espacios en blanco al guardar.
+
+
+
+ &Clean whitespace
+ Suprimir espa&cios en blanco
+
+
+
+ Clean whitespace in entire document instead of only for changed parts.
+ Suprimir espacios en blanco en todo el documento en vez de solo en partes modificadas.
+
+
+
+ In entire &document
+ En todo el &documento
+
+
+
+ Correct leading whitespace according to tab settings.
+ Corregir sangrado conforme a ajustes.
+
+
+
+ Clean indentation
+ Indentación limpia
+
+
+
+ &Ensure newline at end of file
+ Pon&er un salto de línea al final del archivo
+
+
+
+ Tabs and Indentation
+ Sangrado e indentación
+
+
+
+ Ta&b size:
+ Tamaño de ta&bulación:
+
+
+
+ &Indent size:
+ Tamaño de &indentación:
+
+
+
+ Backspace will go back one indentation level instead of one space.
+ La tecla retroceso remueve un nivel de indentación en vez de un espacio.
+
+
+
+ &Backspace follows indentation
+ Tecla retr&oceso sigue la indentación
+
+
+
+ Insert &spaces instead of tabs
+ Insertar e&spacios en vez de tabulaciones
+
+
+
+ Enable automatic &indentation
+ Activar i&ndentación automática
+
+
+
+ Tab key performs auto-indent:
+ La tecla de tabulación autoindentará:
+
+
+
+ Never
+ Nunca
+
+
+
+ Always
+ Siempre
+
+
+
+ In leading white space
+ Cuando empiece con un espacio
+
+
+
+ TextEditor::DisplaySettingsPage
+
+
+ Display
+ Mostrar
+
+
+
+ Display line &numbers
+ Mostrar &números de línea
+
+
+
+ Display &folding markers
+ Mostrar marcadores de ple&gado
+
+
+
+ Show tabs and spaces.
+ Mostrar tabulaciones y espacios.
+
+
+
+ &Visualize whitespace
+ &Visualizar espacios en blanco
+
+
+
+ Highlight current &line
+ Resaltar &línea actual
+
+
+
+ Text Wrapping
+ Ajuste de texto
+
+
+
+ Enable text &wrapping
+ Activar ajuste de te&xto
+
+
+
+ Display right &margin at column:
+ Mostrar &margen derecho en columna:
+
+
+
+ Highlight &blocks
+ Resaltar &bloques
+
+
+
+ Animate matching parentheses
+ Animar pareo de paréntesis
+
+
+
+ Navigation
+ Navegación
+
+
+
+ Enable &mouse navigation
+ Activar navegación con el &ratón
+
+
+
+ TextEditor::FontSettingsPage
+
+
+ Font & Colors
+ Fuentes & colores
+
+
+
+
+ This is only an example.
+ Esto es simplemente un ejemplo.
+
+
+
+ TextEditor::Internal::CodecSelector
+
+
+ Text Encoding
+ Codificación de caracteres
+
+
+
+
+The following encodings are likely to fit:
+ Las siguientes codificaciones son probablemente apropiadas:
+
+
+
+ Select encoding for "%1".%2
+ Seleccione codificación para "%1".%2
+
+
+
+ Reload with Encoding
+ Recargar con codificación
+
+
+
+ Save with Encoding
+ Guardar con codificación
+
+
+
+ TextEditor::Internal::FindInCurrentFile
+
+
+ Current File
+ Archivo actual
+
+
+
+ TextEditor::Internal::FindInFiles
+
+
+ Files on Disk
+ Archivos en disco
+
+
+
+ &Directory:
+ &Directorio:
+
+
+
+ &Browse
+ U&bicar
+
+
+
+ File &pattern:
+ &Patrón de archivo:
+
+
+
+ Directory to search
+ Directorio a buscar
+
+
+
+ TextEditor::Internal::FontSettingsPage
+
+
+ Font
+ Fuente
+
+
+
+ Family:
+ Familia:
+
+
+
+ Size:
+ Tamaño:
+
+
+
+ Color Scheme
+ Esquema de colores
+
+
+
+ Bold
+ Negritas
+
+
+
+ Italic
+ Itálicas
+
+
+
+ Background:
+ Fondo:
+
+
+
+ Foreground:
+ Texto:
+
+
+
+ Erase background
+ Limpiar fondo
+
+
+
+ x
+
+
+
+
+ Preview:
+ Previsualización:
+
+
+
+ Antialias
+
+
+
+
+ TextEditor::Internal::LineNumberFilter
+
+
+ Line in current document
+ Línea en el documento actual
+
+
+
+ Line %1
+ Línea %1
+
+
+
+ TextEditor::Internal::TextEditorPlugin
+
+
+ Creates a text file (.txt).
+ Crea un archivo de texto (.txt).
+
+
+
+ Text File
+ Archivo de texto
+
+
+
+ General
+
+
+
+
+ Triggers a completion in this scope
+ Sugiere opciones para completado en éste alcance
+
+
+
+ Ctrl+Space
+
+
+
+
+ Meta+Space
+
+
+
+ Triggers a quick fix in this scope
+ Sugerir corrección rápida en el alcance actual
+
+
+
+ TextEditor::TextEditorActionHandler
+
+
+ &Undo
+ Des&hacer
+
+
+
+ &Redo
+ &Rehacer
+
+
+
+ Select Encoding...
+ Seleccionar codificación de caracteres...
+
+
+
+ Auto-&indent Selection
+ Auto&indentar selección
+
+
+
+ Ctrl+I
+
+
+
+
+ &Visualize Whitespace
+ &Visualizar espacios en blanco
+
+
+
+ Ctrl+E, Ctrl+V
+
+
+
+
+ Clean Whitespace
+ Limpiar espacios en blanco
+
+
+
+ Enable Text &Wrapping
+ Activar ajuste de te&xto
+
+
+
+ Ctrl+E, Ctrl+W
+
+
+
+
+ (Un)Comment &Selection
+ (Des)Comentar &selección
+
+
+
+ Ctrl+/
+
+
+
+
+ Delete &Line
+ Suprimir &línea
+
+
+
+ Shift+Del
+
+
+
+
+ Cut &Line
+ Cor&tar línea
+
+
+
+ Collapse
+ Replegar
+
+
+
+ Ctrl+<
+
+
+
+
+ Expand
+ Expandir
+
+
+
+ Ctrl+>
+
+
+
+
+ (Un)&Collapse All
+ Repl&egar/Expandir todo
+
+
+
+ Increase Font Size
+ Incrementar tamaño de fuente
+
+
+
+ Ctrl++
+
+
+
+
+ Decrease Font Size
+ Decrementar tamaño de fuente
+
+
+
+ Ctrl+-
+
+
+
+
+ Goto Block Start
+ Ir a inicio de bloque
+
+
+
+ Ctrl+[
+
+
+
+
+ Goto Block End
+ Ir a fin de bloque
+
+
+
+ Ctrl+]
+
+
+
+
+ Goto Block Start With Selection
+ Ir a inicio de bloque con selección
+
+
+
+ Ctrl+{
+
+
+
+
+ Goto Block End With Selection
+ Ir a fin de bloque con selección
+
+
+
+ Ctrl+}
+
+
+
+
+ Select Block Up
+ Seleccionar bloque de arriba
+
+
+
+ Ctrl+U
+
+
+
+
+ Select Block Down
+ Seleccionar bloque de abajo
+
+
+
+ Ctrl+Shift+U
+
+
+
+
+ Move Line Up
+ Mover línea arriba
+
+
+
+ Ctrl+Shift+Up
+
+
+
+
+ Move Line Down
+ Mover línea abajo
+
+
+
+ Ctrl+Shift+Down
+
+
+
+
+ Copy Line Up
+ Copiar línea arriba
+
+
+
+ Ctrl+Alt+Up
+
+
+
+
+ Copy Line Down
+ Copiar línea abajo
+
+
+
+ Ctrl+Alt+Down
+
+
+
+
+ <line number>
+ <número de línea>
+
+
+
+ TextEditor::TextEditorSettings
+
+
+ Text
+ Texto
+
+
+
+ Link
+ Vínculo
+
+
+
+ Selection
+ Selección
+
+
+
+ Line Number
+ Número de línea
+
+
+
+ Search Result
+ Resultado de búsqueda
+
+
+
+ Search Scope
+ Alcance de la búsqueda
+
+
+
+ Parentheses
+ Paréntesis
+
+
+
+ Current Line
+ Línea actual
+
+
+
+ Current Line Number
+ Número de línea actual
+
+
+
+ Number
+ Número
+
+
+
+ String
+ Cadena
+
+
+
+ Type
+ Tipo
+
+
+
+ Keyword
+ Palabra clave
+
+
+
+ Operator
+ Operador
+
+
+
+ Preprocessor
+ Preprocesador
+
+
+
+ Label
+ Etiqueta
+
+
+
+ Comment
+ Comentario
+
+
+
+ Doxygen Comment
+ Comentario de Doxygen
+
+
+
+ Doxygen Tag
+ Tag de Doxygen
+
+
+
+ Disabled Code
+ Código inactivo
+
+
+
+ Added Line
+ Línea agregada
+
+
+
+ Removed Line
+ Línea suprimida
+
+
+
+ Diff File
+ Archivo Diff
+
+
+
+ Diff Location
+ Ubicación de archivo Diff
+
+
+
+
+
+ Text Editor
+ Editor de texto
+
+
+
+ Behavior
+ Comportamiento
+
+
+
+ Display
+ Despliegue
+
+
+
+ TopicChooser
+
+
+ Choose a topic for <b>%1</b>:
+ Elija un tópico para <b>%1</b>:
+
+
+
+ Choose Topic
+ Elegir tópico
+
+
+
+ &Topics
+ &Tópicos
+
+
+
+ &Display
+ &Desplegar
+
+
+
+ &Close
+ &Cerrar
+
+
+
+ VCSBase
+
+
+ Version Control
+ Control de versiones
+
+
+
+ Common
+ Común
+
+
+
+ VCSBase::Internal::NickNameDialog
+
+
+ Name
+ Nombre
+
+
+
+ E-mail
+ Email
+
+
+
+ Alias
+
+
+
+
+ Alias e-mail
+ Email alias
+
+
+
+ Cannot open '%1': %2
+ No se pudo abrir '%1': %2
+
+
+
+ VCSBase::SubmitFileModel
+
+
+ State
+ Estado
+
+
+
+ File
+ Archivo
+
+
+
+ VCSBase::VCSBaseEditor
+
+
+ Describe change %1
+ Describa modificaciones %1
+
+
+
+ VCSBase::VCSBaseSubmitEditor
+
+
+ Check message
+ Mensaje para la revisión
+
+
+
+ Insert name...
+ Insertar nombre...
+
+
+
+ Submit Message Check failed
+ Comprobación de mensaje de envío falló
+
+
+
+ Unable to open '%1': %2
+ Imposible abrir '%1': %2
+
+
+
+ The check script '%1' could not be started: %2
+ El script de comprobación '%1' no pudo ser iniciado: %2
+
+
+
+ The check script '%1' could not be run: %2
+ El script de comprobación '%1' no pudo ser ejecutado: %2
+
+
+
+ The check script returned exit code %1.
+ El script de comprobación retornó el valor %1.
+
+
+
+ VCSBaseSettingsPage
+
+
+ Prompt to submit
+ Preguntar antes de enviar
+
+
+
+ Common
+ Común
+
+
+
+ Wrap submit message at:
+ Longitud máxima de líneas (en caracteres):
+
+
+
+ An executable which is called with the submit message in a temporary file as first argument. It should return with an exit != 0 and a message on standard error to indicate failure.
+ Un ejecutable que es invocado con un archivo (temporal, conteniendo el mensaje) como primer argumento. Para indicar falla, debe retornar un valor distinto de 0 y volcar un mensaje en la salida de error estándar.
+
+
+
+ Submit message check script:
+ Script de comprobación de mensaje de envío:
+
+
+
+ A file listing user names and email addresses in a 4-column mailmap format:
+name <email> alias <email>
+ Una lista de nombres de usuario y direcciones de email en un formato mailmap de 4 columnas:
+nombre <email> alias <email>
+
+
+
+ User/alias configuration file:
+ Archivo de configuración usuario/alias:
+
+
+
+ A simple file containing lines with field names like "Reviewed-By:" which will be added below the submit editor.
+ Un archivo simple conteniendo líneas con campos como "Revisado-Por:" que será agregado al editor de mensajes.
+
+
+
+ User fields configuration file:
+ Archivo de configuración de campos de usuario:
+
+
+
+ VCSManager
+
+
+ Version Control
+ Control de versiones
+
+
+
+ Would you like to remove this file from the version control system (%1)?
+Note: This might remove the local file.
+ ¿Quiere quitar éste archivo del sistema de control de versiones (%1)?
+Nota: Puede que se elimine la copia local del archivo.
+
+
+
+ View
+
+
+ Paste
+ Pegar
+
+
+
+
+ <Username>
+ <Nombre>
+
+
+
+
+ <Description>
+ <Descripción>
+
+
+
+
+ <Comment>
+ <Comentario>
+
+
+
+ ViewDialog
+
+
+ Send to Codepaster
+ Enviar a CodePaster
+
+
+
+ &Username:
+ &Usuario:
+
+
+
+ <Username>
+ <Usuario>
+
+
+
+ &Description:
+ &Descripción:
+
+
+
+ <Description>
+ <Descripción>
+
+
+
+ <html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><Comment></p></body></html>
+ <html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><Comentario></p></body></html>
+
+
+
+ Parts to send to codepaster
+ Partes a enviar a CodePaster
+
+
+
+ Patch 1
+ Parche 1
+
+
+
+ Patch 2
+ Parche 2
+
+
+
+ mainClass
+
+
+ main
+
+
+
+
+ Text1:
+
+
+
+
+ N/A
+
+
+
+
+ Text2:
+
+
+
+
+ Text3:
+
+
+
+
diff --git a/share/qtcreator/translations/qtcreator_it.ts b/share/qtcreator/translations/qtcreator_it.ts
index 0469d8c1780..036e2a6eb76 100644
--- a/share/qtcreator/translations/qtcreator_it.ts
+++ b/share/qtcreator/translations/qtcreator_it.ts
@@ -14,7 +14,7 @@
Impossibile inviare i parametri della linea di comando all'istanza in esecuzione. Sembra non rispondere.
-
+
Couldn't find 'Core.pluginspec' in %1
Impossibile trovare 'Core.pluginspec' in %1
@@ -72,11 +72,6 @@
Host and port:
Host e porta:
-
-
- localhost:5115
- localhost:5115
-
Architecture:
@@ -96,7 +91,7 @@
BINEditor::Internal::BinEditorPlugin
-
+
&Undo
&Annulla
@@ -156,7 +151,7 @@
BookmarkManager
-
+
Bookmark
Segnalibro
@@ -172,21 +167,21 @@
Rimuovi
-
+
+ You are going to delete a Folder which will also<br>remove its content. Are you sure you would like to continue?
+ Stai per cancellare una Cartella, questo cancellerà<br>anche il suo contenuto. Sei sicuro di volerlo fare?
+
+
+
New Folder
Nuova Cartella
-
-
- You are going to delete a Folder which will also<br>remove its content. Are you sure to continue?
- Stai per cancellare una Cartella, questo cancellerà<br>anche il suo contenuto. Sei sicuro di volerlo fare?
-
BookmarkWidget
-
+
Delete Folder
Cancella la Cartella
@@ -221,7 +216,7 @@
Filtro:
-
+
Add
Aggiungi
@@ -349,18 +344,34 @@
Numero di scarti:
+
+ CMakeProjectManager::Internal::CMakeBuildEnvironmentWidget
+
+
+ Build Environment
+ Ambiente di Compilazione
+
+
CMakeProjectManager::Internal::CMakeBuildSettingsWidget
-
+
&Change
&Cambia
- CMakeProjectManager::Internal::CMakeRunConfiguration
+ CMakeProjectManager::Internal::CMakeOpenProjectWizard
-
+
+ CMake Wizard
+ Procedura Guidata di CMake
+
+
+
+ CMakeProjectManager::Internal::CMakeRunConfigurationWidget
+
+
Arguments:
Parametri:
@@ -368,7 +379,7 @@
CMakeProjectManager::Internal::CMakeRunPage
-
+
Run CMake
Avvia CMake
@@ -401,11 +412,16 @@
CMakeProjectManager::Internal::CMakeSettingsPage
-
+
CMake
CMake
+
+
+ CMake executable
+ Eseguibile CMake
+
CMakeProjectManager::Internal::InSourceBuildPage
@@ -418,7 +434,7 @@
CMakeProjectManager::Internal::MakeStepConfigWidget
-
+
Additional arguments:
Parametri aggiuntivi:
@@ -474,14 +490,10 @@
These options take effect at the next start of Qt Creator.
Queste opzioni saranno effettive dal prossimo riavvio di Qt Creator.
-
-
- Path to "Debugging Tools for Windows":
- Percorso per "Strumenti di Debug per Windows":
-
Cdb
+ Placeholder
Cdb
@@ -499,6 +511,20 @@
Source paths:
Percorso dei sorgenti:
+
+
+ <html><body><p>Specify the path to the <a href="%1">Debugging Tools for Windows</a> (%n bit-version) here.</p><p><b>Note:</b> Restarting Qt Creator is required for these settings to take effect.</p></p></body></html>
+ Label text for path configuration. Singular form is not very likely to occur ;-)
+
+ <html><body><p>Specifica qui il percorso degli <a href="%1">Strumenti di Debug per Windows</a> (versione %n bit).</p><p><b>Nota:</b> Per rendere effettivi i cambiamenti è necessario riavviare Qt Creator.</p></p></body></html>
+ <html><body><p>Specifica qui il percorso degli <a href="%1">Strumenti di Debug per Windows</a> (versione %n bit).</p><p><b>Nota:</b> Per rendere effettivi i cambiamenti è necessario riavviare Qt Creator.</p></p></body></html>
+
+
+
+
+ Path:
+ Percorso:
+
ChangeSelectionDialog
@@ -608,12 +634,13 @@
Mostra la Finestra di Output dopo una spedizione
+
General
Generale
-
+
CodePaster
CodePaster
@@ -671,6 +698,11 @@
Checking this will enable tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default.
Marcando questa casella si abiliteranno i suggerimenti dei valori delle variabili durante il debug. Dato che questo può rallentare il debug e non fornisce informazioni affidabili dato che non usa informazioni di contesto, questa opzione è normalmente disattivata.
+
+
+ Enable reverse debugging
+ Abilita il debug all'indietro
+
CompletionSettingsPage
@@ -694,11 +726,6 @@
Automatically insert (, ) and ; when appropriate.
Inserisci automaticamente (, ) e ; dove appropriato.
-
-
- &Automatically insert braces
- &Parentesi automatiche
-
Insert the common prefix of available completion items.
@@ -709,11 +736,16 @@
Autocomplete common &prefix
Autocompleta il prefisso &comune
+
+
+ &Automatically insert brackets
+ &Parentesi automatiche
+
ContentWindow
-
+
Open Link
Apri il Collegamento
@@ -750,7 +782,7 @@
-
+
Existing files
File esistenti
@@ -794,13 +826,13 @@ Vuoi sovrascriverli?
Core::EditorManager
-
-
+
+
Revert to Saved
Torna al Salvato
-
+
Close
Chiudi
@@ -811,12 +843,12 @@ Vuoi sovrascriverli?
-
+
Close Others
Chiudi gli Altri
-
+
Next Document in History
Documento Successivo nella Cronologia
@@ -826,22 +858,12 @@ Vuoi sovrascriverli?
Documento Precedente nella Cronologia
-
- Go back
- Indietro
-
-
-
- Go forward
- Avanti
-
-
-
+
Open in External Editor
Apri con un Editor Esterno
-
+
Revert File to Saved
Torna al file Salvato
@@ -956,33 +978,49 @@ Vuoi sovrascriverli?
-
+
+
Opening File
Apertura del File
-
+
Cannot open file %1!
Non posso aprire il file %1!
-
+
Open File
Apri file
-
+
+ File is Read Only
+ Il file è di Sola Lettura
+
+
+
+ The file %1 is read only.
+ Il file %1 è di sola lettura.
+
+
+
+ Open with VCS (%1)
+ Apri con il VCS (%1)
+
+
+
+ Save as ...
+ Salva con nome...
+
+
+
Failed!
Non riuscito!
-
- Could not open the file for edit with SCC.
- Impossibile aprire il file per modifica con l'SCC.
-
-
-
+
Could not set permissions to writable.
Impossibile impostare il permesso di scrittura.
@@ -992,12 +1030,28 @@ Vuoi sovrascriverli?
<b>Attenzione:</b> Stai modificando un file di sola lettura.
-
+
+
Make writable
Rendi scrivibile
-
+
+ Go Back
+ Indietro
+
+
+
+ Go Forward
+ Avanti
+
+
+
+ Could not open the file for editing with SCC.
+ Impossibile aprire il file per modificarlo con l'SCC.
+
+
+
Save %1 As...
Salva %1 con Nome...
@@ -1022,7 +1076,7 @@ Vuoi sovrascriverli?
Chiudi Tutti Tranne %1
-
+
You will lose your current changes if you proceed reverting %1.
Perderai le modifiche correnti se ricarichi %1.
@@ -1162,7 +1216,7 @@ Vuoi sovrascriverli?
Core::Internal::EditorView
-
+
Placeholder
Segnaposto
@@ -1173,7 +1227,7 @@ Vuoi sovrascriverli?
Chiudi
-
+
Make writable
Rendi scrivibile
@@ -1239,7 +1293,7 @@ Vuoi sovrascriverli?
Core::Internal::MainWindow
-
+
Qt Creator
Qt Creator
@@ -1249,7 +1303,7 @@ Vuoi sovrascriverli?
Uscita
-
+
&File
&File
@@ -1415,9 +1469,9 @@ Vuoi sovrascriverli?
- New
+ New...
Title of dialog
- Nuovo
+ Nuovo...
@@ -1431,7 +1485,7 @@ Vuoi sovrascriverli?
Core::Internal::NavComboBox
-
+
Activate %1
Attiva %1
@@ -1589,7 +1643,7 @@ Vuoi sovrascriverli?
Core::Internal::ShortcutSettings
-
+
Keyboard
Tastiera
@@ -1599,7 +1653,7 @@ Vuoi sovrascriverli?
Ambiente
-
+
Import Keyboard Mapping Scheme
Importa la Mappatura della Tastiera
@@ -1631,202 +1685,300 @@ Vuoi sovrascriverli?
Core::Internal::VersionDialog
-
+
About Qt Creator
Informazioni su Qt Creator
-
- <h3>Qt Creator %1</h3>Based on Qt %2<br/><br/>Built on
- <h3>Qt Creator %1</h3>Basato su Qt %2<br/><br/>Creato su
+
+ From revision %1<br/>
+ This gets conditionally inserted as argument %8 into the description string.
+ Dalla revisione %1<br/>
+
+
+
+ <h3>Qt Creator %1</h3>Based on Qt %2 (%3 bit)<br/><br/>Built on %4 at %5<br /><br/>%8<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/>
+ Italian legalese is needed here...
+ <h3>Qt Creator %1</h3>Basato su Qt %2 (%3 bit)<br/><br/>Compilato su %4 alle %5<br /><br/>%8<br/>Copyright 2008-%6 %7. Tutti i diritti riservati.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/>
Core::Internal::WelcomeMode
-
+
+ http://labs.trolltech.com/blogs/feed
+ Add localized feed here only if one exists
+ http://labs.trolltech.com/blogs/feed
+
+
+
+ Qt Software
+ Qt Software
+
+
+
+ Qt Labs
+ Qt Lab
+
+
+
+ Qt Git Hosting
+ Qt Git Hosting
+
+
+
+ Qt Centre
+ Qt Centre
+
+
+
+ Understanding widgets
+ Capire i widget
+
+
+
+ Creating an address book
+ Creare una rubrica
+
+
+
+ Tutorials
+ Guide
+
+
+
+ Explore Qt Examples
+ Esplora gli Esempi Qt
+
+
+
+ Qt Websites
+ Siti Web Qt
+
+
+
+ Qt for S60 at Forum Nokia
+ Qt per S60 su Forum Nokia
+
+
+
+ <b>Qt Creator - A quick tour</b>
+ <b>Qt Creator - Introduzione veloce</b>
+
+
+
+ Building with qmake
+ Compilare con qmake
+
+
+
+ Writing test cases
+ Scrivere test case
+
+
+
Welcome
Benvenuto
-
+
%1 (last session)
%1 (sessione precedente)
+
+
+ Choose an example...
+ Scegli un esempio...
+
+
+
+ New Project...
+ Nuovo Progetto...
+
+
+
+ The code completion is CamelCase-aware. For example, to complete <tt>namespaceUri</tt> you can just type <tt>nU</tt> and hit <tt>Ctrl+Space</tt>.
+ Il completamento del codice conosce il CamelCase. Ad esempio, per completare <tt>namespaceUri</tt> basta digitare <tt>nU</tt> e premere <tt>Ctrl+Spazio</tt>.
+
+
+
+ You can force code completion at any time using <tt>Ctrl+Space</tt>.
+ Puoi invocare il completamento del codice in qualsiasi momento usando <tt>Ctrl+Spazio</tt>.
+
+
+
+ You can fine tune the <tt>Find</tt> function by selecting "Whole Words" or "Case Sensitive". Simply click on the icons on the right end of the line edit.
+ Puoi affinare la funzione <tt>Ricerca</tt> selezionando "Parole Intere" o "Distingui le Maiuscole". Basta fare clic sulle icone a destra della casella di ricerca.
+
+
+
+ Open Recent Project
+ Apri un Progetto Recente
+
+
+
+ Resume Session
+ Ripristina la Sessione
+
+
+
+ Did You Know?
+ Lo Sapevi Che..?
+
+
+
+ News From the Qt Labs
+ Notizie dai Qt Labs
+
+
+
+ Cmd
+ Shortcut key
+
+
+
+
+ Alt
+ Shortcut key
+
+
+
+
+ You can switch between Qt Creator's modes using <tt>Ctrl+number</tt>:<ul><li>1 - Welcome</li><li>2 - Edit</li><li>3 - Debug</li><li>4 - Projects</li><li>5 - Help</li><li></li><li>6 - Output</li></ul>
+ Puoi passare tra le modalità di Qt Creator usando <tt>Ctrl+numero</tt>:<ul><li>1 - Benvenuto</li><li>2 - Modifica</li><li>3 - Debug</li><li>4 - Progetti</li><li>5 - Guida</li><li></li><li>6 - Output</li></ul>
+
+
+
+ You can show and hide the side bar using <tt>%1+0<tt>.
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ Puoi mostrare o nascondere la barra laterale con <tt>%1+0</tt>.
+
+
+
+ If you add <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">external libraries</a>, Qt Creator will automatically offer syntax highlighting and code completion.
+ Se aggiungi <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">librerie esterne</a>, Qt Creator ne evidenzierà la sintassi e offrirà il relativo completamento del codice automaticamente.
+
+
+
+ You can start Qt Creator with a session by calling <tt>qtcreator <sessionname></tt>.
+ Puoi avviare una sessione di Qt Creator lanciando <tt>qtcreator <nomesessione></tt>.
+
+
+
+ You can return to edit mode from any other mode at any time by hitting <tt>Escape</tt>.
+ Puoi tornare alla modalità di modifica da ogni altra modalità, ed in qualsiasi momento, premendo <tt>Esc</tt>.
+
+
+
+ You can switch between the output pane by hitting <tt>%1+n</tt> where n is the number denoted on the buttons at the window bottom:<ul><li>1 - Build Issues</li><li>2 - Search Results</li><li>3 - Application Output</li><li>4 - Compile Output</li></ul>
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ Puoi passare tra i pannelli di output premendo <tt>%1+n</tt> dove n è il numero scritto sui bottoni in basso alla finestra: <ul><li>1 - Problemi di Compilazione</li><li>2 - Risultati della Ricerca</li><li>3 - Output dell'Applicazione</li><li>4 - Output di Compilazione</li></ul>
+
+
+
+ You can quickly search methods, classes, help and more using the <a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">Locator bar</a> (<tt>Ctrl+K</tt>).
+ Puoi trovare rapidamente metodi, classi, aiuto ed altro usando la <a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">Ricerca Rapida</a> (<tt>Ctrl+K</tt>).
+
+
+
+ You can add custom build steps in the <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">build settings</a>.
+ Puoi aggiungere passi di compilazione nelle <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">impostazioni di compilazione</a>.
+
+
+
+ Within a session, you can add <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">dependencies</a> between projects.
+ Nell'ambito di una sessione, puoi aggiungere <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">dipendenze</a> tra i progetti.
+
+
+
+ You can set the preferred editor encoding for every project in <tt>Projects -> Editor Settings -> Default Encoding</tt>.
+ Puoi impostare la codifica dei file preferita, per ciascun progetto, in <tt>Progetti -> Impostazioni dell'Editor -> Codifica</tt>.
+
+
+
+ You can modify the binary that is being executed when you press the <tt>Run</tt> button: Add a <tt>Custom Executable</tt> by clicking the <tt>+</tt> button in <tt>Projects -> Run Settings -> Run Configuration</tt> and then select the new target in the combo box.
+ Puoi cambiare l'eseguibile che sarà avviato premendo il bottone <tt>Esegui</tt>: Aggiungi un <tt>Eseguibile Personalizzato</tt> facendo clic sul bottone <tt>+</tt> in <tt>Progetti -> Impostazioni di Esecuzione -> Configurazione di Esecuzione</tt>.
+
+
+
+ You can use Qt Creator with a number of <a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">revision control systems</a> such as Subversion, Perforce and Git.
+ Puoi usare Qt Creator sopra diversi <a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">sistemi di controllo di versione</a>, tipo Subversion, Perforce e Git.
+
+
+
+ In the editor, <tt>F2</tt> toggles declaration and definition while <tt>F4</tt> toggles header file and source file.
+ Nell'editor, <tt>F2</tt> commuta tra la dichiarazione e la definizione mentre <tt>F4</tt> alterna tra il file header ed il file sorgente.
+
Core::Internal::WelcomePage
- <style>
-h1 {
- font-size: 24px;
- font-weight: normal;
- color: #4d4d4d;
- margin-top: 0px;
- margin-bottom: 20px;
-}
-
-p {
- margin-top: 0px;
- margin-bottom: 7px;
-}
-</style>
-
-<p> </p>
-<h1>Welcome</h1>
-<!-- QTextDocument does not support line-height, so wrap the lines manually ... -->
-<p>Qt Creator is an intuitive, modern cross platform IDE that</p> <p>enables developers to create graphically appealing applications</p>
-<p>for desktop, embedded, and mobile devices. Click on <strong>Getting</strong></p>
-<p><strong>Started</strong> to begin developing with Qt Creator.</p>
-<hr style="margin-top:15px"/>
-
- <style>
-h1 {
- font-size: 24px;
- font-weight: normal;
- color: #4d4d4d;
- margin-top: 0px;
- margin-bottom: 20px;
-}
-
-p {
- margin-top: 0px;
- margin-bottom: 7px;
-}
-</style>
-
-<p> </p>
-<h1>Benvenuto</h1>
-<!-- QTextDocument does not support line-height, so wrap the lines manually ... -->
-<p>Qt Creator è un IDE moderno, intuitivo e multi-piattaforma che</p> <p>aiuta gli sviluppatori a creare applicazioni attraenti per</p>
-<p>dispositivi desktop, embedded e mobile. Fai clic su <strong>Comincia</strong></p>
-<p>per iniziare a sviluppare con Qt Creator.</p>
-<hr style="margin-top:15px"/>
-
-
-
-
- * {
- border-image: url(:/core/images/welcomemode/btn_27.png) 7;
- border-width: 7;
- padding: -2px 0;
- font-size: 12px;
- font-family: lucida sans, dejavu sans, sans serif;
- color: black;
-}
-
-*:hover {
- border-image: url(:/core/images/welcomemode/btn_27_hover.png) 7;
- color: white;
-}
-
- * {
- border-image: url(:/core/images/welcomemode/btn_27.png) 7;
- border-width: 7;
- padding: -2px 0;
- font-size: 12px;
- font-family: lucida sans, dejavu sans, sans serif;
- color: black;
-}
-
-*:hover {
- border-image: url(:/core/images/welcomemode/btn_27_hover.png) 7;
- color: white;
-}
-
-
-
-
- <qt>Getting Started >>
- <qt>Comincia >>
-
-
-
- #recentSessionsFrame {
- border-image: url(:/core/images/welcomemode/rc_combined.png) 8;
- border-width: 8;
-}
-
- #recentSessionsFrame {
- border-image: url(:/core/images/welcomemode/rc_combined.png) 8;
- border-width: 8;
-}
-
-
-
-
- * {
- border-image: url(:/core/images/welcomemode/btn_26.png) 7;
- border-width: 7;
- padding: -2px 0;
- font-size: 12px;
- font-family: lucida sans, dejavu sans, sans serif;
- color: black;
-}
-
-*:hover {
- border-image: url(:/core/images/welcomemode/btn_26_hover.png) 7;
- color: white;
-}
-
-
-
-
-
- <qt>Restore Last Session >>
- <qt>Sessione Precedente >>
-
-
-
- #bottomWidget {
- background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
-}
-
- #bottomWidget {
- background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
-}
-
-
-
-
- * {
- border-image: url(:/core/images/welcomemode/btn_26.png) 7;
- border-width: 7;
- padding: -2px 2px;
- font-size: 12px;
- font-family: lucida sans, dejavu sans, sans serif;
-}
-
-*:hover {
- border-image: url(:/core/images/welcomemode/btn_26_hover.png) 7;
- color: white;
-}
-
- * {
- border-image: url(:/core/images/welcomemode/btn_26.png) 7;
- border-width: 7;
- padding: -2px 2px;
- font-size: 12px;
- font-family: lucida sans, dejavu sans, sans serif;
-}
-
-*:hover {
- border-image: url(:/core/images/welcomemode/btn_26_hover.png) 7;
- color: white;
-}
-
-
-
-
- <qt>Feedback <img src=":/core/images/welcomemode/feedback_arrow.png" />
- <qt>Commenti <img src=":/core/images/welcomemode/feedback_arrow.png" />
-
-
-
Help us make Qt Creator even better
Aiutaci a migliorare Qt Creator
+
+
+ #gradientWidget {
+ background-color: qlineargradient(spread:pad, x1:0.5, y1:0, x2:0.5, y2:1, stop:0 rgba(247, 247, 247, 255), stop:1 rgba(215, 215, 215, 255));
+}
+ #gradientWidget {
+ background-color: qlineargradient(spread:pad, x1:0.5, y1:0, x2:0.5, y2:1, stop:0 rgba(247, 247, 247, 255), stop:1 rgba(215, 215, 215, 255));
+}
+
+
+
+ #headerFrame {
+ border-image: url(:/core/images/welcomemode/center_frame_header.png) 0;
+ border-width: 0;
+}
+
+ #headerFrame {
+ border-image: url(:/core/images/welcomemode/center_frame_header.png) 0;
+ border-width: 0;
+}
+
+
+
+
+ Getting Started
+ Comincia
+
+
+
+ Develop
+ Sviluppa
+
+
+
+ Community
+ Comunità
+
+
+
+ Open
+ Apri
+
+
+
+ Examples not installed
+ Gli esempi non sono installati
+
+
+
+ Manage Sessions...
+ Gestisci le Sessioni...
+
+
+
+ Create New Project...
+ Crea un Nuovo Progetto...
+
+
+
+ Feedback
+ Commenti
+
Core::ModeManager
@@ -1854,7 +2006,7 @@ p {
Core::StandardFileWizard
-
+
New %1
Nuovo %1
@@ -2056,7 +2208,7 @@ p {
Scegli...
-
+
Browse...
Sfoglia...
@@ -2201,10 +2353,23 @@ p {
Percorso:
+
+ Core::Utils::reloadPrompt
+
+
+ File Changed
+ File Modificato
+
+
+
+ The file %1 has changed outside Qt Creator. Do you want to reload it?
+ Il file %1 è stato modificato fuori da Qt Creator. Vuoi ricaricarlo?
+
+
CppEditor::Internal::CPPEditor
-
+
Sort alphabetically
Ordine alfabetico
@@ -2259,19 +2424,19 @@ p {
C++
-
- Creates a new C++ header file.
- Crea un nuovo file header C++.
-
-
-
+
C++ Header File
File Header C++
-
- Creates a new C++ source file.
- Crea un nuovo file sorgente C++.
+
+ Creates a C++ header file.
+ Crea un file header C++.
+
+
+
+ Creates a C++ source file.
+ Crea un file sorgente C++.
@@ -2306,26 +2471,21 @@ p {
Header suffix:
Estensione header:
-
-
- File naming conventions
- Convenzioni sul nome dei file
-
-
-
- This determines how the file names of the class wizards are generated ("MyClass.h" versus "myclass.h").
- Determina come siano generati i nomi dei file nell'assistente alla creazione della classe ("MiaClasse.h" contro "miaclasse.h").
-
-
-
- Lower case file names:
- Nomi dei file in minuscolo:
-
Source suffix:
Estensione sorgente:
+
+
+ File Naming Conventions
+ Convenzioni sui Nomi dei File
+
+
+
+ Lower case file names
+ Nomi dei file in minuscolo
+
CppPreprocessor
@@ -2339,8 +2499,8 @@ p {
CppTools
- File naming conventions
- Convenzioni sul nome dei file
+ File Naming Conventions
+ Convenzioni sui Nomi dei File
@@ -2380,7 +2540,7 @@ p {
CppTools::Internal::CppModelManager
-
+
Indexing
Indicizzazione
@@ -2409,7 +2569,7 @@ p {
CppTools::Internal::FunctionArgumentWidget
-
+
%1 of %2
%1 di %2
@@ -2417,7 +2577,7 @@ p {
Debugger
-
+
Common
Comune
@@ -2427,7 +2587,7 @@ p {
Debugger
-
+
<Encoding error>
<Errore di codifica>
@@ -2479,7 +2639,72 @@ p {
Debugger::Internal::BreakHandler
-
+
+ Marker File:
+ File Marker:
+
+
+
+ Marker Line:
+ Riga Marker:
+
+
+
+ Breakpoint Number:
+ Numero Punto di Interruzione:
+
+
+
+ Breakpoint Address:
+ Indirizzo Punto di Interruzione:
+
+
+
+ Property
+ Proprietà
+
+
+
+ Requested
+ Richiesto
+
+
+
+ Obtained
+ Ottenuto
+
+
+
+ Internal Number:
+ Numero Interno:
+
+
+
+ File Name:
+ Nome del File:
+
+
+
+ Function Name:
+ Nome della Funzione:
+
+
+
+ Line Number:
+ Numero Riga:
+
+
+
+ Condition:
+ Condizione:
+
+
+
+ Ignore Count:
+ Numero di Scarti:
+
+
+
Number
Numero
@@ -2509,7 +2734,7 @@ p {
Ignora
-
+
Breakpoint will only be hit if this condition is met.
L'interruzione avverrà solo se questa condizione è soddisfatta.
@@ -2522,12 +2747,12 @@ p {
Debugger::Internal::BreakWindow
-
+
Breakpoints
Punti di Interruzione
-
+
Delete breakpoint
Cancella punto di interruzione
@@ -2562,7 +2787,27 @@ p {
Abilita punto di interruzione
-
+
+ Use short path
+ Usa percorso breve
+
+
+
+ Use full path
+ Usa percorso completo
+
+
+
+ Set Breakpoint at Function...
+ Imposta Punto di Interruzione alla Funzione...
+
+
+
+ Set Breakpoint at Function "main"
+ Imposta Punto di Interruzione alla Funzione "main"
+
+
+
Conditions on Breakpoint %1
Condizioni sul punto di interruzione %1
@@ -2570,22 +2815,28 @@ p {
Debugger::Internal::CdbDebugEngine
-
+
Unable to load the debugger engine library '%1': %2
Impossibile caricare la libreria del debugger '%1': %2
-
+
+ The function "%1()" failed: %2
+ Function call failed
+ La chiamata alla funzione "%1()" è fallita: %2
+
+
+
Unable to resolve '%1' in the debugger engine library '%2'
Impossibile risolvere '%1' nella libreria del debugger '%2'
-
+
The dumper library '%1' does not exist.
La libreria dumper '%1' non esiste.
-
+
The console stub process was unable to start '%1'.
Il caricatore da console non è riuscito a lanciare '%1'.
@@ -2605,12 +2856,12 @@ p {
Aggancio al processo non riuscito per il pid %1: %2
-
+
Unable to create a process '%1': %2
Impossibile creare il processo '%1': %2
-
+
Unable to assign the value '%1' to '%2': %3
Impossibile assegnare il valore '%1' a '%2': %3
@@ -2620,7 +2871,7 @@ p {
Impossibile recuperare i simboli mentre il debugger è in esecuzione.
-
+
Debugger Error
Errore del Debugger
@@ -2629,7 +2880,7 @@ p {
Debugger::Internal::CdbDumperHelper
-
+
injection
iniezione
@@ -2679,7 +2930,7 @@ p {
La libreria dei dumper speciali non può essere inizializzata: %1
-
+
Querying dumpers for '%1'/'%2' (%3)
Interrogazione dei dumper per '%1'/'%2' (%3)
@@ -2687,15 +2938,32 @@ p {
Debugger::Internal::CdbOptionsPageWidget
-
+
Cdb
Cdb
-
+
Autodetect
Autorilevamento
+
+
+ "Debugging Tools for Windows" could not be found.
+ Non è stato possibile trovare gli "Strumenti di Debug per Windows".
+
+
+
+ Checked:
+%1
+ Controllati:
+%1
+
+
+
+ Autodetection
+ Autorilevamento
+
Debugger::Internal::CdbSymbolPathListEditor
@@ -2718,7 +2986,7 @@ p {
Debugger::Internal::DebugMode
-
+
Debug
Debug
@@ -2726,18 +2994,18 @@ p {
Debugger::Internal::DebuggerManager
-
+
Continue
Continua
-
+
Interrupt
Interrompi
-
+
Reset Debugger
Reimposta il Debugger
@@ -2786,23 +3054,18 @@ p {
Toggle Breakpoint
Commuta Punto di Interruzione
-
-
- Set Breakpoint at Function...
- Imposta Punto di Interruzione alla Funzione...
-
-
-
- Set Breakpoint at Function "main"
- Imposta Punto di Interruzione alla Funzione "main"
-
Add to Watch Window
Aggiungi alla Finestra di Osservazione
-
+
+ Reverse Direction
+ All'indietro
+
+
+
Stop requested...
Richiesta interruzione...
@@ -2823,39 +3086,38 @@ p {
In esecuzione...
-
+
Changing breakpoint state requires either a fully running or fully stopped application.
Per commutare un punto di interruzione si richiede un'applicazione completamente in esecuzione oppure completamente arrestata.
-
- Debugging VS executables is not supported.
- Il debug degli eseguibili VS non è supportato.
+
+ Debugging VS executables is currently not enabled.
+ Il debug degli eseguibili VS non è abilitato al momento.
-
-
+
Warning
Attenzione
-
- Cannot attach to PID 0
- Impossibile collegarsi al PID 0
-
-
-
+
Cannot debug '%1': %2
Impossibile debuggare '%1': %2
-
+
+ Settings...
+ Impostazioni...
+
+
+
Save Debugger Log
Salva il Log del Debugger
-
+
Stop Debugger
Ferma il Debugger
@@ -2901,7 +3163,7 @@ p {
Debugger::Internal::DebuggerPlugin
-
+
Start and Debug External Application...
Avvio e Debug di Applicazione Esterna...
@@ -2931,12 +3193,32 @@ p {
Avvia e Collegati ad un'Applicazione Remota...
-
- Detach debugger
- Stacca il debugger
+
+ Option '%1' is missing the parameter.
+ L'opzione '%1' richiede un parametro.
-
+
+ The parameter '%1' of option '%2' is not a number.
+ Il parametro '%1' dell'opzione '%2' non è un numero.
+
+
+
+ Invalid debugger option: %1
+ Opzione del debugger non valida: %1
+
+
+
+ Error evaluating command line arguments: %1
+ Errore nei i parametri della linea di comando: %1
+
+
+
+ Detach Debugger
+ Stacca il Debugger
+
+
+
Stop Debugger/Interrupt Debugger
Ferma/Interrompi il Debugger
@@ -2946,7 +3228,7 @@ p {
Reimposta il Debugger
-
+
&Views
&Viste
@@ -2961,12 +3243,17 @@ p {
Ripristina la struttura predefinita
-
+
Threads:
Thread:
-
+
+ Attaching to PID %1.
+ Collegamento al PID %1.
+
+
+
Remove Breakpoint
Rimuovi Punto di Interruzione
@@ -2985,6 +3272,16 @@ p {
Set Breakpoint
Imposta Punto di Interruzione
+
+
+ Warning
+ Attenzione
+
+
+
+ Cannot attach to PID 0
+ Impossibile collegarsi al PID 0
+
Debugger::Internal::DebuggerRunner
@@ -3111,6 +3408,11 @@ p {
Skip known frames
Semplifica le sequenze note
+
+
+ Enable reverse debugging
+ Abilita il debug all'indietro
+
Reload full stack
@@ -3125,7 +3427,7 @@ p {
Debugger::Internal::DebuggingHelperOptionPage
-
+
Debugging Helper
Helper del Debug
@@ -3135,7 +3437,7 @@ p {
Scegli la posizione dell'Helper del Debug
-
+
Ctrl+Shift+F11
Ctrl+Shift+F11
@@ -3189,23 +3491,23 @@ p {
Debugger::Internal::GdbEngine
-
+
The Gdb process failed to start. Either the invoked program '%1' is missing, or you may have insufficient permissions to invoke the program.
Il progesso Gdb non è partito. Può essere che manchi il programma '%1' o che i permessi siano insufficienti.
-
+
The Gdb process crashed some time after starting successfully.
Il processo Gdb è andato in crash dopo essere stato avviato correttamente.
-
+
The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again.
L'ultima funzione waitFor...() è andata oltre il tempo masimo. Lo stato del QProcess non è cambiato, e puoi provare a chiamare waitFor...() nuovamente.
-
+
An error occurred when attempting to write to the Gdb process. For example, the process may not be running, or it may have closed its input channel.
C'è stato un errore inviando dati al progesso Gdb. Può darsi che il processo non sia in esecuzione o potrebbe avere chiuso il suo canale d'ingresso.
@@ -3221,15 +3523,15 @@ p {
-
-
+
+
-
+
Error
Errore
-
+
The upload process failed to start. Either the invoked script '%1' is missing, or you may have insufficient permissions to invoke the program.
Non è stato possibile avviare il processo di caricamento. Potrebbe mancare lo script '%1', o potresti avere i permessi insufficienti all'avvio del programma.
@@ -3299,7 +3601,7 @@ p {
Errore del Debugger
-
+
Stopping temporarily.
Interruzione temporanea.
@@ -3314,13 +3616,13 @@ p {
Caricato il file core.
-
+
Jumped. Stopped.
Salto concluso. Fermato.
-
+
Run to Function finished. Stopped.
Esegui fino alla Funzione concluso. Fermato.
@@ -3344,13 +3646,53 @@ p {
Processing queued commands.
Esecuzione dei comandi accodati.
+
+
+ Retrieving data for watch view (%n requests pending)...
+
+ Recupero dei dati per la vista delle osservazioni (%n richiesta rimanente)...
+ Recupero dei dati per la vista delle osservazioni (%n richieste rimanenti)...
+
+
+
+
+ %n custom dumpers found.
+
+ Trovato un dumper speciale.
+ Trovati %n dumper speciali.
+
+
-
+
<0 items>
<0 elementi>
+
+
+ <%n items>
+ In string list
+
+ <1 elemento>
+ <%n elementi>
+
+
-
+
+ Dumper injection loading triggered (%1)...
+ L'iniezione dei dumper ha sollevato (%1)...
+
+
+
+ Dumper loading (%1) failed: %2
+ Non è stato possibile caricare i dumper (%1): %2
+
+
+
+ Loading dumpers via debugger call (%1)...
+ Caricamento dei dumper tramite chiamata al debugger (%1)...
+
+
+
Loading %1...
Caricamento di %1...
@@ -3391,7 +3733,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Avvio dell'eseguibile non riuscito:
-
+
Debugger Startup Failure
Errore in Avvio del Debugger
@@ -3427,7 +3769,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Le impostazioni del debugger puntano da un file di script '%1' che non è accessibile. Se non si ha bisogno del file di script, cancellare quell'impostazione per evitare questo avviso.
-
+
Attached to running process. Stopped.
Collegato al processo in esecuzione. Fermato.
@@ -3442,7 +3784,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Il debugger è uscito.
-
+
<could not retreive module information>
<impossibile recuperare le informazioni del modulo>
@@ -3485,13 +3827,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
<fuori contesto>
-
-
- Retrieving data for watch view (%1 requests pending)...
- Recupero dei dati per la vista delle osservazioni (%1 richieste rimanenti)...
-
-
-
+
Finished retrieving data.
Fine del recupero dei dati.
@@ -3506,23 +3842,12 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Helper per il debug non trovati.
-
- %1 custom dumpers found.
- Trovati %1 dumper speciali.
-
-
-
+
Custom dumper setup: %1
Setup dumper speciali: %1
-
- <%1 items>
- In string list
- <%1 elementi>
-
-
-
+
%1 <shadowed %2>
Variable %1 <FIXME: does something - bug Andre about it>
%1 <oscura %2>
@@ -3565,7 +3890,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Recupero dei dati per il suggerimento...
-
+
The dumper library '%1' does not exist.
La libreria dei dumper '%1' non esiste.
@@ -3573,7 +3898,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::GdbOptionsPage
-
+
Gdb
Gdb
@@ -3715,7 +4040,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::RegisterHandler
-
+
Name
Nome
@@ -3756,7 +4081,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::ScriptEngine
-
+
'%1' contains no identifier
'%1' non contiene identificatori
@@ -3815,7 +4140,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::StackHandler
-
+
...
...
@@ -3825,13 +4150,37 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
<Successivi>
-
- <table><tr><td>Address:</td><td>%1</td></tr><tr><td>Function: </td><td>%2</td></tr><tr><td>File: </td><td>%3</td></tr><tr><td>Line: </td><td>%4</td></tr><tr><td>From: </td><td>%5</td></tr></table><tr><td>To: </td><td>%6</td></tr></table>
- Tooltip for variable
- <table><tr><td>Indirizzo:</td><td>%1</td></tr><tr><td>Funzione: </td><td>%2</td></tr><tr><td>File: </td><td>%3</td></tr><tr><td>Riga: </td><td>%4</td></tr><tr><td>Da: </td><td>%5</td></tr></table><tr><td>A: </td><td>%6</td></tr></table>
+
+ Address:
+ Indirizzo:
-
+
+ Function:
+ Funzione:
+
+
+
+ File:
+ File:
+
+
+
+ Line:
+ Riga:
+
+
+
+ From:
+ Da:
+
+
+
+ To:
+ A:
+
+
+
Level
Livello
@@ -3900,7 +4249,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::StartRemoteDialog
-
+
Select Executable
Scegli l'Eseguibile
@@ -3908,17 +4257,12 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::TcfEngine
-
- Socket error: %1
- Errore del socket: %1
+
+ %1.
+ %1.
-
- Error
- Errore
-
-
-
+
Stopped.
Fermato.
@@ -3965,7 +4309,32 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debugger::Internal::WatchHandler
-
+
+ Expression
+ Espressione
+
+
+
+ ... <cut off>
+ ... <tagliato>
+
+
+
+ Object Address
+ Indirizzo Oggetto
+
+
+
+ Stored Address
+ Indirizzo Salvato
+
+
+
+ iname
+ iname
+
+
+
Root
Radice
@@ -3985,17 +4354,19 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Osservazione
-
+
Name
Nome
-
+
+
Value
Valore
-
+
+
Type
Tipo
@@ -4063,11 +4434,6 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
This will enable nice display of Qt and Standard Library objects in the Locals&Watchers view
Marcando questa casella si abilita la visualizzazione dei tipi Qt e STL nella vista Variabili Locali & Osservazione
-
-
- Debugging Helper
- Helper del Debug
-
Use debugging helper
@@ -4093,6 +4459,11 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Debug debugging helper
Debug dell'helper di debug
+
+
+ Debugging helper
+ Helper del Debug
+
DependenciesModel
@@ -4110,20 +4481,19 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Designer
-
-
- file name is empty
- il nome del file è vuoto
+
+ The file name is empty.
+ Il nome del file è vuoto.
-
+
XML error on line %1, col %2: %3
Errore XML alla riga %1, colonna %2: %3
- no <RCC> root element
- non è presente l'elemento <RCC> nella radice
+ The <RCC> root element is missing.
+ Non è presente l'elemento <RCC> nella radice.
@@ -4139,14 +4509,6 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Editor di segnali e slot
-
- Designer::Internal::FormClassWizard
-
-
- Internal error: FormClassWizard::generateFiles: empty template contents
- Errore interno: FormClassWizard::generateFiles: contenuto del template vuoto
-
-
Designer::Internal::FormClassWizardDialog
@@ -4211,7 +4573,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Designer::Internal::FormEditorPlugin
-
+
Qt
Qt
@@ -4222,19 +4584,19 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
- This creates a new Qt Designer form file.
- Questo crea un nuovo file form Qt Designer.
+ Creates a Qt Designer form file (.ui).
+ Crea un file form Qt Designer (.ui).
-
+
+ Creates a Qt Designer form file (.ui) with a matching class.
+ Crea un file form Qt Designer (.ui) e la relativa classe.
+
+
+
Qt Designer Form Class
Classe Form di Qt Designer
-
-
- This creates a new Qt Designer form class.
- Questo crea una nuova classe form di Qt Designer.
-
Designer::Internal::FormEditorW
@@ -4360,7 +4722,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
- The image could not be create: %1
+ The image could not be created: %1
L'immagine non può essere creata: %1
@@ -4380,7 +4742,7 @@ L'utilizzo di gdb 6.7 o successivi è fortemente consigliato.
Designer::Internal::FormWindowEditor
-
+
untitled
senza titolo
@@ -4462,21 +4824,62 @@ La ricompilazione del progetto potrebbe aiutare.
Rimuovi
+
+ DuiEditor::Internal::DuiEditorPlugin
+
+
+ Creates a Qt QML file.
+ Crea un file Qt QML.
+
+
+
+ Qt QML File
+ File Qt QML
+
+
+
+ Qt
+ Qt
+
+
+
+ DuiEditor::Internal::ScriptEditor
+
+
+ <Select Symbol>
+ <Scegli un Simbolo>
+
+
+
+ Rename...
+ Rinomina...
+
+
+
+ New id:
+ Nuovo id:
+
+
+
+ Rename id '%1'...
+ Rinomina l'id '%1'...
+
+
EmbeddedPropertiesPage
- Use Virtual Box
-Note: This adds the toolchain to the build environment and runs the program inside a virtual machine.
-It also automatically sets the correct qt version.
- Usa Virtual Box
-Nota: verrà aggiunta la toolchain dell'ambiente di compilazione e il programma sarà eseguito in una macchina virtuale.
-Imposta automaticamente la versione qt corretta.
+ Skin:
+ Tema:
- Skin:
- Tema:
+ Use Virtual Box
+Note: This adds the toolchain to the build environment and runs the program inside a virtual machine.
+It also automatically sets the correct Qt version.
+ Usa Virtual Box
+Nota: verrà aggiunta la toolchain dell'ambiente di compilazione e il programma sarà eseguito in una macchina virtuale.
+Imposta automaticamente la Versione di Qt corretta.
@@ -4670,7 +5073,7 @@ Imposta automaticamente la versione qt corretta.
- Plugin ended it's life cycle and was deleted
+ Plugin ended its life cycle and was deleted
Il plugin ha concluso il suo ciclo di vita ed è stato cancellato
@@ -4708,10 +5111,23 @@ Reason: %3
Causa: %3
+
+ FakeVim::Internal
+
+
+ Toggle vim-style editing
+ Commuta l'editor vim-style
+
+
+
+ FakeVim properties...
+ Proprietà di FakeVim...
+
+
FakeVim::Internal::FakeVimHandler
-
+
%1,%2
%1,%2
@@ -4727,14 +5143,14 @@ Causa: %3
Non implementato in FakeVim
-
-
+
+
E20: Mark '%1' not set
E20: Mark '%1' non impostato
-
+
File '%1' exists (add ! to override)
Il file '%1' esiste (aggiungi ! per procedere)
@@ -4749,7 +5165,7 @@ Causa: %3
"%1" %2 %3R, %4C scritto
-
+
Cannot open file '%1' for reading
Impossibile aprire il file '%1' in lettura
@@ -4758,23 +5174,29 @@ Causa: %3
"%1" %2L, %3C
"%1" %2R, %3C
-
+
- %1 lines filtered
- %1 righe filtrate
+ %n lines filtered
+
+ una riga filtrata
+ %n righe filtrate
+
-
+
- %1 lines >ed %2 time
- %1 righe >ed %2 volte
+ %n lines >ed %1 time
+
+ una riga >ed %2 volte
+ %n righe >ed %2 volte
+
-
+
E512: Unknown option:
E512: Opzione sconosciuta:
-
+
E492: Not an editor command:
E492: Non è un comando di modifica:
@@ -4794,12 +5216,12 @@ Causa: %3
E486: Pattern non trovato:
-
+
Already at oldest change
Già alla modifica più vecchia
-
+
Already at newest change
Già alla modifica più recente
@@ -4807,7 +5229,7 @@ Causa: %3
FakeVim::Internal::FakeVimOptionPage
-
+
General
Generale
@@ -4820,8 +5242,8 @@ Causa: %3
FakeVim::Internal::FakeVimPluginPrivate
-
-
+
+
Quit FakeVim
Esci da FakeVim
@@ -4913,6 +5335,11 @@ Causa: %3
Set plain style
Stile semplice
+
+
+ Incremental search:
+ Ricerca incrementale:
+
FilterNameDialogClass
@@ -4934,11 +5361,6 @@ Causa: %3
Filters
Filtri
-
-
- Attributes:
- Attributi:
-
1
@@ -4954,6 +5376,11 @@ Causa: %3
Remove
Rimuovi
+
+
+ Attributes
+ Attributi
+
Find::Internal::FindDialog
@@ -5014,7 +5441,7 @@ Causa: %3
Find::Internal::FindToolBar
-
+
Current Document
Documento Corrente
@@ -5068,6 +5495,11 @@ Causa: %3
Whole Words Only
Parole Intere
+
+
+ Use Regular Expressions
+ Usa Espressioni Regolari
+
Find::Internal::FindWidget
@@ -5113,15 +5545,10 @@ Causa: %3
GdbOptionsPage
-
+
Gdb interaction
Interazione con gdb
-
-
- This is either a full abolute path leading to the gdb binary you intend to use or the name of a gdb binary that will be searched in your PATH.
- Questo può essere il percorso assoluto completo dell'eseguibile gdb che vuoi usare, oppure il nome di un eseguibile che sarà cercato nel tuo PATH.
-
Gdb location:
@@ -5172,6 +5599,11 @@ Causa: %3
Never set breakpoints in plugins automatically
Non impostare mai i punti di interruzione automaticamente
+
+
+ This is either a full absolute path leading to the gdb binary you intend to use or the name of a gdb binary that will be searched in your PATH.
+ Questo può essere il percorso assoluto completo dell'eseguibile gdb che vuoi usare, oppure il nome di un eseguibile che sarà cercato nel tuo PATH.
+
GenericMakeStep
@@ -5202,14 +5634,14 @@ Causa: %3
GenericProjectManager::Internal::GenericBuildSettingsWidget
-
+
Build directory:
Cartella di compilazione:
- Tool chain:
- Tool chain:
+ Toolchain:
+ Toolchain:
@@ -5472,7 +5904,7 @@ Causa: %3
Impossibile eseguire show: %1: %2
-
+
Changes
Modifiche
@@ -5492,7 +5924,7 @@ Causa: %3
Il deposito %1 non è ancora inizializzato.
-
+
Committed %n file(s).
@@ -5546,7 +5978,7 @@ Causa: %3
Git::Internal::GitPlugin
-
+
&Git
&Git
@@ -5555,6 +5987,11 @@ Causa: %3
Diff Current File
Diff del file corrente
+
+
+ Diff "%1"
+ Diff "%1"
+
Alt+G,Alt+D
@@ -5565,6 +6002,11 @@ Causa: %3
File Status
Stato del file
+
+
+ Status Related to "%1"
+ Stato Relativo a "%1"
+
Alt+G,Alt+S
@@ -5575,6 +6017,11 @@ Causa: %3
Log File
Log del file
+
+
+ Log of "%1"
+ Log di "%1"
+
Alt+G,Alt+L
@@ -5585,6 +6032,11 @@ Causa: %3
Blame
Blame
+
+
+ Blame for "%1"
+ Blame su "%1"
+
Alt+G,Alt+B
@@ -5595,6 +6047,11 @@ Causa: %3
Undo Changes
Annulla le Modifiche
+
+
+ Undo Changes for "%1"
+ Annulla le modifiche di "%1"
+
Alt+G,Alt+U
@@ -5605,6 +6062,11 @@ Causa: %3
Stage File for Commit
Prepara il file per il commit
+
+
+ Stage "%1" for Commit
+ Prepara "%1" per il Commit
+
Alt+G,Alt+A
@@ -5615,29 +6077,53 @@ Causa: %3
Unstage File from Commit
Rimuovi il file dal commit
+
+
+ Unstage "%1" from Commit
+ Rimuovi "%1" dal Commit
+
Revert...
Ripristina...
+
+
+ Revert "%1"...
+ Ripristina "%1"...
+
Diff Current Project
Diff del progetto corrente
+
+
+ Diff Project "%1"
+ Diff del Progetto "%1"
+
Project Status
Stato del progetto
+
+
+ Status Project "%1"
+ Stato del Progetto "%1"
+
-
Log Project
Log del progetto
-
+
+ Log Project "%1"
+ Log del Progetto "%1"
+
+
+
Alt+G,Alt+K
@@ -5727,12 +6213,12 @@ Causa: %3
Non trovo la cartella di lavoro
-
+
Another submit is currently beeing executed.
Si sta già creando una revisione.
-
+
Cannot create temporary file: %1
Impossibile creare il file temporaneo: %1
@@ -5751,76 +6237,6 @@ Causa: %3
The commit message check failed. Do you want to commit the change?
Il controllo sul messaggio della nuova revisione è fallito. Vuoi creare la revisione?
-
-
- File
- File
-
-
-
- Diff %1
- Diff %1
-
-
-
- Status Related to %1
- Stato di %1
-
-
-
- Log of %1
- Log di %1
-
-
-
- Blame for %1
- Blame su %1
-
-
-
- Undo Changes for %1
- Annulla le modifiche di %1
-
-
-
- Stage %1 for Commit
- Prepara %1 per il commit
-
-
-
- Unstage %1 from Commit
- Rimuovi %1 dal commit
-
-
-
- Revert %1...
- Ripristina %1...
-
-
-
- Diff Project
- Diff del progetto
-
-
-
- Status Project
- Stato del progetto
-
-
-
- Diff Project %1
- Diff del progetto %1
-
-
-
- Status Project %1
- Stato del progetto %1
-
-
-
- Log Project %1
- Log del progetto %1
-
Git::Internal::GitSettings
@@ -6027,13 +6443,13 @@ Causa: %3
Stampa il Documento
-
+
unknown
sconosciuto
-
+
Add New Page
Aggiungi una Pagina
@@ -6053,14 +6469,6 @@ Causa: %3
Aggiungi un Segnalibro su questa Pagina...
-
- Help::Internal::ContentsToolWidget
-
-
- Contents
- Contenuti
-
-
Help::Internal::DocSettingsPage
@@ -6128,25 +6536,25 @@ Causa: %3
Help::Internal::HelpPlugin
-
-
+
+
Contents
Contenuti
-
-
+
+
Index
Indice
-
-
+
+
Search
Cerca
-
+
Bookmarks
Segnalibri
@@ -6156,102 +6564,64 @@ Causa: %3
Home
-
-
+
+
Previous
Indietro
-
-
+
+
Next
Avanti
-
+
Add Bookmark
Aggiungi un Segnalibro
-
+
Context Help
Aiuto Contestuale
-
+
Activate Index in Help mode
Attiva l'Indice nella Guida
-
+
Activate Contents in Help mode
Attiva i contenuti nella Guida
-
+
Activate Search in Help mode
Attiva la ricerca nella Guida
-
+
-
+
Unfiltered
Non filtrato
-
+
<html><head><title>No Documentation</title></head><body><br/><center><b>%1</b><br/>No documentation available.</center></body></html>
<html><head><title>Nessuna Documentazione</title></head><body><br/><center><b>%1</b><br/>Non è disponibile alcuna documentazione.</center></body></html>
-
- <html><head><title>No Documentation</title></head><body><br/><br/><center>No documentation available.</center></body></html>
- <html><head><title>Nessuna Documentazione</title></head><body><br/><br/><center>Non è disponibile alcuna documentazione.</center></body></html>
-
-
-
+
Filtered by:
Filtrato da:
-
- Help::Internal::IndexThread
-
-
- Failed to load keyword index file!
- Impossibile caricare l'indice delle parole chiave!
-
-
-
- Cannot open the index file %1
- Impossibile aprire l'indice %1
-
-
-
- Documentation file %1 does not exist!
-Skipping file.
- Il file della documentazione %1 non esiste!
-Tralascio il file.
-
-
-
- Help::Internal::IndexToolWidget
-
-
- Look for:
- Cerca:
-
-
-
- Index
- Indice
-
-
Help::Internal::SearchWidget
-
+
&Copy
&Copia
@@ -6261,48 +6631,25 @@ Tralascio il file.
Copia il &Collegamento
-
-
+
Open Link in New Tab
Apri il Collegamento in una Nuova Scheda
-
+
Select All
Seleziona Tutto
-
-
- Open Link
- Apri il Collegamento
-
-
-
- Help::Internal::TitleMapThread
-
-
- Documentation file %1 does not exist!
-Skipping file.
- Il file della documentazione %1 non esiste!
-Tralascio il file.
-
-
-
- Documentation file %1 is not compatible!
-Skipping file.
- Il file della documentazione %1 non è compatibile!
-Tralascio il file.
-
HelpViewer
-
+
Open Link in New Tab
Apri il Collegamento in una Nuova Scheda
-
+
<title>Error 404...</title><div align="center"><br><br><h1>The page could not be found</h1><br><h3>'%1'</h3></div>
<title>Errore 404...</title><div align="center"><br><br><h1>Non è stato possibile trovare la pagina</h1><br><h3>'%1'</h3></div>
@@ -6342,7 +6689,7 @@ Tralascio il file.
&Cerca:
-
+
Open Link
Apri il Collegamento
@@ -6527,39 +6874,6 @@ nel tuo file .pro.
Parametri make:
-
- MimeDatabase
-
-
- Not a number '%1'.
- Non è un numero '%1'.
-
-
-
- Empty match value detected.
- Rilevato valore di confronto vuoto.
-
-
-
- Missing 'type'-attribute
- Manca l'attributo 'tipo'
-
-
-
- Unexpected element <%1>
- Elemento inaspettato <%1>
-
-
-
- An error has been encountered at line %1 of %2: %3:
- E' stato incontrato un errore alla riga %1 di %2: %3:
-
-
-
- Cannot open %1: %2
- Impossibile aprire %1: %2
-
-
MyMain
@@ -6601,6 +6915,39 @@ nel tuo file .pro.
Apri l'estensione del file con:
+
+ Perforce::Internal
+
+
+ No executable specified
+ Non è stato impostato alcun eseguibile
+
+
+
+ Unable to launch "%1": %2
+ Impossibile lanciare "%1": %2
+
+
+
+ "%1" timed out after %2ms.
+ "%1" ha superato il limite di tempo dopo %2ms.
+
+
+
+ "%1" crashed.
+ "%1" è andato in crash.
+
+
+
+ "%1" terminated with exit code %2: %3
+ "%1" è terminato con il codice di uscita %2: %3
+
+
+
+ The client does not seem to contain any mapped files.
+ Il client non sembra contenere alcun file mappato.
+
+
Perforce::Internal::ChangeNumberDialog
@@ -6658,18 +7005,22 @@ nel tuo file .pro.
Perforce::Internal::PerforcePlugin
-
+
&Perforce
&Perforce
-
Edit
Modifica
-
+
+ Edit "%1"
+ Modifica "%1"
+
+
+
Alt+P,Alt+E
@@ -6680,12 +7031,16 @@ nel tuo file .pro.
-
Add
Aggiungi
-
+
+ Add "%1"
+ Aggiungi "%1"
+
+
+
Alt+P,Alt+A
@@ -6696,23 +7051,31 @@ nel tuo file .pro.
-
Delete
Elimina
-
+
+ Delete "%1"
+ Cancella "%1"
+
+
+
Delete File
Cancella il File
-
Revert
Ripristina
-
+
+ Revert "%1"
+ Ripristina "%1"
+
+
+
Alt+P,Alt+R
@@ -6728,13 +7091,23 @@ nel tuo file .pro.
Diff del file corrente
-
+
+ Diff "%1"
+ Diff "%1"
+
+
+
Diff Current Project/Session
Diff del progetto/sessione corrente
-
+
+ Diff Project "%1"
+ Diff del Progetto "%1"
+
+
+
Alt+P,Alt+D
@@ -6776,24 +7149,32 @@ nel tuo file .pro.
-
Annotate Current File
Annota il File Corrente
-
+
+ Annotate "%1"
+ Annota "%1"
+
+
+
Annotate...
Annota...
-
Filelog Current File
Filelog del File Corrente
-
+
+ Filelog "%1"
+ Filelog "%1"
+
+
+
Alt+P,Alt+F
@@ -6833,14 +7214,7 @@ nel tuo file .pro.
Il file è stato modificato. Vuoi ripristinarlo?
-
-
-
- No p4 executable specified!
- Non è stato specificato l'eseguibile p4!
-
-
-
+
Another submit is currently executed.
Un altro invio è già in corso.
@@ -6875,57 +7249,7 @@ nel tuo file .pro.
p4 filelog %1
-
- Edit %1
- Modifica %1
-
-
-
- Add %1
- Aggiungi %1
-
-
-
- Delete %1
- Cancella %1
-
-
-
- Revert %1
- Ripristina %1
-
-
-
- Diff %1
- Diff %1
-
-
-
- Annotate %1
- Annota %1
-
-
-
- Filelog %1
- Filelog %1
-
-
-
- Diff
- Diff
-
-
-
- Diff Project %1
- Diff del Progetto %1
-
-
-
- Diff Current Project/Soluion
- Diff del Progetto/Sessione corrente
-
-
-
+
%1 Executing: %2
%1 Eseguo: %2
@@ -6977,7 +7301,7 @@ nel tuo file .pro.
Il controllo del messaggio del commit è fallito. Vuoi inviare questa lista di modifiche
-
+
Cannot execute p4 submit.
Impossibile eseguire il submit p4.
@@ -6993,7 +7317,12 @@ nel tuo file .pro.
Impossibile inviare la modifica, perché il tuo workspace non è aggiornato. Creato un submit in sospeso.
-
+
+ Invalid configuration: %1
+ Configurazione non valida: %1
+
+
+
Timeout waiting for "where" (%1).
Superato il limite di tempo in attesa di "where" (%1).
@@ -7057,15 +7386,30 @@ nel tuo file .pro.
Porta P4:
-
+
Perforce
Perforce
+
+
+ Test
+ Prova
+
Perforce::Internal::SettingsPageWidget
-
+
+ Testing...
+ Test...
+
+
+
+ Test succeeded.
+ Il test ha avuto successo.
+
+
+
Perforce Command
Comando Perforce
@@ -7225,14 +7569,6 @@ Nome di base della libreria: %1
Errore interno: non ho un'istanza di plugin su cui eseguire extensionsInitialized
-
- ProEditorContainer
-
-
- Advanced Mode
- Modalità Avanzata
-
-
ProjectExplorer::AbstractProcessStep
@@ -7266,12 +7602,12 @@ Nome di base della libreria: %1
<font color="#ff0000">Compilazione annullata.</font>
-
+
Build
Compilazione
-
+
Finished %n of %1 build steps
Conclusa la prima fase di %1
@@ -7279,7 +7615,7 @@ Nome di base della libreria: %1
-
+
<font color="#ff0000">Error while building project %1</font>
<font color="#ff0000">Errore durante la compilazione del progetto %1</font>
@@ -7304,17 +7640,17 @@ Nome di base della libreria: %1
ProjectExplorer::CustomExecutableRunConfiguration
-
+
Custom Executable
Eseguibile Speciale
-
+
Could not find the executable, please specify one.
Non è stato trovato l'eseguibile, specificane uno.
-
+
Run %1
Esegui %1
@@ -7332,7 +7668,7 @@ Nome di base della libreria: %1
ProjectExplorer::EnvironmentModel
-
+
Variable
Variabile
@@ -7533,7 +7869,7 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::CoreListenerCheckingForRunningBuild
-
+
Cancel Build && Close
Annulla la Compilazione && Chiudi
@@ -7582,7 +7918,7 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::CustomExecutableConfigurationWidget
-
+
Name:
Nome:
@@ -7651,7 +7987,7 @@ Nome di base della libreria: %1
Editor Settings
- Impostazioni dell Editor
+ Impostazioni dell'Editor
@@ -7770,8 +8106,8 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::ProjectExplorerSettingsPage
- Build and Run Settings
- Impostazioni di Compilazione ed Esecuzione
+ Build and Run
+ Compila ed Esegui
@@ -7836,7 +8172,7 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::ProjectWindow
-
+
Project Explorer
Progetto
@@ -7873,23 +8209,18 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::ProjetExplorerSettingsPageUi
- Build Settings
- Impostazioni di Compilazione
-
-
-
Save all files before Build
Salva tutti i file prima della Compilazione
- Run Settings
- Impostazioni di Esecuzione
+ Always build Project before Running
+ Compila sempre il Progetto prima dell'Esecuzione
- Always build Project before Running
- Compila sempre il Progetto prima dell'Esecuzione
+ Build and Run
+ Compila ed Esegui
@@ -7953,11 +8284,6 @@ Nome di base della libreria: %1
Session Manager
Gestione della Sessione
-
-
- Choose your session
- Scegli una sessione
-
Create New Session
@@ -7973,6 +8299,11 @@ Nome di base della libreria: %1
Delete Session
Elimina
+
+
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">What is a Session?</a>
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">Cos'è una Sessione?</a>
+
ProjectExplorer::Internal::SessionFile
@@ -7991,7 +8322,7 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::TaskDelegate
-
+
File not found: %1
File non trovato: %1
@@ -7999,7 +8330,7 @@ Nome di base della libreria: %1
ProjectExplorer::Internal::TaskWindow
-
+
Build Issues
Problemi di Compilazione
@@ -8077,7 +8408,12 @@ Nome di base della libreria: %1
&Debug
-
+
+ &Start Debugging
+ &Avvia il Debug
+
+
+
Open With
Apri con
@@ -8123,13 +8459,12 @@ Nome di base della libreria: %1
-
- Unload Project
+ Close Project
Chiudi Progetto
-
- Unload All Projects
+
+ Close All Projects
Chiudi Tutti i Progetti
@@ -8153,7 +8488,7 @@ Nome di base della libreria: %1
-
+
Rebuild All
Ricompila Tutto
@@ -8164,12 +8499,16 @@ Nome di base della libreria: %1
-
Build Project
Compila il Progetto
-
+
+ Build Project "%1"
+ Compila il Progetto "%1"
+
+
+
Ctrl+B
@@ -8179,12 +8518,37 @@ Nome di base della libreria: %1
Ricompila il Progetto
-
+
+ Rebuild Project "%1"
+ Ricompila il Progetto "%1"
+
+
+
Clean Project
Pulisci il Progetto
-
+
+ Clean Project "%1"
+ Pulisci il Progetto "%1"
+
+
+
+ Build Without Dependencies
+ Compila Senza le Dipendenze
+
+
+
+ Rebuild Without Dependencies
+ Ricompila Senza le Dipendenze
+
+
+
+ Clean Without Dependencies
+ Pulisci Senza le Dipendenze
+
+
+
Run
Esegui
@@ -8241,7 +8605,7 @@ Nome di base della libreria: %1
Rinomina
-
+
Load Project
Carica Progetto
@@ -8252,17 +8616,12 @@ Nome di base della libreria: %1
Nuovo Progetto
-
- Unload Project "%1"
+
+ Close Project "%1"
Chiudi il Progetto "%1"
-
- Build Project "%1"
- Compila il Progetto "%1"
-
-
-
+
New File
Title of dialog
Nuovo File
@@ -8334,14 +8693,14 @@ al VCS (%2)?
ProjectExplorer::SessionManager
-
- Error while loading session
- Errore durante il caricamento della sessione
+
+ Error while restoring session
+ Errore durante il ripristino della sessione
- Could not load session %1
- Impossibile caricare la sessione %1
+ Could not restore session %1
+ Impossibile ripristinare la sessione %1
@@ -8354,13 +8713,13 @@ al VCS (%2)?
Impossibile salvare la sessione sul file %1
-
+
Qt Creator
Qt Creator
-
+
Untitled
Senza titolo
@@ -8472,51 +8831,6 @@ al VCS (%2)?
QObject
-
-
- File Changed
- File Modificato
-
-
-
- The file %1 has changed outside Qt Creator. Do you want to reload it?
- Il file %1 è stato modificato fuori da Qt Creator. Vuoi ricaricarlo?
-
-
-
- File is Read Only
- Il file è di Sola Lettura
-
-
-
- The file %1 is read only.
- Il file %1 è di sola lettura.
-
-
-
- Open with VCS (%1)
- Apri con il VCS (%1)
-
-
-
- Make writable
- Rendi scrivibile
-
-
-
- Save as ...
- Salva con nome...
-
-
-
- Toggle vim-style editing
- Commuta l'editor vim-style
-
-
-
- FakeVim properties...
- Proprietà di FakeVim...
-
Pass
@@ -8604,6 +8918,115 @@ al VCS (%2)?
Mostra Solo:
+
+ QmlProjectManager::Internal::QmlNewProjectWizard
+
+
+ QML Application
+ Applicazione QML
+
+
+
+ Creates a QML application.
+ Crea un'applicazione QML.
+
+
+
+ Projects
+ Progetti
+
+
+
+ The project %1 could not be opened.
+ Non è possibile aprire il progetto %1.
+
+
+
+ QmlProjectManager::Internal::QmlNewProjectWizardDialog
+
+
+ New QML Project
+ Nuovo Progetto QML
+
+
+
+ This wizard generates a QML application project.
+ Questa procedura guidata genera un'applicazione QML.
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizard
+
+
+ Import of existing QML directory
+ Importa una cartella QML esistente
+
+
+
+ Creates a QML project from an existing directory of QML files.
+ Crea un progetto QML da una cartella che contiene file QML.
+
+
+
+ Projects
+ Progetti
+
+
+
+ The project %1 could not be opened.
+ Non è possibile aprire il progetto %1.
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizardDialog
+
+
+ Import of QML Project
+ Importazione di un Progetto QML
+
+
+
+ QML Project
+ Progetto QML
+
+
+
+ Project name:
+ Nome progetto:
+
+
+
+ Location:
+ Posizione:
+
+
+
+ QmlProjectManager::Internal::QmlRunConfiguration
+
+
+
+
+ QML Viewer
+ Visualizzatore QML
+
+
+
+ Could not find the qmlviewer executable, please specify one.
+ Impossibile trovare l'eseguibile qmlviewer, impostalo manualmente.
+
+
+
+
+
+ <Current File>
+ <File Corrente>
+
+
+
+ Main QML File:
+ File QML Principale:
+
+
QrcEditor
@@ -8654,8 +9077,21 @@ al VCS (%2)?
Qt4ProjectManager::Internal::ConsoleAppWizardDialog
- This wizard generates a Qt4 console application project. The application derives from QCoreApplication and does not present a GUI. You can press 'Finish' at any point in time.
- Questa procedura guidata genera un progetto per applicazione console Qt4. L'applicazione deriva da QCoreApplication e non ha una GUI. Puoi premere 'Fine' in qualsiasi momento.
+ This wizard generates a Qt4 console application project. The application derives from QCoreApplication and does not provide a GUI.
+ Questa procedura guidata genera un progetto per applicazione console Qt4. L'applicazione deriva da QCoreApplication e non include una GUI.
+
+
+
+ Qt4ProjectManager::Internal::DesignerExternalEditor
+
+
+ Qt Designer is not responding (%1).
+ Qt Designer non risponde (%1).
+
+
+
+ Unable to create server socket: %1
+ Impossibile creare il socket del server: %1
@@ -8683,99 +9119,21 @@ al VCS (%2)?
Qt4ProjectManager::Internal::EmptyProjectWizardDialog
- This wizard generates an empty Qt4 project. Add files to it later on by using the other wizards. You can press 'Finish' at any point in time.
- Questa procedura guidata genera un progetto Qt4 vuoto. Altri file potranno essere aggiunti in seguito con altre procedure guidate. Puoi premere 'Fine' in qualsiasi momento.
+ This wizard generates an empty Qt4 project. Add files to it later on by using the other wizards.
+ Questa procedura guidata genera un progetto Qt4 vuoto. Altri file potranno essere aggiunti in seguito con altre procedure guidate.
- Qt4ProjectManager::Internal::EnvEditDialog
+ Qt4ProjectManager::Internal::ExternalQtEditor
-
- Build Environment
- Ambiente di Compilazione
+
+ Unable to start "%1"
+ Impossibile avviare "%1"
-
- Make Command:
- Comando Make:
-
-
-
- Build Environment:
- Ambiente di Compilazione:
-
-
-
- mkspec:
- mkspec:
-
-
-
- 0
- 0
-
-
-
- 1
- 1
-
-
-
- Values:
- Valori:
-
-
-
- Variable:
- Variabile:
-
-
-
- Import
- Importa
-
-
-
- OK
- OK
-
-
-
- Cancel
- Annulla
-
-
-
- Qt4ProjectManager::Internal::EnvVariablesPage
-
-
- Build Environments
- Ambienti di Compilazione
-
-
-
- Add...
- Aggiungi...
-
-
-
- Edit...
- Modifica...
-
-
-
- Delete
- Elimina
-
-
-
- Default mkspec:
- mkspec predefinito:
-
-
-
- Default make command:
- Comando make predefinito:
+
+ The application "%1" could not be found.
+ L'applicazione "%1" non è stata trovata.
@@ -8861,7 +9219,7 @@ al VCS (%2)?
Qt4ProjectManager::Internal::ModulesPage
-
+
Select required modules
Marca i moduli richiesti
@@ -9006,57 +9364,22 @@ al VCS (%2)?
- <b>Note:</b> Importing the settings will automatically add the Qt Version from:<br><b>%1</b> to the list of qt versions.
- <b>Nota:</b> Importando le impostazioni, si aggiungerà automaticamente la Versione di Qt in:<br><b>%1</b> alla lista della versioni di qt.
+ <b>Note:</b> Importing the settings will automatically add the Qt Version from:<br><b>%1</b> to the list of Qt versions.
+ <b>Nota:</b> Importando le impostazioni, si aggiungerà automaticamente la Versione di Qt in:<br><b>%1</b> alla lista delle Versioni di Qt.
Qt4ProjectManager::Internal::Qt4BuildEnvironmentWidget
-
- Clear system environment
- Pulisci l'ambiente di sistema
-
-
-
- &Edit
- &Modifica
-
-
-
- &Add
- &Aggiungi
-
-
-
- &Reset
- &Ripristina
-
-
-
- &Unset
- &Togli
-
-
-
+
Build Environment
Ambiente di Compilazione
-
-
- Reset
- Ripristina
-
-
-
- Remove
- Rimuovi
-
Qt4ProjectManager::Internal::Qt4PriFileNode
-
+
Failed!
Non riuscito!
@@ -9090,12 +9413,12 @@ al VCS (%2)?
Qt4ProjectManager::Internal::Qt4ProFileNode
-
+
Error while parsing file %1. Giving up.
Errore durante la lettura del file %1. Rinuncio.
-
+
Could not find .pro file for sub dir '%1' in '%2'
Impossibile trovare il file .pro della sottocartella '%1' in '%2'
@@ -9156,7 +9479,7 @@ al VCS (%2)?
Qt4ProjectManager::Internal::Qt4ProjectManagerPlugin
-
+
Run qmake
Avvia qmake
@@ -9165,8 +9488,8 @@ al VCS (%2)?
Qt4ProjectManager::Internal::Qt4RunConfiguration
-
-
+
+
Qt4RunConfiguration
Qt4RunConfiguration
@@ -9179,7 +9502,7 @@ al VCS (%2)?
Qt4ProjectManager::Internal::Qt4RunConfigurationWidget
-
+
Name:
Nome:
@@ -9188,8 +9511,18 @@ al VCS (%2)?
Executable:
Eseguibile:
+
+
+ Select the working directory
+ Selezionare la cartella di lavoro
+
+ Reset to default
+ Ripristina predefinito
+
+
+
Working Directory:
Cartella di Lavoro:
@@ -9212,7 +9545,7 @@ al VCS (%2)?
Qt4ProjectManager::Internal::QtOptionsPageWidget
-
+
<specify a name>
<specifica un nome>
@@ -9232,14 +9565,14 @@ al VCS (%2)?
Selezionare la Cartella Qt
-
+
The Qt Version %1 is not installed. Run make install
La Versione Qt %1 non è installata. Esegui make install
- %1 is not a valid qt directory
- %1 non è una cartella qt valida
+ %1 is not a valid Qt directory
+ %1 non è una cartella Qt valida
@@ -9314,6 +9647,24 @@ al VCS (%2)?
Default Qt Version:
Versione Qt Predefinita:
+
+
+ MSVC Version:
+ Versione MSVC:
+
+
+
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">Unable to detect MSVC version.</span></p></body></html>
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">Impossibile rilevare la versione di MSVC.</span></p></body></html>
+
Qt4ProjectManager::Internal::QtWizard
@@ -9463,12 +9814,7 @@ al VCS (%2)?
-
- QMAKESPEC from environment (%1) overrides mkspec of selected Qt (%2).
- La variabile QMAKESPEC dell'ambiente (%1) ridefinisce l'mkspec della Versione Qt selezionata (%2).
-
-
-
+
<font color="#0000ff">Configuration unchanged, skipping QMake step.</font>
<font color="#0000ff">La configurazione non è cambiata, salto la fase QMake.</font>
@@ -9476,7 +9822,7 @@ al VCS (%2)?
Qt4ProjectManager::Qt4Manager
-
+
Loading project %1 ...
Caricamento del progetto %1 ...
@@ -9510,7 +9856,7 @@ al VCS (%2)?
Qt4ProjectManager::QtVersionManager
-
+
<not found>
<non trovato>
@@ -9524,7 +9870,7 @@ al VCS (%2)?
QtDumperHelper
-
+
<none>
<nessuno>
@@ -9537,6 +9883,149 @@ al VCS (%2)?
+
+ QtModulesInfo
+
+
+ QtCore Module
+ Modulo QtCore
+
+
+
+ Core non-GUI classes used by other modules
+ Classi di Core, non-GUI, usate dagli altri moduli
+
+
+
+ QtGui Module
+ Modulo QtGui
+
+
+
+ Graphical user interface components
+ Componenti dell'interfaccia grafica
+
+
+
+ QtNetwork Module
+ Modulo QtNetwork
+
+
+
+ Classes for network programming
+ Classi per la programmazione della rete
+
+
+
+ QtOpenGL Module
+ Modulo QtOpenGL
+
+
+
+ OpenGL support classes
+ Classi per il supporto OpenGL
+
+
+
+ QtSql Module
+ Modulo QtSql
+
+
+
+ Classes for database integration using SQL
+ Classi per l'integrazione con database SQL
+
+
+
+ QtScript Module
+ Modulo QtScript
+
+
+
+ Classes for evaluating Qt Scripts
+ Classi per l'esecuzione di Qt Script
+
+
+
+ QtSvg Module
+ Modulo QtSvg
+
+
+
+ Classes for displaying the contents of SVG files
+ Classi per la visualizzazione del contenuto di file SVG
+
+
+
+ QtWebKit Module
+ Modulo QtWebKit
+
+
+
+ Classes for displaying and editing Web content
+ Classi per la visualizzazione e modifica del contenuto Web
+
+
+
+ QtXml Module
+ Modulo QtXml
+
+
+
+ Classes for handling XML
+ Classi per la gestione di XML
+
+
+
+ QtXmlPatterns Module
+ Modulo QtXmlPatterns
+
+
+
+ An XQuery/XPath engine for XML and custom data models
+ Un motore XQuery/XPath per XML e modelli di dati speciali
+
+
+
+ Phonon Module
+ Modulo Phonon
+
+
+
+ Multimedia framework classes
+ Classi del framework multimediale
+
+
+
+ Qt3Support Module
+ Modulo Qt3Support
+
+
+
+ Classes that ease porting from Qt 3 to Qt 4
+ Classi che facilitano il porting da Qt 3 a Qt 4
+
+
+
+ QtTest Module
+ Modulo QtTest
+
+
+
+ Tool classes for unit testing
+ Classi di ausilio per lo unit testing
+
+
+
+ QtDBus Module
+ Modulo QtDBus
+
+
+
+ Classes for Inter-Process Communication using the D-Bus
+ Classi per la comunicazione-intra-processo usando il D-Bus
+
+
QtScriptEditor::Internal::QtScriptEditorActionHandler
@@ -9549,6 +10038,10 @@ al VCS (%2)?
QtScriptEditor::Internal::QtScriptEditorPlugin
+ Creates a Qt Script file.
+ Crea un file Qt Script.
+
+
Qt Script file
File Qt Script
@@ -9559,7 +10052,7 @@ al VCS (%2)?
Qt
-
+
Run
Esegui
@@ -9742,7 +10235,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
QuickOpen::Internal::QuickOpenPlugin
-
+
Indexing
Indicizzazione
@@ -9760,7 +10253,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Configura...
-
+
Locate...
Trova...
@@ -9770,7 +10263,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Trova qui
-
+
<type here>
<scrivi qui>
@@ -9792,16 +10285,6 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Remove
Rimuovi
-
-
- Edit
- Modifica
-
-
-
- Refresh Intervall:
- Intervallo di aggiornamento:
-
min
@@ -9812,6 +10295,16 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Refresh now!
Aggiorna adesso!
+
+
+ Edit...
+ Modifica...
+
+
+
+ Refresh Interval:
+ Intervallo di aggiornamento:
+
QuickOpen::Internal::SettingsPage
@@ -9961,9 +10454,13 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
ResourceEditor::Internal::ResourceEditorPlugin
+ Creates a Qt Resource file (.qrc).
+ Crea un file di Risorse Qt (.qrc).
+
+
- Resource file
- File delle Risorse
+ Qt Resource file
+ File di Risorse Qt
@@ -10003,8 +10500,8 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
- Automatically save all Files before building
- Salva i file automaticamente prima di compilare
+ Automatically save all files before building
+ Salva i file automaticamente prima di
@@ -10227,121 +10724,6 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Log di Compilazione dell'Helper del Debug
-
- QtModulesInfo
-
- QtCore Module
- Modulo QtCore
-
-
- Core non-GUI classes used by other modules
- Classi di Core, non-GUI, usate dagli altri moduli
-
-
- QtGui Module
- Modulo QtGui
-
-
- Graphical user interface components
- Componenti dell'interfaccia grafica
-
-
- QtNetwork Module
- Modulo QtNetwork
-
-
- Classes for network programming
- Classi per la programmazione della rete
-
-
- QtOpenGL Module
- Modulo QtOpenGL
-
-
- OpenGL support classes
- Classi per il supporto OpenGL
-
-
- QtSql Module
- Modulo QtSql
-
-
- Classes for database integration using SQL
- Classi per l'integrazione con database SQL
-
-
- QtScript Module
- Modulo QtScript
-
-
- Classes for evaluating Qt Scripts
- Classi per l'esecuzione di Qt Script
-
-
- QtSvg Module
- Modulo QtSvg
-
-
- Classes for displaying the contents of SVG files
- Classi per la visualizzazione del contenuto di file SVG
-
-
- QtWebKit Module
- Modulo QtWebKit
-
-
- Classes for displaying and editing Web content
- Classi per la visualizzazione e modifica del contenuto Web
-
-
- QtXml Module
- Modulo QtXml
-
-
- Classes for handling XML
- Classi per la gestione di XML
-
-
- QtXmlPatterns Module
- Modulo QtXmlPatterns
-
-
- An XQuery/XPath engine for XML and custom data models
- Un motore XQuery/XPath per XML e modelli di dati speciali
-
-
- Phonon Module
- Modulo Phonon
-
-
- Multimedia framework classes
- Classi del framework multimediale
-
-
- Qt3Support Module
- Modulo Qt3Support
-
-
- Classes that ease porting from Qt 3 to Qt 4
- Classi che facilitano il porting da Qt 3 a Qt 4
-
-
- QtTest Module
- Modulo QtTest
-
-
- Tool classes for unit testing
- Classi di ausilio per lo unit testing
-
-
- QtDBus module
- Modulo QtDBus
-
-
- Classes for Inter-Process Communication using the D-Bus
- Classi per la comunicazione-intra-processo usando il D-Bus
-
-
Snippets::Internal::SnippetsPlugin
@@ -10375,6 +10757,11 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Arguments:
Parametri:
+
+
+ Break at 'main':
+ Interrompi su 'main'
+
StartRemoteDialog
@@ -10388,11 +10775,6 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Host and port:
Host e porta:
-
-
- localhost:5115
- localhost:5115
-
Architecture:
@@ -10461,7 +10843,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Subversion::Internal::SubversionPlugin
-
+
&Subversion
&Subversion
@@ -10470,6 +10852,11 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Add
Aggiungi
+
+
+ Add "%1"
+ Aggiungi "%1"
+
Alt+S,Alt+A
@@ -10480,11 +10867,21 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Delete
Elimina
+
+
+ Delete "%1"
+ Cancella "%1"
+
Revert
Ripristina
+
+
+ Revert "%1"
+ Ripristina "%1"
+
Diff Project
@@ -10495,6 +10892,11 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Diff Current File
Diff del file corrente
+
+
+ Diff "%1"
+ Diff "%1"
+
Alt+S,Alt+D
@@ -10510,6 +10912,11 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Commit Current File
Esegui il Commit del File Corrente
+
+
+ Commit "%1"
+ Esegui il Commit di "%1"
+
Alt+S,Alt+C
@@ -10520,11 +10927,21 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Filelog Current File
Filelog del File Corrente
+
+
+ Filelog "%1"
+ Filelog "%1"
+
Annotate Current File
Annota il File Corrente
+
+
+ Annotate "%1"
+ Annota "%1"
+
Describe...
@@ -10576,42 +10993,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Il controllo sul messaggio della nuova revisione è fallito. Vuoi creare la revisione?
-
- Add %1
- Aggiungi %1
-
-
-
- Delete %1
- Cancella %1
-
-
-
- Revert %1
- Ripristina %1
-
-
-
- Diff %1
- Diff %1
-
-
-
- Commit %1
- Esegui il Commit di %1
-
-
-
- Filelog %1
- Filelog %1
-
-
-
- Annotate %1
- Annota %1
-
-
-
+
The file has been changed. Do you want to revert it?
Il file è stato modificato. Vuoi ripristinarlo?
@@ -10621,7 +11003,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
La lista dei commit include più depositi (%1). Esegui il commit su ciascuno separatamente.
-
+
Another commit is currently being executed.
Si sta già creando eseguendo un commit.
@@ -10690,8 +11072,8 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
TextEditor::BaseFileFind
-
-
+
+
%1 found
%1 trovati
@@ -10709,7 +11091,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
TextEditor::BaseTextDocument
-
+
untitled
senza titolo
@@ -10722,12 +11104,12 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
TextEditor::BaseTextEditor
-
+
Print Document
Stampa il Documento
-
+
<b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible.
<b>Errore:</b> Impossibile decodificare "%1" con l'encoding "%2". Modifica non consentita.
@@ -10740,7 +11122,7 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
TextEditor::BaseTextEditorEditable
-
+
Line: %1, Col: %2
Riga: %1, Col: %2
@@ -10827,6 +11209,26 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Enable automatic &indentation
Abilita l'&indentazione automatica
+
+
+ Tab key performs auto-indent:
+ Il tasto Tab auto-indenta:
+
+
+
+ Never
+ Mai
+
+
+
+ Always
+ Sempre
+
+
+
+ In leading white space
+ Sugli spazi all'inizio
+
TextEditor::DisplaySettingsPage
@@ -10885,16 +11287,26 @@ Per eseguire la ricerca, scrivi questo prefisso, uno spazio e poi il termine da
Animate matching parentheses
Mostra l'animazione sulle parentesi
+
+
+ Navigation
+ Navigazione
+
+
+
+ Enable &mouse navigation
+ Abitila la navigazione con il &mouse
+
TextEditor::FontSettingsPage
-
+
Font & Colors
Font & Colori
-
+
This is only an example.
@@ -10931,6 +11343,14 @@ Queste codifiche dovrebbero andare bene:
Salva con Codifica
+
+ TextEditor::Internal::FindInCurrentFile
+
+
+ Current File
+ File Corrente
+
+
TextEditor::Internal::FindInFiles
@@ -11016,6 +11436,11 @@ Queste codifiche dovrebbero andare bene:
Preview:
Anteprima:
+
+
+ Antialias
+ Antialiasing
+
TextEditor::Internal::LineNumberFilter
@@ -11033,9 +11458,9 @@ Queste codifiche dovrebbero andare bene:
TextEditor::Internal::TextEditorPlugin
-
- This creates a new text file (.txt)
- Crea un nuovo file di testo (.txt)
+
+ Creates a text file (.txt).
+ Crea un file di testo (.txt).
@@ -11066,7 +11491,7 @@ Queste codifiche dovrebbero andare bene:
TextEditor::TextEditorActionHandler
-
+
&Undo
&Annulla
@@ -11126,17 +11551,22 @@ Queste codifiche dovrebbero andare bene:
-
+
Delete &Line
Cancella &Riga
-
+
Shift+Del
-
+
+ Cut &Line
+ Taglia &Riga
+
+
+
Collapse
Comprimi
@@ -11260,6 +11690,26 @@ Queste codifiche dovrebbero andare bene:
Ctrl+Shift+Down
+
+
+ Copy Line Up
+ Copia la Riga in Su
+
+
+
+ Ctrl+Alt+Up
+
+
+
+
+ Copy Line Down
+ Copia la Riga in Giu
+
+
+
+ Ctrl+Alt+Down
+
+
<line number>
@@ -11309,12 +11759,12 @@ Queste codifiche dovrebbero andare bene:
Riga Corrente
-
+
Current Line Number
Numero della Riga Corrente
-
+
Number
Numero
@@ -11491,7 +11941,7 @@ Queste codifiche dovrebbero andare bene:
VCSBase::VCSBaseEditor
-
+
Describe change %1
Descrivi la modifica %1
@@ -11499,7 +11949,7 @@ Queste codifiche dovrebbero andare bene:
VCSBase::VCSBaseSubmitEditor
-
+
Check message
Controlla il messaggio
diff --git a/share/qtcreator/translations/qtcreator_ja.ts b/share/qtcreator/translations/qtcreator_ja.ts
index 610f9947cb1..8edde47463e 100644
--- a/share/qtcreator/translations/qtcreator_ja.ts
+++ b/share/qtcreator/translations/qtcreator_ja.ts
@@ -6,17 +6,17 @@
Failed to load core: %1
-
+ coreプラグインの読込に失敗しました: %1
Unable to send command line arguments to the already running instance. It appears to be not responding.
-
+ 実行中のインスタンスにコマンドライン引数を送信する事ができませんでした。応答がないようです。
-
+
Couldn't find 'Core.pluginspec' in %1
-
+ %1 に 'Core.pluginspec' が見つかりませんでした
@@ -24,17 +24,17 @@
Start Debugger
-
+ デバッガ起動
Executable:
-
+ 実行可能ファイル:
Core File:
-
+ コアファイル:
@@ -42,58 +42,63 @@
Start Debugger
-
+ デバッガ起動
Attach to Process ID:
-
+ アタッチするプロセスID:
Filter:
-
+ フィルタ:
Clear
-
+ クリア
- AttachRemoteDialog
+ AttachTcfDialog
-
+
Start Debugger
-
+ デバッガの起動時の設定
- Attach to Process ID:
-
+ Host and port:
+ ホストおよびポート番号:
- Filter:
-
+ Architecture:
+ アーキテクチャ:
- ...
-
+ Use server start script:
+ サーバのスタートアップスクリプトを使用:
+
+
+
+ Server start script:
+ サーバのスタートアップスクリプト:
BINEditor::Internal::BinEditorPlugin
-
+
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
@@ -101,124 +106,124 @@
Add Bookmark
-
+ ブックマークの追加
Bookmark:
-
+ ブックマーク:
Add in Folder:
-
+ 追加先フォルダ:
+
-
+ +
New Folder
-
+ 新しいフォルダ
-
+
Bookmarks
- ブックマーク
+ ブックマーク
Delete Folder
-
+ フォルダを削除
Rename Folder
-
+ フォルダの名前変更
BookmarkManager
-
+
Bookmark
-
+ ブックマーク
Bookmarks
- ブックマーク
+ ブックマーク
Remove
- 削除
+ 削除
-
- You are going to delete a Folder, this will also<br>remove it's content. Are you sure to continue?
-
-
-
-
+
New Folder
-
+ 新しいフォルダ
+
+
+
+ You are going to delete a Folder which will also<br>remove its content. Are you sure you would like to continue?
+ フォルダを削除すると中身も削除されますが、続けてよろしいですか?
BookmarkWidget
-
+
Delete Folder
-
+ フォルダを削除
Rename Folder
-
+ フォルダの名前変更
Show Bookmark
-
+ ブックマークを開く
Show Bookmark in New Tab
-
+ ブックマークを新しいタブで開く
Delete Bookmark
-
+ ブックマークを削除
Rename Bookmark
-
+ ブックマークの名前変更
Filter:
-
+ フィルタ:
-
+
Add
- 追加
+ 追加
Remove
- 削除
+ 削除
@@ -226,17 +231,17 @@
Bookmarks
- ブックマーク
+ ブックマーク
&Remove Bookmark
-
+ ブックマークの削除(&R)
Remove all Bookmarks
-
+ すべてのブックマークを削除
@@ -244,73 +249,73 @@
&Bookmarks
-
+ ブックマーク(&B)
Toggle Bookmark
-
+ ブックマークの切り替え
Ctrl+M
-
+ Ctrl+M
Meta+M
-
+ Meta+M
Move Up
-
+ 上に移動
Move Down
-
+ 下に移動
Previous Bookmark
-
+ 前のブックマークに移動
Ctrl+,
-
+ Ctrl+,
Meta+,
-
+ Meta+,
Next Bookmark
-
+ 次のブックマークに移動
Ctrl+.
-
+ Ctrl+.
Meta+.
-
+ Meta+.
Previous Bookmark In Document
-
+ ドキュメント内の前のブックマークに移動
Next Bookmark In Document
-
+ ドキュメント内の次のブックマークに移動
@@ -318,109 +323,125 @@
Function to break on:
-
+ ブレークさせる関数:
Set Breakpoint at Function
-
+ 関数にブレークポイントを設定
BreakCondition
- Dialog
-
-
-
-
Condition:
-
+ 条件:
Ignore count:
-
+ 無視する回数:
+
+
+
+ CMakeProjectManager::Internal::CMakeBuildEnvironmentWidget
+
+
+ Build Environment
+ ビルド時の環境変数
CMakeProjectManager::Internal::CMakeBuildSettingsWidget
-
+
&Change
-
+ 変更(&C)
- CMakeProjectManager::Internal::CMakeRunConfiguration
+ CMakeProjectManager::Internal::CMakeOpenProjectWizard
-
+
+ CMake Wizard
+ CMake ウィザード
+
+
+
+ CMakeProjectManager::Internal::CMakeRunConfigurationWidget
+
+
Arguments:
- 引数:
+ 引数:
CMakeProjectManager::Internal::CMakeRunPage
-
+
Run CMake
-
+ CMake を実行
Arguments
-
+ 引数
The directory %1 does not contain a cbp file. Qt Creator needs to create this file by running cmake. Some projects require command line arguments to the initial cmake call.
-
+ ディレクトリ %1 に cbp ファイルが存在しません。cmake を実行してこのファイルを作成してください。プロジェクトによっては最初の cmake の実行にコマンドライン引数が必要になります。
- The directory %1 contains an outdated .cbp file. Qt Creator needs to update this file by running cmake. If you want to add additional command line arguments, add them in the below. Note, that cmake remembers command line arguments from the former runs.
-
+ The directory %1 contains an outdated .cbp file. Qt Creator needs to update this file by running cmake. If you want to add additional command line arguments, add them below. Note that cmake remembers command line arguments from the previous runs.
+ ディレクトリ %1 の cbp ファイルのバージョンが古すぎます。cmake を実行してファイルを更新してください。cmake 実行時にコマンドライン引数を追加したい場合には下の欄に記述してください。注意: cmake は以前に実行した際のコマンドライン引数を記憶しています。
- The directory %1 specified in a buildconfiguration, does not contain a cbp file. Qt Creator needs to recreate this file, by running cmake. Some projects require command line arguments to the initial cmake call. Note, that cmake remembers command line arguments from the former runs.
-
+ The directory %1 specified in a build-configuration, does not contain a cbp file. Qt Creator needs to recreate this file, by running cmake. Some projects require command line arguments to the initial cmake call. Note that cmake remembers command line arguments from the previous runs.
+ ビルド設定で指定されたディレクトリ %1 に cbp ファイルが存在しません。cmake を実行して cbp ファイルを再作成してください。プロジェクトによっては最初の cmake の実行にコマンドライン引数が必要になります。注意: cmake は以前に実行した際のコマンドライン引数を記憶しています。
Qt Creator needs to run cmake in the new build directory. Some projects require command line arguments to the initial cmake call.
-
+ 新しいビルドディレクトリで cmake を実行してください。プロジェクトによっては最初の cmake の実行にコマンドライン引数が必要になります。
CMakeProjectManager::Internal::CMakeSettingsPage
-
+
CMake
-
+ CMake
+
+
+
+ CMake executable
+ cmake 実行ファイル
CMakeProjectManager::Internal::InSourceBuildPage
- Qt Creator has detected an in source build. This prevents shadow builds, Qt Creator won't allow you to change the build directory. If you want a shadow build, clean your source directory and open the project again.
-
+ Qt Creator has detected an in-source-build which prevents shadow builds. Qt Creator will not allow you to change the build directory. If you want a shadow build, clean your source directory and re-open the project.
+ ソースツリー内でビルドを実行しようとしています。ソースツリー内でビルドを行なうとシャドウビルドが不可能になり、ビルドディレクトリの変更が行なえません。シャドウビルドを行なう場合にはソースディレクトリのクリーンを行い、プロジェクトを再度開いてください。
CMakeProjectManager::Internal::MakeStepConfigWidget
-
+
Additional arguments:
-
+ 追加の引数:
Targets:
-
+ ターゲット:
@@ -428,25 +449,25 @@
Please enter the directory in which you want to build your project.
-
+ プロジェクトをビルドするディレクトリを指定してください。
Please enter the directory in which you want to build your project. Qt Creator recommends to not use the source directory for building. This ensures that the source directory remains clean and enables multiple builds with different settings.
-
+ プロジェクトをビルドするディレクトリを指定してください。Qt Creator ではソースディレクトリ内でのビルドは推奨していません。ソースディレクトリとビルドディレクトリを分けることでソースをきれいに保ち、異なる設定での複数のビルドを行うことができます。
Build directory:
-
+ ビルド ディレクトリ:
CMakeProjectManager::Internal::XmlFileUpToDatePage
- Qt Creator has found a recent cbp file, which Qt Creator will parse to gather information about the project. You can change the command line arguments used to create this file in the project mode. Click finish to load the project
-
+ Qt Creator has found a recent cbp file, which Qt Creator will parse to gather information about the project. You can change the command line arguments used to create this file in the project mode. Click finish to load the project.
+ 最新の cbp ファイルが見つかりました。ファイルを解析してプロジェクトに関する情報を取得します。このプロジェクトの cbp ファイル作成時とはコマンドライン引数を変更することも可能です。「完了」をクリックしてプロジェクトを読み込んでください。
@@ -454,143 +475,78 @@
<Select Symbol>
-
+ <シンボルを選択>
<No Symbols>
-
-
-
-
- CdbDumperHelper
-
-
- Loading dumpers...
-
-
-
-
- The debugger does not appear to be Qt application.
-
-
-
-
- The dumper module appears to be already loaded.
-
-
-
-
- Dumper library '%1' loaded.
-
-
-
-
- The dumper library '%1' could not be loaded:
-%2
-
-
-
-
- <none>
-
-
-
-
- %n known types, Qt version: %1, Qt namespace: %2
-
-
-
+ <シンボルなし>
CdbOptionsPageWidget
- Form
- フォーム
-
-
-
These options take effect at the next start of Qt Creator.
-
+ これらのオプションは次回の Qt Creator の起動時から有効になります。
+
+
+
+ <html><body><p>Specify the path to the <a href="%1">Debugging Tools for Windows</a> (%n bit-version) here.</p><p><b>Note:</b> Restarting Qt Creator is required for these settings to take effect.</p></p></body></html>
+ Label text for path configuration. Singular form is not very likely to occur ;-)
+
+ <html><body><p><a href="%1">Windows 用デバッグツール</a> (%n bit版)のパスを指定してください。</p><p><b>注意:</b>この設定を反映させるためには Qt Creator の再起動が必要です。</p></p></body></html>
+
+
+
+
+ Cdb
+ Placeholder
+ Cdb
- CDB
-
+ Path:
+ パス:
- Path to "Debugging Tools for Windows":
-
+ ote: bla, blah
+ Placeholder
+
- TextLabel
-
-
-
-
- CentralWidget
-
-
- Add new page
-
+ Debugger Paths
+ デバッガのパス
-
- Print Document
- ドキュメントを印刷
+
+ Symbol paths:
+ シンボルのパス:
-
-
- unknown
- 不明
-
-
-
- Add New Page
-
-
-
-
- Close This Page
-
-
-
-
- Close Other Pages
-
-
-
-
- Add Bookmark for this Page...
-
+
+ Source paths:
+ ソースのパス:
ChangeSelectionDialog
- Dialog
-
-
-
-
Repository Location:
-
+ リポジトリ パス:
Select
-
+ 選択
Change:
-
+ リビジョン:
@@ -598,32 +554,32 @@
&CodePaster
-
+ コード ペースター(&C)
Paste Snippet...
-
+ スニペットを貼り付ける...
Alt+C,Alt+P
-
+ Alt+C,Alt+P
Fetch Snippet...
-
+ スニペットを取り出す...
Alt+C,Alt+F
-
+ Alt+C,Alt+F
Waiting for items
-
+ リスト取得中
@@ -631,12 +587,12 @@
CodePaster Error
-
+ コード ペースター エラー
Could not fetch code
-
+ コードを取得できませんでした
@@ -644,173 +600,167 @@
CodePaster Error
-
+ コード ペースター エラー
Some error occured while posting
-
+ ポスト中にエラーが発生しました
CodePaster::PasteSelectDialog
- Dialog
-
-
-
-
Paste:
-
+ 貼り付け:
CodePaster::SettingsPage
- Form
- フォーム
-
-
-
CodePaster Server:
-
+ コード ペースター サーバ:
Username:
-
+ ユーザー名:
Copy Paste URL to clipboard
-
+ 貼り付けたURLをクリップボードにコピー
Display Output Pane after sending a post
-
+ 貼り付け後にアウトプット ペインを表示
+
General
- 全般
+ 概要
-
+
CodePaster
-
+ コード ペースター
CommonOptionsPage
- Form
- フォーム
-
-
-
User interface
-
+ ユーザインターフェース
Checking this will populate the source file view automatically but might slow down debugger startup considerably.
-
+ "ソースファイル"タブのリストを自動的に計算します。ただし、デバッガの起動時間が遅くなります。
Populate source file view automatically
-
+ ソースファイルリストを自動的に計算
When this option is checked, 'Step Into' compresses several steps into one in certain situations, leading to 'less noisy' debugging. So will, e.g., the atomic
reference counting code be skipped, and a single 'Step Into' for a signal emission will end up directly in the slot connected to it.
-
+ このオプションがチェックされていると、デバッグをスムーズに行うために
+'ステップ イン'で行毎に停止する事がある程度抑止されます。
+つまり、例としてアトミックな参照カウントのコードがスキップされたり
+シグナル発行部分の'ステップ イン'で接続先のスロットまで直接進んだりします。
Skip known frames when stepping
-
-
-
-
- Checking this will make enable tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default.
-
+ ステップ実行時は既知のフレームをスキップする
Use tooltips while debugging
-
+ デバッグ中にツールチップを使用する
Maximal stack depth:
-
+ 最大スタック深度:
<unlimited>
-
+ <無制限>
+
+
+
+ Use alternating row colors in debug views
+ デバッガウィンドウで行ごとに色を変える
+
+
+
+ Checking this will enable tooltips for variable values during debugging. Since this can slow down debugging and does not provide reliable information as it does not use scope information, it is switched off by default.
+ デバッグ中に変数の値をツールチップで表示します。<br>しかしデバッグ実行の速度が低下する上に、スコープを無視した不確かな情報しか表示しない為<br>デフォルトではチェックOFFとなっています。
+
+
+
+ Enable reverse debugging
+ デバッグ時の逆実行を可能にする
CompletionSettingsPage
- Form
- フォーム
-
-
-
&Case-sensitive completion
-
-
-
-
- &Automatically insert braces
-
+ 大文字/小文字を区別(&C)
Autocomplete common &prefix
-
+ 共通のプレフィクスを自動補完(&P)
Code Completion
-
+ コード補完
Do a case-sensitive match for completion items.
-
+ 補完項目で大文字/小文字を区別します。
Automatically insert (, ) and ; when appropriate.
-
+ 必要に応じて自動的に"( )"や";"を挿入します。
Insert the common prefix of available completion items.
-
+ 共通のプレフィクスとして使用可能な補完候補を挿入します。
+
+
+
+ &Automatically insert brackets
+ 括弧を自動的に挿入(&A)
ContentWindow
-
+
Open Link
-
+ リンクを開く
Open Link in New Tab
-
+ リンクを新しいタブで開く
@@ -818,17 +768,17 @@
Unable to create the directory %1.
-
+ ディレクトリ %1 を作成できません。
Unable to open %1 for writing: %2
-
+ %1 を書込可能な状態で開けません: %2
Error while writing to %1: %2
-
+ %1 への書込中にエラーが発生しました: %2
@@ -836,314 +786,350 @@
File Generation Failure
-
+ ファイル生成エラー
-
+
Existing files
-
+ 上書き時のエラー
Failed to open an editor for '%1'.
-
+ '%1'をエディタで開けません。
[read only]
-
+ [読取専用]
[directory]
-
+ [ディレクトリ]
[symbolic link]
-
+ [シンボリック リンク]
The project directory %1 contains files which cannot be overwritten:
%2.
-
+ プロジェクト ディレクトリ %1 内のファイルを上書きできません:
+%2.
The following files already exist in the directory %1:
%2.
Would you like to overwrite them?
-
+ ディレクトリ %1 内に同名のファイルが存在しています:
+%2
+上書きしますか?
Core::EditorManager
-
-
+
+
Revert to Saved
-
+ 保存時の状態に戻す
-
+
Close
- 閉じる
+ 閉じる
Close All
-
+ すべて閉じる
+
+ Close Others
+ 他を閉じる
+
+
+
Next Document in History
-
+ 履歴内の次のドキュメントに移動
Previous Document in History
-
+ 履歴内の前のドキュメントに移動
-
- Go back
-
-
-
-
- Go forward
-
-
-
-
+
Open in External Editor
-
+ 外部エディタで開く
-
+
Revert File to Saved
-
+ ファイルを保存時の状態に戻す
Ctrl+W
-
+ Ctrl+W
Ctrl+Shift+W
-
+ Ctrl+Shift+W
-
+
Alt+Tab
-
+ Alt+Tab
Ctrl+Tab
-
+ Ctrl+Tab
Alt+Shift+Tab
-
+ Alt+Shift+Tab
Ctrl+Shift+Tab
-
+ Ctrl+Shift+Tab
Ctrl+Alt+Left
-
+ Ctrl+Alt+Left
Alt+Left
-
+ Alt+Left
Ctrl+Alt+Right
-
+ Ctrl+Alt+Right
Alt+Right
-
+ Alt+Right
Split
- 分割
+ 上下に分割
Ctrl+E,2
-
+ Ctrl+E,2
Split Side by Side
-
+ 左右に分割
Ctrl+E,3
-
+ Ctrl+E,3
Remove Current Split
-
+ 現在の分割ウィンドウを閉じる
Ctrl+E,0
-
+ Ctrl+E,0
Remove All Splits
-
+ すべての分割ウィンドウを閉じる
Ctrl+E,1
-
+ Ctrl+E,1
Goto Other Split
-
+ 他の分割ウィンドウへ移動
Ctrl+E,o
-
+ Ctrl+E,o
&Advanced
-
+ 拡張(&A)
Alt+V,Alt+I
-
+ Alt+V,Alt+I
-
+
+
Opening File
-
+ ファイルを開く
-
+
Cannot open file %1!
-
+ ファイル %1 を開けません!
-
+
Open File
- ファイルを開く
+ ファイルを開く
-
-
- Failed!
-
-
-
-
- Could not open the file for edit with SCC.
-
-
-
-
- Could not set permissions to writable.
-
-
-
-
- <b>Warning:</b> You are changing a read-only file.
-
+
+ File is Read Only
+ ファイルは読み取り専用です
- Make writable
-
+ The file %1 is read only.
+ ファイル %1 は読み取り専用です。
-
+
+ Open with VCS (%1)
+ バージョン管理システム (%1) で開く
+
+
+
+ Save as ...
+ 名前を付けて保存...
+
+
+
+
+ Failed!
+ エラー発生!
+
+
+
+ Could not set permissions to writable.
+ 書込可能なパーミッションに設定できませんでした。
+
+
+
+ <b>Warning:</b> You are changing a read-only file.
+ <b>警告:</b> 読み取り専用ファイルを変更しています。
+
+
+
+
+ Make writable
+ 書込可能にする
+
+
+
+ Go Back
+ 戻る
+
+
+
+ Go Forward
+ 進む
+
+
+
+ Could not open the file for editing with SCC.
+ ファイルを SCC で編集用に開けませんでした。
+
+
+
Save %1 As...
-
+ %1 に名前をつけて保存...
&Save %1
-
+ %1 を保存(&S)
Revert %1 to Saved
-
+ %1 を保存時の状態に戻す
Close %1
-
+ %1 を閉じる
-
+
+ Close All Except %1
+ %1 以外のすべてを閉じる
+
+
+
You will lose your current changes if you proceed reverting %1.
-
+ 元に戻すと %1 への変更内容が失われます。
Proceed
-
+ 続行
Cancel
-
+ キャンセル
-
+
<table border=1 cellspacing=0 cellpadding=3><tr><th>Variable</th><th>Expands to</th></tr><tr><td>%f</td><td>file name</td></tr><tr><td>%l</td><td>current line number</td></tr><tr><td>%c</td><td>current column number</td></tr><tr><td>%x</td><td>editor's x position on screen</td></tr><tr><td>%y</td><td>editor's y position on screen</td></tr><tr><td>%w</td><td>editor's width in pixels</td></tr><tr><td>%h</td><td>editor's height in pixels</td></tr><tr><td>%W</td><td>editor's width in characters</td></tr><tr><td>%H</td><td>editor's height in characters</td></tr><tr><td>%%</td><td>%</td></tr></table>
-
+ <table border=1 cellspacing=0 cellpadding=3><tr><th>変数</th><th>説明</th></tr><tr><td>%f</td><td>ファイル名</td></tr><tr><td>%l</td><td>カーソルのある行番号</td></tr><tr><td>%c</td><td>カーソルのある列位置</td></tr><tr><td>%x</td><td>スクリーン上のエディタのX座標</td></tr><tr><td>%y</td><td>スクリーン上のエディタのY座標</td></tr><tr><td>%w</td><td>エディタの幅(pixel)</td></tr><tr><td>%h</td><td>エディタの高さ(pixel)</td></tr><tr><td>%W</td><td>エディタの幅(文字数)</td></tr><tr><td>%H</td><td>エディタの高さ(文字数)</td></tr><tr><td>%%</td><td>%</td></tr></table>
Core::FileManager
-
+
Can't save file
-
+ ファイルの保存に失敗
Can't save changes to '%1'. Do you want to continue and loose your changes?
-
+ '%1' の変更を保存できません。変更が失われますが、続行しますか?
-
+
Overwrite?
-
+ 上書きしますか?
An item named '%1' already exists at this location. Do you want to overwrite it?
-
+ '%1' という名前のファイルは既に同じパスに存在しています。上書きしますか?
Save File As
-
+ 名前を付けて保存
@@ -1151,15 +1137,7 @@ Would you like to overwrite them?
Activate %1
-
-
-
-
- Core::Internal::CommandPrivate
-
-
- Other
-
+ %1 をアクティブにします
@@ -1167,7 +1145,7 @@ Would you like to overwrite them?
Edit
-
+ 編集
@@ -1175,96 +1153,96 @@ Would you like to overwrite them?
Split Left/Right
-
+ 左右に分割
Split Top/Bottom
-
+ 上下に分割
Unsplit
-
+ 分割解除
Default Splitter Layout
-
+ デフォルト分割レイアウト
Save Current as Default
-
+ 現在のレイアウトをデフォルトとして保存
Restore Default Layout
-
+ デフォルト レイアウトを復元
Previous Document
-
+ 前のドキュメント
Alt+Left
-
+ Alt+Left
Next Document
-
+ 次のドキュメント
Alt+Right
-
+ Alt+Right
Previous Group
-
+ 前のグループ
Next Group
-
+ 次のグループ
Move Document to Previous Group
-
+ 前のグループのドキュメントに移動
Move Document to Next Group
-
+ 次のグループのドキュメントに移動
Core::Internal::EditorView
-
+
Placeholder
- プレースホルダ
+ プレースホルダ
Close
- 閉じる
+ 閉じる
-
+
Make writable
-
+ 書込可能にする
File is writable
-
+ ファイルは書込可能です
@@ -1272,201 +1250,236 @@ Would you like to overwrite them?
General
- 全般
+ 概要
Environment
- 環境
+ 環境
Variables
-
+ 変数
+
+
+
+ General settings
+ 基本設定
+
+
+
+ User &interface color:
+ ユーザインタフェースの色(&I):
+
+
+
+ Reset to default
+ デフォルトに戻す
+
+
+
+ R
+ R
+
+
+
+ Terminal:
+ 端末:
+
+
+
+ External editor:
+ 外部エディタ:
+
+
+
+ ?
+ ?
Core::Internal::MainWindow
-
+
Qt Creator
- Qt Creator
+ Qt Creator
Output
- アウトプット
+ アウトプット
-
+
&File
- ファイル(&F)
+ ファイル(&F)
&Edit
- 編集(&E)
+ 編集(&E)
&Tools
- ツール(&T)
+ ツール(&T)
&Window
- ウィンドウ(&W)
+ ウィンドウ(&W)
&Help
- ヘルプ(&H)
+ ヘルプ(&H)
&New...
-
+ 新規作成(&N)...
&Open...
-
+ 開く(&O)...
&Open With...
-
+ 指定したエディタで開く(&O)...
Recent Files
-
+ 最近使ったファイル
&Save
-
+ 保存(&S)
Save &As...
-
+ 名前を付けて保存(&A)...
Ctrl+Shift+S
-
+ Ctrl+Shift+S
Save A&ll
-
+ すべて保存(&L)
&Print...
-
+ 印刷(&P)...
E&xit
-
+ 終了(&X)
Ctrl+Q
- Ctrl+Q
+ Ctrl+Q
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
Cu&t
-
+ 切り取り(&T)
&Copy
- コピー(&C)
+ コピー(&C)
&Paste
-
+ 貼り付け(&P)
&Select All
-
+ すべてを選択(&S)
&Go To Line...
-
+ 指定行にジャンプ(&G)...
Ctrl+L
- Ctrl+L
+ Ctrl+L
&Options...
-
+ オプション(&O)...
Minimize
-
+ 最小化
Zoom
-
+ ズーム
Show Sidebar
-
+ サイド バーを表示
Full Screen
-
+ 全画面表示
About &Qt Creator
-
+ Qt Creator について(&Q)
About &Qt Creator...
-
+ Qt Creator について(&Q)...
About &Plugins...
-
+ プラグインについて(&P)...
- New
+ New...
Title of dialog
-
+ 新規...
@@ -1474,15 +1487,15 @@ Would you like to overwrite them?
General
- 全般
+ 概要
Core::Internal::NavComboBox
-
+
Activate %1
-
+ %1 をアクティブにします
@@ -1490,12 +1503,12 @@ Would you like to overwrite them?
Split
- 分割
+ 上下に分割
Close
- 閉じる
+ 閉じる
@@ -1503,7 +1516,7 @@ Would you like to overwrite them?
Activate %1 Pane
-
+ %1 ペインをアクティブにします
@@ -1511,17 +1524,12 @@ Would you like to overwrite them?
New Project
-
+ 新しいプロジェクト
1
-
-
-
-
- TextLabel
-
+ 1
@@ -1529,7 +1537,7 @@ Would you like to overwrite them?
Open Documents
-
+ ドキュメントを開く
@@ -1537,7 +1545,7 @@ Would you like to overwrite them?
*
- *
+ *
@@ -1545,25 +1553,35 @@ Would you like to overwrite them?
Open file '%1' with:
-
+ 指定したエディタで '%1' を開く:
Core::Internal::OutputPaneManager
-
+
Output
- アウトプット
+ アウトプット
Clear
-
+ クリア
-
+
+ Next Item
+ 次の項目
+
+
+
+ Previous Item
+ 前の項目
+
+
+
Output &Panes
-
+ 出力ペイン(&P)
@@ -1571,32 +1589,32 @@ Would you like to overwrite them?
Details
-
+ 詳細
Error Details
-
+ エラーの詳細
Close
- 閉じる
+ 閉じる
Installed Plugins
-
+ インストール済みプラグイン
Plugin Details of %1
-
+ プラグイン %1 の詳細
Plugin Errors of %1
-
+ プラグイン %1 のエラー情報
@@ -1604,59 +1622,59 @@ Would you like to overwrite them?
Processes
-
+ プロセス
Core::Internal::SaveItemsDialog
-
+
Don't Save
-
+ 保存しない
-
+
Save All
-
+ すべて保存
Save
-
+ 保存
Save Selected
-
+ 選択して保存
Core::Internal::ShortcutSettings
-
+
Keyboard
-
+ キーボード
Environment
- 環境
+ 環境
-
+
Import Keyboard Mapping Scheme
-
+ キーボード マッピング スキームのインポート
Keyboard Mapping Scheme (*.kms)
-
+ キーボード マッピング スキーム (*.kms)
Export Keyboard Mapping Scheme
-
+ キーボード マッピング スキームのエクスポート
@@ -1664,116 +1682,309 @@ Would you like to overwrite them?
Split
- 分割
+ 上下に分割
Close
- 閉じる
+ 閉じる
Core::Internal::VersionDialog
-
+
About Qt Creator
-
+ Qt Creator について
-
- <h3>Qt Creator %1</h3>Based on Qt %2<br/><br/>Built on
-
+
+ From revision %1<br/>
+ This gets conditionally inserted as argument %8 into the description string.
+ リビジョン %1<br/>
+
+
+
+ <h3>Qt Creator %1</h3>Based on Qt %2 (%3 bit)<br/><br/>Built on %4 at %5<br /><br/>%8<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/>
+ <h3>Qt Creator %1</h3>Qt %2 (%3 bit)を使用<br/><br/>%4 の %5 にビルド<br /><br/>%8<br/>Copyright 2008-%6 %7. All rights reserved.<br/><br/>The program is provided AS IS with NO WARRANTY OF ANY KIND, INCLUDING THE WARRANTY OF DESIGN, MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE.<br/>
Core::Internal::WelcomeMode
-
+
+ Tutorials
+ チュートリアル
+
+
+
+ Explore Qt Examples
+ Qt のサンプルプログラムを参照
+
+
+
+ Open Recent Project
+ 最近使ったプロジェクトを開く
+
+
+
+ Resume Session
+ セッションを復元
+
+
+
+ Did You Know?
+ ご存じですか?
+
+
+
+ News From the Qt Labs
+ Qt Labsからのニュース
+
+
+
+ Qt Websites
+ Qt の Web サイト
+
+
+
+ http://labs.trolltech.com/blogs/feed
+ Add localized feed here only if one exists
+ http://labs.trolltech.com/blogs/feed
+
+
+
+ Qt Software
+ Qt Software
+
+
+
+ Qt Labs
+ Qt Labs
+
+
+
+ Qt Git Hosting
+ Qt Git ホスティング
+
+
+
+ Qt Centre
+ Qt Centre
+
+
+
+ Qt for S60 at Forum Nokia
+ Forum Nokia の Qt for S60
+
+
+
+ <b>Qt Creator - A quick tour</b>
+ <b>Qt Creator - 簡易ガイド</b>
+
+
+
+ Creating an address book
+ アドレス帳アプリの作成
+
+
+
+ Understanding widgets
+ ウィジェットを理解する
+
+
+
+ Building with qmake
+ qmake でビルドする
+
+
+
+ Writing test cases
+ テストケースを作成する
+
+
+
+ Welcome
+ ようこそ
+
+
+
%1 (last session)
-
+ %1 (最後のセッション)
+
+
+
+ Choose an example...
+ サンプルプログラムを選ぶ...
+
+
+
+ New Project...
+ 新しいプロジェクト...
+
+
+
+ Cmd
+ Shortcut key
+ Cmd
+
+
+
+ Alt
+ Shortcut key
+ Alt
+
+
+
+ You can switch between Qt Creator's modes using <tt>Ctrl+number</tt>:<ul><li>1 - Welcome</li><li>2 - Edit</li><li>3 - Debug</li><li>4 - Projects</li><li>5 - Help</li><li></li><li>6 - Output</li></ul>
+ Qt Creator のモードは<tt>Ctrl+数字</tt>キーで変更できます:<ul><li>1 - ようこそ</li><li>2 - 編集</li><li>3 - デバッグ</li><li>4 - プロジェクト</li><li>5 - ヘルプ</li><li></li><li>6 - アウトプット</li></ul>
+
+
+
+ You can show and hide the side bar using <tt>%1+0<tt>.
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ <tt>%1+0</tt>キーでサイドバーの表示/非表示を切り替えられます。
+
+
+
+ You can start Qt Creator with a session by calling <tt>qtcreator <sessionname></tt>.
+ Qt Creator の起動時にセッション名を渡す(<tt>qtcreator <セッション名>)とそのセッションを開始できます。
+
+
+
+ You can return to edit mode from any other mode at any time by hitting <tt>Escape</tt>.
+ <tt>エスケープ</tt>キーでいつでもほかのモードから編集モードに戻れます。
+
+
+
+ You can switch between the output pane by hitting <tt>%1+n</tt> where n is the number denoted on the buttons at the window bottom:<ul><li>1 - Build Issues</li><li>2 - Search Results</li><li>3 - Application Output</li><li>4 - Compile Output</li></ul>
+ %1 gets replaced by Alt (Win/Unix) or Cmd (Mac)
+ アウトプット欄は<tt>%1+数字</tt>キーで変更できます。使用する数字はウィンドウの下部のボタンに記述されています:<ul><li>1 - ビルドの問題点</li><li>2 - 検索結果</li><li>3 - アプリケーション出力</li><li>4 - コンパイル出力</li></ul>
+
+
+
+ You can quickly search methods, classes, help and more using the <a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">Locator bar</a> (<tt>Ctrl+K</tt>).
+ メソッドやクラス、ヘルプなどを素早く検索するには<a href="qthelp://com.nokia.qtcreator/doc/creator-navigation.html">クイックアクセス</a> (<tt>Ctrl+K</tt>)を使用します。
+
+
+
+ You can add custom build steps in the <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">build settings</a>.
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html">ビルド設定</a>を変更して独自のビルドステップを追加できます。
+
+
+
+ Within a session, you can add <a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">dependencies</a> between projects.
+ セッションではプロジェクト間の<a href="qthelp://com.nokia.qtcreator/doc/creator-build-settings.html#dependencies">依存関係</a>を定義できます。
+
+
+
+ You can set the preferred editor encoding for every project in <tt>Projects -> Editor Settings -> Default Encoding</tt>.
+ 各プロジェクトの編集時の文字コードは<tt>プロジェクト -> エディタの設定 -> デフォルトの文字コード</tt>で指定できます。
+
+
+
+ You can modify the binary that is being executed when you press the <tt>Run</tt> button: Add a <tt>Custom Executable</tt> by clicking the <tt>+</tt> button in <tt>Projects -> Run Settings -> Run Configuration</tt> and then select the new target in the combo box.
+ <tt>実行</tt>ボタンを押したときに実行されるファイルは<tt>プロジェクト -> 実行時の設定 -> 実行時の条件</tt>の<tt>+</tt>ボタンで<tt>カスタム実行ファイル</tt>を選択することで追加できます。追加した後に<tt>実行時の条件</tt>のコンボボックスから作成した条件を選択してください。
+
+
+
+ You can use Qt Creator with a number of <a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">revision control systems</a> such as Subversion, Perforce and Git.
+ Qt Creator では Subversion や Perforce、Git 等のさまざまな<a href="qthelp://com.nokia.qtcreator/doc/creator-version-control.html">バージョン管理システム</a>を使用できます。
+
+
+
+ In the editor, <tt>F2</tt> toggles declaration and definition while <tt>F4</tt> toggles header file and source file.
+ 編集モードでは<tt>F2</tt>キーで宣言と定義を、<tt>F4</tt>キーでヘッダファイルとソースファイルを切り替えできます。
+
+
+
+ You can fine tune the <tt>Find</tt> function by selecting "Whole Words" or "Case Sensitive". Simply click on the icons on the right end of the line edit.
+ <tt>検索</tt>機能は"単語単位で検索する"や"大文字/小文字を区別する"を選択することで目的に合わせて検索結果を調整できます。検索文字列を入力する欄の右端にあるアイコンをクリックすることで機能を選択できます。
+
+
+
+ If you add <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">external libraries</a>, Qt Creator will automatically offer syntax highlighting and code completion.
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-external-library-handling.html">外部のライブラリ</a>をプロジェクトに追加した場合、Qt Creator は自動的にシンタックスハイライトやコード補完を行います。
+
+
+
+ The code completion is CamelCase-aware. For example, to complete <tt>namespaceUri</tt> you can just type <tt>nU</tt> and hit <tt>Ctrl+Space</tt>.
+ コード補完はキャメルケースに対応しています。たとえば<tt>namespaceUrl</tt>を補完したい場合、<tt>nU</tt>と入力して<tt>Ctrl+Space</tt>を押してください。
+
+
+
+ You can force code completion at any time using <tt>Ctrl+Space</tt>.
+ <tt>Ctrl+Space</tt>を押せば任意のタイミングでコード補間を開始することができます。
Core::Internal::WelcomePage
- <style>
-h1 {
- font-size: 24px;
- font-weight: normal;
- color: #4d4d4d;
- margin-top: 0px;
- margin-bottom: 20px;
-}
-
-p {
- margin-top: 0px;
- margin-bottom: 7px;
-}
-</style>
-
-<p> </p>
-<h1>Welcome</h1>
-<!-- QTextDocument does not support line-height, so wrap the lines manually ... -->
-<p>Qt Creator is an intuitive, modern cross platform IDE that</p> <p>enables developers to create graphically appealing applications</p>
-<p>for desktop, embedded, and mobile devices. Click on <strong>Getting</strong></p>
-<p><strong>Started</strong> to begin developing with Qt Creator.</p>
-<hr style="margin-top:15px"/>
-
-
+ #gradientWidget {
+ background-color: qlineargradient(spread:pad, x1:0.5, y1:0, x2:0.5, y2:1, stop:0 rgba(247, 247, 247, 255), stop:1 rgba(215, 215, 215, 255));
+}
+ #gradientWidget {
+ background-color: qlineargradient(spread:pad, x1:0.5, y1:0, x2:0.5, y2:1, stop:0 rgba(247, 247, 247, 255), stop:1 rgba(215, 215, 215, 255));
+}
- * {
- background-image: url(":/core/images/welcomemode/btn_getting_started.png");
-}
-
-*:hover {
- background-image: url(:/core/images/welcomemode/btn_getting_started_hover.png)
+ #headerFrame {
+ border-image: url(:/core/images/welcomemode/center_frame_header.png) 0;
+ border-width: 0;
}
-
+ #headerFrame {
+ border-image: url(:/core/images/welcomemode/center_frame_header.png) 0;
+ border-width: 0;
+}
+
- #recentSessionsFrame {
-border-image: url(:/core/images/welcomemode/rc_combined.png) 8 8 8 8 stretch stretch;
-border-width: 8 8 8 8;
-}
-
-
+ Getting Started
+ Qt Creator を始めよう
- * {
- background-image: url(":/core/images/welcomemode/btn_restore_session.png");
-}
-
-*:hover {
- background-image: url(:/core/images/welcomemode/btn_restore_session_hover.png)
-}
-
-
+ Develop
+ 開発
- #bottomWidget {
-background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
-}
-
-
+ Community
+ コミュニティ
- * {
- background-image: url(":/core/images/welcomemode/btn_feedback.png");
-}
-
-*:hover {
- background-image: url(:/core/images/welcomemode/btn_feedback_hover.png)
-}
-
-
+ Examples not installed
+ サンプルプログラムがインストールされていません
+
+
+
+ Open
+ 開く
+
+
+
+ Manage Sessions...
+ セッション管理...
+
+
+
+ Create New Project...
+ 新しいセッションの作成...
+
+
+
+ Help us make Qt Creator even better
+ Qt Creator の改善にご協力ください
+
+
+
+ Feedback
+ フィードバック
@@ -1781,7 +1992,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Switch to %1 mode
-
+ %1 モードに切り替える
@@ -1790,20 +2001,21 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Exception at line %1: %2
%3
-
+ %1 行目で例外発生: %2
+%3
Unknown error
-
+ 未知のエラー
Core::StandardFileWizard
-
+
New %1
-
+ %1 の新規作成
@@ -1811,91 +2023,80 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
The class name must not contain namespace delimiters.
-
+ クラス名にはネームスペースの区切り文字を含めないでください。
Please enter a class name.
-
+ クラス名を入力してください。
The class name contains invalid characters.
-
+ クラス名に不正な文字が含まれています。
Core::Utils::ConsoleProcess
-
-
- Cannot set up comm channel: %1
-
+
+ Cannot set up communication channel: %1
+ 通信チャンネルを用意できません: %1
-
-
- Cannot create temp file: %1
-
-
-
-
-
+
Press <RETURN> to close this window...
-
-
-
-
- Cannot start terminal emulator %1.
-
-
-
-
- Cannot create temporary file: %2
-
-
-
-
- Cannot create temporary directory %1: %2
-
+ <リターン>キーを押してウィンドウを閉じてください...
- Cannot create socket %1: %2
-
+ Cannot create temporary file: %1
+ 一時ファイルを作成できません: %1
-
-
- Cannot change to working directory %1: %2
-
+
+ Cannot create temporary directory '%1': %2
+ 一時ディレクトリ '%1' を作成できません: %2
-
-
- Cannot execute %1: %2
-
+
+ Cannot change to working directory '%1': %2
+ 作業ディレクトリ '%1' に移動できません: %2
-
-
+
+ Cannot execute '%1': %2
+ '%1' を実行できません: %2
+
+
+
Unexpected output from helper program.
-
+ ヘルパプログラムからの想定外の出力。
-
+
The process '%1' could not be started: %2
-
+ プロセス '%1' を開始できません: %2
-
+
Cannot obtain a handle to the inferior: %1
-
+ 子プロセスのハンドルが取得できません: %1
Cannot obtain exit status from inferior: %1
-
+ 子プロセスの終了ステータスが取得できません: %1
+
+
+
+ Cannot start the terminal emulator '%1'.
+ 端末エミュレータ '%1' を起動できません。
+
+
+
+ Cannot create socket '%1': %2
+ ソケット '%1' を作成できません: %2
@@ -1903,22 +2104,46 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
The name must not be empty
-
+ ファイル名を空にはできません
The name must not contain any of the characters '%1'.
-
+ ファイル名に '%1' のどの文字も含めないでください。
The name must not contain '%1'.
-
+ ファイル名に '%1' を含めないでください。
The name must not match that of a MS Windows device. (%1).
-
+ ファイル名を MS Windows デバイス (%1) と一致させないでください。
+
+
+
+ Core::Utils::FileSearch
+
+
+ %1: canceled. %n occurrences found in %2 files.
+
+ %1: 中止しました。%2 個のファイルに %n 件見つかりました。
+
+
+
+
+ %1: %n occurrences found in %2 files.
+
+ %1 %2 個のファイルに %n 件見つかりました。
+
+
+
+
+ %1: %n occurrences found in %2 of %3 files.
+
+ %1: %3 個中 %2 個のファイルに %n 件見つかりました。
+
@@ -1926,62 +2151,57 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Invalid base class name
-
+ 無効な基底クラス名
Invalid header file name: '%1'
-
+ 無効なヘッダファイル名: '%1'
Invalid source file name: '%1'
-
+ 無効なソースファイル名: '%1'
Invalid form file name: '%1'
-
+ 無効なフォームファイル名: '%1'
- Dialog
-
-
-
-
Class name:
-
+ クラス名:
Base class:
-
+ 基底クラス:
Header file:
-
+ ヘッダーファイル:
Source file:
-
+ ソースファイル:
Generate form:
-
+ フォームを生成する:
Form file:
-
+ フォーム ファイル:
Path:
-
+ パス:
@@ -1989,47 +2209,75 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Choose...
-
+ 選択...
-
+
Browse...
-
+ 参照...
Choose a directory
-
+ ディレクトリを選択してください
Choose a file
-
+ ファイルを選択してください
The path must not be empty.
-
+ パスは空にはできません。
The path '%1' does not exist.
-
+ パス '%1' は存在しません。
The path '%1' is not a directory.
-
+ パス '%1' はディレクトリではありません。
The path '%1' is not a file.
-
+ パス '%1' はファイルではありません。
Path:
-
+ パス:
+
+
+
+ Core::Utils::PathListEditor
+
+
+ Insert...
+ 挿入...
+
+
+
+ Add...
+ 追加...
+
+
+
+ Delete line
+ 行削除
+
+
+
+ Clear
+ クリア
+
+
+
+ From "%1"
+ "%1"から
@@ -2037,42 +2285,32 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
<Enter_Name>
-
+ <プロジェクト名を入力してください>
The project already exists.
-
+ プロジェクトは既に存在しています。
A file with that name already exists.
-
+ 同名のファイルが既に存在しています。
- WizardPage
-
-
-
-
Introduction and project location
-
-
-
-
- TextLabel
-
+ プロジェクト名とパス
Name:
- 名前:
+ 名前:
Create in:
-
+ パス:
@@ -2080,7 +2318,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
The name must not contain the '.'-character.
-
+ プロジェクト名に '.' 文字を含めることはできません。
@@ -2088,48 +2326,56 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Subversion Submit
-
+ Subversion コミット
Des&cription
-
+ 説明(&C)
F&iles
-
+ ファイル(&I)
Core::Utils::WizardPage
- WizardPage
-
-
-
-
Choose the location
-
+ パスを選択してください
Name:
- 名前:
+ 名前:
Path:
-
+ パス:
+
+
+
+ Core::Utils::reloadPrompt
+
+
+ File Changed
+ ファイルは変更されています
+
+
+
+ The file %1 has changed outside Qt Creator. Do you want to reload it?
+ ファイル %1 は Qt Creator以外で変更されています。再読込しますか?
CppEditor::Internal::CPPEditor
-
+
Sort alphabetically
-
+ アルファベット順にソート
@@ -2137,17 +2383,17 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Enter class name
-
+ クラス名を入力してください
The header and source file names will be derived from the class name
-
+ ヘッダー ファイルとソース ファイルの名前はクラス名を元にします
Configure...
-
+ 構成...
@@ -2155,7 +2401,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Error while generating file contents.
-
+ ファイル生成中にエラーが発生。
@@ -2163,7 +2409,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
C++ Class Wizard
-
+ C++ クラス ウィザード
@@ -2171,7 +2417,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Unfiltered
-
+ フィルタなし
@@ -2179,80 +2425,70 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
C++
-
+ C++
-
- Creates a new C++ header file.
-
-
-
-
+
C++ Header File
-
+ C++ ヘッダー ファイル
-
- Creates a new C++ source file.
-
+
+ Creates a C++ header file.
+ C++ のヘッダーファイルを作成する。
+
+
+
+ Creates a C++ source file.
+ C++ のソースファイルを作成する。
C++ Source File
-
+ C++ ソース ファイル
C++ Class
-
+ C++ クラス
Creates a header and a source file for a new class.
-
+ 新しいクラスのヘッダーファイルとソースファイルを作成します。
Follow Symbol under Cursor
-
+ カーソル位置のシンボルの定義へ移動
Switch between Method Declaration/Definition
-
+ メソッドの宣言/定義を切り替えて表示
CppFileSettingsPage
- Form
- フォーム
-
-
-
- File naming conventions
-
+ File Naming Conventions
+ ファイル命名規則
Header suffix:
-
-
-
-
- This determines how the file names of the class wizards are generated ("MyClass.h" versus "myclass.h").
-
-
-
-
- Lower case file names:
-
+ ヘッダの拡張子:
Source suffix:
-
+ ソースの拡張子:
+
+
+
+ Lower case file names
+ ファイル名を小文字にする
@@ -2260,20 +2496,20 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
%1: No such file or directory
-
+ %1: そのようなファイルもしくはディレクトリはありません
CppTools
-
- File naming conventions
-
+
+ File Naming Conventions
+ ファイル命名規則
C++
-
+ C++
@@ -2281,12 +2517,12 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Completion
-
+ 補完
Text Editor
- テキスト エディタ
+ テキスト エディタ
@@ -2294,7 +2530,7 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Classes
-
+ クラス
@@ -2302,15 +2538,15 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Methods
-
+ メソッド
CppTools::Internal::CppModelManager
-
+
Indexing
-
+ 解析中
@@ -2318,244 +2554,443 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Classes and Methods
-
+ クラスとメソッド
CppTools::Internal::CppToolsPlugin
-
+
&C++
- C++(&C)
+ C++(&C)
Switch Header/Source
-
+ ヘッダー/ソースを切り替え
CppTools::Internal::FunctionArgumentWidget
-
+
%1 of %2
-
+ %1/%2
Debugger
-
+
Common
-
+ 共通
Debugger
-
+ デバッガ
+
+
+
+ <Encoding error>
+ <エンコーディングエラー>
Debugger::Internal::AttachCoreDialog
-
+
Select Executable
-
+ 実行ファイルを選択
Select Core File
-
+ コアファイルを選択
Debugger::Internal::AttachExternalDialog
-
+
Process ID
-
+ プロセスID
Name
-
+ 名前
State
-
+ 状態
-
+
Refresh
-
+ 更新
- Debugger::Internal::AttachRemoteDialog
+ Debugger::Internal::AttachTcfDialog
-
- Refresh
-
+
+ Select Executable
+ 実行ファイルを選択
Debugger::Internal::BreakHandler
-
+
+ Marker File:
+ マークされたファイル:
+
+
+
+ Marker Line:
+ マークされた行:
+
+
+
+ Breakpoint Number:
+ ブレークポイントの番号:
+
+
+
+ Breakpoint Address:
+ ブレークポイントのアドレス:
+
+
+
+ Property
+ プロパティ
+
+
+
+ Requested
+ 要求したポイント
+
+
+
+ Obtained
+ ブレークしたポイント
+
+
+
+ Internal Number:
+ 内部番号:
+
+
+
+ File Name:
+ ファイル名:
+
+
+
+ Function Name:
+ 関数名:
+
+
+
+ Line Number:
+ 行番号:
+
+
+
+ Condition:
+ 条件:
+
+
+
+ Ignore Count:
+ 無視する回数:
+
+
+
Function
- 関数
+ 関数
File
- ファイル
+ ファイル
Line
- 行番号
+ 行番号
Number
-
+ 番号
Condition
-
+ 条件
Ignore
-
+ 無視
-
+
Breakpoint will only be hit if this condition is met.
-
+ この条件を満たした時だけ有効なブレークポイントです。
Breakpoint will only be hit after being ignored so many times.
-
+ 指定された回数分、無視してから有効になるブレークポイントです。
Debugger::Internal::BreakWindow
-
+
Breakpoints
- ブレークポイント
+ ブレークポイント
-
+
Delete breakpoint
-
+ ブレークポイントの削除
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Edit condition...
-
+ 条件の編集...
Synchronize breakpoints
-
+ ブレークポイントの同期
-
+
+ Disable breakpoint
+ ブレークポイントの無効化
+
+
+
+ Enable breakpoint
+ ブレークポイントの有効化
+
+
+
+ Use short path
+ 短いパスを使用
+
+
+
+ Use full path
+ フルパスを使用
+
+
+
+ Set Breakpoint at Function...
+ 関数をブレークポイントに設定...
+
+
+
+ Set Breakpoint at Function "main"
+ "main"関数をブレークポイントに設定
+
+
+
Conditions on Breakpoint %1
- ブレークポイント(%1)の条件指定
+ ブレークポイント(%1)の条件指定
Debugger::Internal::CdbDebugEngine
-
+
Unable to load the debugger engine library '%1': %2
-
-
-
-
- Unable to resolve '%1' in the debugger engine library '%2'
-
-
-
-
- The dumper library '%1' does not exist.
-
-
-
-
- The console stub process was unable to start '%1'.
-
-
-
-
- CdbDebugEngine: Attach to core not supported!
-
-
-
-
- Debugger Running
-
+ デバッガエンジンライブラリ '%1' の読込に失敗しました: %2
- AttachProcess failed for pid %1: %2
-
+ The function "%1()" failed: %2
+ Function call failed
+ 関数 "%1()" の実行に失敗しました: %2
-
- CreateProcess2Wide failed for '%1': %2
-
+
+ Unable to resolve '%1' in the debugger engine library '%2'
+ デバッガエンジンライブラリ '%2' に関数 '%1' が見つかりません
-
+
+ The dumper library '%1' does not exist.
+ ダンパライブラリ '%1' は存在しません。
+
+
+
+ The console stub process was unable to start '%1'.
+ コンソールスタブプロセス '%1' が開始できません。
+
+
+
+ Attaching to core files is not supported!
+ コアファイルへのアタッチはサポートされていません!
+
+
+
+ Debugger running
+ デバッガ実行中
+
+
+
+ Attaching to a process failed for process id %1: %2
+ プロセスID %1 のプロセスへアタッチできません: %2
+
+
+
+ Unable to create a process '%1': %2
+ プロセス '%1' が実行できません: %2
+
+
+
Unable to assign the value '%1' to '%2': %3
-
+ '%2' へ値 '%1' を割り当てられません: %3
-
+
Cannot retrieve symbols while the debuggee is running.
-
+ デバッガの実行中にはシンボルの解決はできません。
-
+
Debugger Error
-
+ デバッガエラー
+
+
+
+ Debugger::Internal::CdbDumperHelper
+
+
+ injection
+ injection
+
+
+
+ debugger call
+ デバッガ呼び出し
+
+
+
+ Loading the custom dumper library '%1' (%2) ...
+ カスタムダンパライブラリ '%1' (%2) を読込中です...
+
+
+
+ Loading of the custom dumper library '%1' (%2) failed: %3
+ カスタムダンパライブラリ '%1' (%2) の読込に失敗しました: %3
+
+
+
+ Loaded the custom dumper library '%1' (%2).
+ カスタムダンパライブラリ '%1' (%2) を読み込みました。
+
+
+
+ Disabling dumpers due to debuggee crash...
+ デバッグ対象がクラッシュしたためダンパの使用を禁止します...
+
+
+
+ The debuggee does not appear to be Qt application.
+ デバッグ対象は Qt のアプリケーションではありません。
+
+
+
+ Initializing dumpers...
+ ダンパを初期化しています...
+
+
+
+ Custom dumper library initialized.
+ カスタムダンパライブラリを初期化しました。
+
+
+
+ The custom dumper library could not be initialized: %1
+ カスタムダンパライブラリが初期化できませんでした: %1
+
+
+
+ Querying dumpers for '%1'/'%2' (%3)
+ ダンパの確認中 '%1'/'%2' (%3)
Debugger::Internal::CdbOptionsPageWidget
-
- CDB
-
+
+ Cdb
+ Cdb
-
+
Autodetect
-
+ 自動検出
+
+
+
+ "Debugging Tools for Windows" could not be found.
+ "Windows用デバッグツール"が見つかりません。
+
+
+
+ Checked:
+%1
+ 確認したディレクトリ:
+%1
+
+
+
+ Autodetection
+ 自動検出
+
+
+
+ Debugger::Internal::CdbSymbolPathListEditor
+
+
+ Symbol Server...
+ シンボルサーバ...
+
+
+
+ Adds the Microsoft symbol server providing symbols for operating system libraries.Requires specifying a local cache directory.
+ OS のライブラリのシンボルを提供している Microsoft Symbol Serverを追加する。ローカルシンボルキャッシュのあるディレクトリの指定が必要です。
+
+
+
+ Pick a local cache directory
+ ローカルのキャッシュディレクトリを選ぶ
Debugger::Internal::DebugMode
-
+
Debug
デバッグ
@@ -2563,377 +2998,452 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Debugger::Internal::DebuggerManager
-
- Start and Debug External Application...
-
-
-
-
- Attach to Running External Application...
-
-
-
-
- Attach to Core...
-
-
-
-
+
Continue
-
+ 続行
-
+
Interrupt
-
+ 割り込み
-
+
Reset Debugger
-
+ デバッガをリセット
Step Over
-
+ ステップ オーバー
Step Into
-
+ ステップ イン
Step Over Instruction
-
+ ステップ飛ばし
Step One Instruction
-
+ ステップ実行
Step Out
-
+ ステップ アウト
Run to Line
-
+ この行まで実行
Run to Outermost Function
-
+ 最上位の関数まで実行
Jump to Line
-
+ 指定行にジャンプ
Toggle Breakpoint
-
-
-
-
- Set Breakpoint at Function...
-
-
-
-
- Set Breakpoint at Function "main"
-
+ ブレークポイントの切り替え
Add to Watch Window
-
+ 監視ウィンドウに追加
-
+
+ Reverse Direction
+ 逆方向
+
+
+
Stop requested...
-
+ 停止させようとしています...
Stopped.
- 停止しました。
+ 停止しました。
Running requested...
-
+ 実行しようとしています...
Running...
-
+ 実行しています...
-
+
+
Changing breakpoint state requires either a fully running or fully stopped application.
-
+ ブレークポイントの状態を変更するには、アプリケーションが完全に起動しているか停止している必要があります。
-
- Debugging VS executables is not supported.
-
+
+ Debugging VS executables is currently not enabled.
+ Visual Studioで作成した実行ファイルのデバッグは現在許可されていません。
-
-
+
+ The debugging helper is used to nicely format the values of Qt data types and some STL data types. It must be compiled for each Qt version which you can do in the Qt preferences page by selecting a Qt installation and clicking on 'Rebuild' for the debugging helper.
+ デバッグヘルパはQtのデータ型やSTLデータ型の値を読みやすく整形するために使用されています。ヘルパは各 Qt のバージョンごとにコンパイルする必要があります。デバッグヘルパのコンパイルは Qt の設定ページでインストールされている Qt を選択し、'リビルド'ボタンを押して行います。
+
+
+
Warning
-
+ 警告
-
- Cannot attach to PID 0
-
-
-
-
+
Cannot debug '%1': %2
-
+ %1 をデバッグできません: %2
-
+
+ Settings...
+ 設定...
+
+
+
Save Debugger Log
-
+ デバッガ ログを保存
-
+
Stop Debugger
-
+ デバッガを停止
-
+
Open Qt preferences
-
+ Qt の設定画面を開く
Turn helper usage off
-
+ デバッグヘルパを使用しない
Continue anyway
-
+ 無視して続行
Debugging helper missing
-
+ デバッグヘルパが見つかりません
The debugger did not find the debugging helper library.
-
-
-
-
- The debugging helper is used to nicely format the values of Qt data types and some STL data types. It must be compiled for each Qt version, you can do this in the Qt preferences page by selecting a Qt installation and clicking on 'Rebuild' for the debugging helper.
-
+ デバッグヘルパライブラリが見つかりませんでした。
Debugger::Internal::DebuggerOutputWindow
- Gdb
-
+ Debugger
+ デバッガ
Debugger::Internal::DebuggerPlugin
-
+
+ Option '%1' is missing the parameter.
+ オプション %1 に必要なパラメータが不足しています。
+
+
+
+ The parameter '%1' of option '%2' is not a number.
+ オプション '%2' のパラメータ '%1' が数字ではありません。
+
+
+
+ Invalid debugger option: %1
+ 無効なデバッグオプション: %1
+
+
+
+ Error evaluating command line arguments: %1
+ コマンドライン引数の評価中にエラーが発生しました: %1
+
+
+
+ Start and Debug External Application...
+ 外部アプリケーションをデバッグ実行...
+
+
+
+ Attach to Running External Application...
+ 実行中の外部アプリケーションにアタッチ...
+
+
+
+ Attach to Core...
+ コアファイルへアタッチ...
+
+
+
+ Attach to Running Tcf Agent...
+ 実行中の TCF エージェントにアタッチします...
+
+
+
+ This attaches to a running 'Target Communication Framework' agent.
+ 実行中の 'Target Communication Framework' のエージェントにアタッチします。
+
+
+
+ Start and Attach to Remote Application...
+ リモートアプリケーションを実行してアタッチ...
+
+
+
&Views
- 表示(&V)
+ 表示(&V)
Locked
-
+ 固定する
Reset to default layout
-
+ デフォルト レイアウトに戻す
-
+
Threads:
- スレッド:
+ スレッド:
-
- Toggle Breakpoint
-
+
+ Attaching to PID %1.
+ PID %1 にアタッチしています。
-
- Stop Debugger/Interrupt Debugger
-
+
+ Remove Breakpoint
+ ブレークポイントの削除
+
+
+
+ Disable Breakpoint
+ ブレークポイントの無効化
+
+
+
+ Enable Breakpoint
+ ブレークポイントの有効化
+ Set Breakpoint
+ ブレークポイントのセット
+
+
+
+ Warning
+ 警告
+
+
+
+ Cannot attach to PID 0
+ PID 0 にアタッチできません
+
+
+
+ Stop Debugger/Interrupt Debugger
+ デバッグ停止/デバッガに割り込み
+
+
+
+ Detach Debugger
+ デバッガのデタッチ
+
+
+
Reset Debugger
-
+ デバッガをリセット
Debugger::Internal::DebuggerRunner
-
+
Debug
- デバッグ
+ デバッグ
Debugger::Internal::DebuggerSettings
-
+
Debugger properties...
-
+ デバッガプロパティ...
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
-
+
+ Use alternating row colors
+ 行ごとに色を変える
+
+
+
Watch expression "%1"
-
+ 監視式 "%1"
Remove watch expression "%1"
-
+ 監視式 "%1" を削除
Watch expression "%1" in separate window
-
+ 別ウィンドウで式 "%1" を監視
Expand item
-
+ 項目を展開
Collapse item
-
+ 項目を折りたたむ
Use debugging helper
-
+ デバッグヘルパを使用する
Debug debugging helper
-
+ デバッグヘルパをデバッグする
-
+
Recheck debugging helper availability
-
+ デバッグヘルパが利用可能か再チェックする
- Syncronize breakpoints
-
+ Synchronize breakpoints
+ ブレークポイントの同期
-
+
Hexadecimal
-
+ 16進数
Decimal
-
+ 10進数
Octal
-
+ 8進数
Binary
-
+ 2進数
Raw
-
+ バイナリ
Natural
-
+ 自動
Automatically quit debugger
-
+ デバッガを自動的に終了
Use tooltips when debugging
-
+ デバッグ中にツールチップを使う
List source files
-
+ ソーフファイルの一覧を表示
Skip known frames
-
+ 既知のフレームをスキップ
+
+
+
+ Enable reverse debugging
+ デバッグ時の逆実行を可能にする
Reload full stack
-
+ すべてのスタックを再読込
Execute line
-
+ 一行実行
Debugger::Internal::DebuggingHelperOptionPage
-
+
Debugging Helper
-
+ デバッグヘルパ
Choose DebuggingHelper Location
-
+ デバッグヘルパの位置を選択
-
+
Ctrl+Shift+F11
-
+ Ctrl+Shift+F11
@@ -2941,337 +3451,468 @@ background-image: url(:/core/images/welcomemode/feedback-bar-background.png);
Address
- アドレス
+ アドレス
Symbol
-
+ シンボル
Mnemonic
-
+ ニーモニック
Debugger::Internal::DisassemblerWindow
-
+
Disassembler
-
+ 逆アセンブラ
-
+
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Reload disassembler listing
-
+ 逆アセンブルのリストを再読込
Always reload disassembler listing
-
+ 常に逆アセンブルのリストを再読込
Debugger::Internal::GdbEngine
-
+
The Gdb process failed to start. Either the invoked program '%1' is missing, or you may have insufficient permissions to invoke the program.
-
+ gdb プロセスの開始に失敗しました。gdb コマンド '%1' が見つからないか、コマンドを起動する為のパーミッションがない可能性があります。
-
+
The Gdb process crashed some time after starting successfully.
-
+ gdb プロセスは起動に成功した後、クラッシュしました。
+
The last waitFor...() function timed out. The state of QProcess is unchanged, and you can try calling waitFor...() again.
-
+ 直前のwaitFor...() 関数はタイムアウトしました。QProcessの状態に変化がありませんので、再度 waitFor...() を呼び出せます。
-
+
An error occurred when attempting to write to the Gdb process. For example, the process may not be running, or it may have closed its input channel.
-
+ gdb プロセスへの要求送信時にエラーが発生しました。プロセスが既に終了しているか、入力チャネルが閉じられてしまっている可能性があります。
An error occurred when attempting to read from the Gdb process. For example, the process may not be running.
-
+ gdb プロセスからの応答待機中にエラーが発生しました。プロセスが既に終了している可能性があります。
An unknown error in the Gdb process occurred. This is the default return value of error().
-
+ gdb プロセス起動時に不明なエラーが発生しました。これは、error()のデフォルトの戻り値です。
-
-
- Error
-
-
-
-
- Reading
-
-
-
-
- Debugger Error
-
-
-
-
- Stopping temporarily.
-
-
-
-
- Continuing after temporary stop.
-
-
-
-
- Core file loaded.
-
-
-
-
- Jumped. Stopped.
-
-
-
+
+
-
+
+ Error
+ エラー
+
+
+
+ Debugger Error
+ デバッガエラー
+
+
+
+ Stopping temporarily.
+ 一時停止中です。
+
+
+
+ Continuing after temporary stop.
+ 一時停止後の継続中です。
+
+
+
+ Core file loaded.
+ コアファイルを読み込みました。
+
+
+
+ Jumped. Stopped.
+ ジャンプして停止しました。
+
+
+
+
Run to Function finished. Stopped.
-
+ 指定された関数まで実行し、停止しました。
-
- Temporarily stopped.
-
-
-
-
- Handling queued commands.
-
-
-
-
+
Loading %1...
-
+ %1 を読み込んでいます...
-
+
Stopped at breakpoint.
-
+ ブレークポイントで停止。
-
+
Stopped: "%1"
-
+ 停止: "%1"
-
+
The debugger you are using identifies itself as:
-
+ 使用中のデバッガ:
This version is not officially supported by Qt Creator.
Debugging will most likely not work well.
Using gdb 6.7 or later is strongly recommended.
-
+ このバージョンのgdbはQt Creatorで公式にサポートされていません。
+デバッグ実行は、ほとんど正しく動作しない可能性があります。
+gdb 6.7以降をお使いになる事を強く推奨します。
-
-
+
+
Starting executable failed:
-
+ 実行ファイルの開始に失敗しました:
+
-
- Running...
-
+
+ The upload process failed to start. Either the invoked script '%1' is missing, or you may have insufficient permissions to invoke the program.
+ アップロードに失敗しました。実行するスクリプト '%1' が存在しないか、実行する権限がないため、プロセスが開始できません。
-
+
+ The upload process crashed some time after starting successfully.
+ アップロードの開始後にプロセスがクラッシュしました。
+
+
+
+ An error occurred when attempting to write to the upload process. For example, the process may not be running, or it may have closed its input channel.
+ アップロードプロセスへの書き込み時にエラーが発生しました。プロセスが動作していないか、入力チャネルが閉じられている可能性があります。
+
+
+
+ An error occurred when attempting to read from the upload process. For example, the process may not be running.
+ アップロードプロセスからの読み込み時にエラーが発生しました。アップロードプロセスが動作していない可能性があります。
+
+
+
+ An unknown error in the upload process occurred. This is the default return value of error().
+ アップロードプロセスで不明なエラーが発生しました。error()がデフォルト値で呼び出されている場合などに生じるエラーです。
+
+
+
+ Library %1 loaded.
+ ライブラリ '%1' を読み込みました。
+
+
+
+ Library %1 unloaded.
+ ライブラリ '%1' を解放しました。
+
+
+
+ Thread group %1 created.
+ スレッドグループ %1 を作成しました。
+
+
+
+ Thread %1 created.
+ スレッド %1 を作成しました。
+
+
+
+ Thread group %1 exited.
+ スレッドグループ %1 を終了しました。
+
+
+
+ Thread %1 in group %2 exited.
+ スレッドグループ %2 のスレッド %1 を終了しました。
+
+
+
+ Thread %1 selected.
+ スレッド %1 を選択しました。
+
+
+
+ Reading %1...
+ %1 を読み込み中...
+
+
+
+ Program exited with exit code %1
+ プログラムは終了コード %1 で終了しました
+
+
+
+ Program exited after receiving signal %1
+ シグナル %1 を受けてプログラムが終了しました。
+
+
+
+ Program exited normally
+ プログラムは正常に終了しました。
+
+
+
+ Processing queued commands.
+ キューイングされたコマンドを処理しています。
+
+
+
+ Stopped.
+ 停止しました。
+
+
+
Debugger Startup Failure
-
+ デバッガの起動に失敗
Cannot set up communication with child process: %1
-
+ 子プロセスと通信できません: %1
Starting Debugger:
-
+ デバッガを起動中:
Cannot start debugger: %1
-
+ デバッガの起動に失敗: %1
Gdb Running...
-
+ Gdb 実行中...
-
+
Cannot find debugger initialization script
-
+ デバッガ初期化スクリプトが見つかりません
The debugger settings point to a script file at '%1' which is not accessible. If a script file is not needed, consider clearing that entry to avoid this warning.
-
+ デバッガに設定されたスクリプトファイル '%1' にアクセスできません。もしスクリプトファイルが不要でしたら、スクリプトファイルの設定を消去してみてください。そうすればこの警告が出るのを回避できます。
-
+
Attached to running process. Stopped.
-
+ 実行中のプロセスにアタッチしました。停止中です。
-
+
+ Connecting to remote server failed:
+ リモートサーバへの接続に失敗しました。
+
+
+
Debugger exited.
-
+ デバッガを終了しました。
-
+
<could not retreive module information>
-
+ <モジュール情報を取得できません>
Unable to run '%1': %2
-
+ '%1' を実行できません: %2
-
-
+
+ <unknown>
+ End address of loaded module
+ <不明>
+
+
+
+
Retrieving data for stack view...
-
+ スタック ビュー用のデータを受信しています...
-
+
'%1' contains no identifier
-
+ '%1' に識別子が見つかりません
String literal %1
-
+ 文字列リテラル %1
Cowardly refusing to evaluate expression '%1' with potential side effects
-
+ 副作用の可能性があるため、式 '%1' の評価を行いません
-
-
- Retrieving data for watch view (%1 requests pending)...
-
+
+ <not in scope>
+ Variable
+ <スコープ範囲外>
+
+
+
+ Retrieving data for watch view (%n requests pending)...
+
+ 監視ビュー用のデータを受信しています (%n 件の要求が保留中です)...
+
+
+
+
+ %n custom dumpers found.
+
+ %n 個のカスタムダンパが見つかりました。
+
-
+
+ <0 items>
+ <項目なし>
+
+
+
+ <%n items>
+ In string list
+
+ <%n 個の項目>
+
+
+
+
+ Dumper injection loading triggered (%1)...
+ ダンパ (%1) をインジェクションで読み込んでいます...
+
+
+
+ Dumper loading (%1) failed: %2
+ ダンパ ('%1') の読込に失敗しました: %2
+
+
+
+ Loading dumpers via debugger call (%1)...
+ ダンパ (%1) をデバッグ呼び出しで読み込んでいます...
+
+
+
Finished retrieving data.
-
+ データの受信が完了しました。
Cannot evaluate expression: %1
-
+ 式が評価できません: %1
-
+
Debugging helpers not found.
-
+ デバッグヘルパが見つかりません。
-
- %1 custom dumpers found.
-
-
-
-
+
Custom dumper setup: %1
-
+ カスタム ダンパー 設定: %1
-
-
- <unavailable>
-
-
-
-
- <%1 items>
-
-
-
-
+
%1 <shadowed %2>
-
+ Variable %1 <FIXME: does something - bug Andre about it>
+ %1 <%2 個の隠された変数>
+
+
+
+ <shadowed>
+ Type of variable <FIXME: what? bug Andre about it>
+ <隠された変数>
<n/a>
-
+ <N/A>
-
+
+ <anonymous union>
+ <無名の共用体>
+
+
+
<no information>
-
+ About variable's value
+ <不明>
Unknown error:
-
+ 未知のエラー:
-
+
+ %1 is a typedef.
+ %1 は typedef です。
+
+
+
Retrieving data for tooltip...
-
+ ツールチップ用のデータを受信しています...
-
+
The dumper library '%1' does not exist.
-
+ ダンパライブラリ '%1' は存在しません。
Debugger::Internal::GdbOptionsPage
-
+
Gdb
-
+ gdb
Choose Gdb Location
-
+ gdb のパスを選択してください
Choose Location of Startup Script File
-
+ 起動スクリプトのパスを選択してください
@@ -3279,105 +3920,105 @@ Using gdb 6.7 or later is strongly recommended.
Module name
-
+ モジュール名
Symbols read
-
+ シンボル有無
Start address
-
+ 開始アドレス
- End addAress
-
+ End address
+ 終端アドレス
Debugger::Internal::ModulesWindow
-
+
Modules
-
+ モジュール
-
+
Update module list
-
+ モジュールリストをアップデート
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Show source files for module "%1"
-
+ モジュール "%1" のソースファイルを表示
Load symbols for all modules
-
+ すべてのモジュールのシンボルを読み込む
Load symbols for module
-
+ モジュールのシンボルを読み込む
Edit file
-
+ ファイルを編集
Show symbols
-
+ シンボルを表示
Load symbols for module "%1"
-
+ モジュール "%1" のシンボルを読み込む
Edit file "%1"
-
+ ファイル "%1" を編集
Show symbols in file "%1"
-
+ ファイル "%1" のシンボルを表示
Address
- アドレス
+ アドレス
Code
-
+ コード
Symbol
-
+ シンボル
Symbols in "%1"
-
+ "%1" のシンボル
@@ -3385,81 +4026,81 @@ Using gdb 6.7 or later is strongly recommended.
Cannot create temporary file: %2
-
+ 一時ファイルを作成できません: %2
Cannot create FiFo %1: %2
-
+ FiFo %1 を作成できません: %2
Cannot open FiFo %1: %2
-
+ FiFo %1 を開けません: %2
Debugger::Internal::RegisterHandler
-
+
Name
-
+ 名前
Value
- 値
+ 値
Debugger::Internal::RegisterWindow
-
+
Registers
-
+ レジスタ
-
+
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Reload register listing
-
+ レジスタのリストを再読込
Always reload register listing
-
+ 常にレジスタのリストを再読込
Debugger::Internal::ScriptEngine
-
+
'%1' contains no identifier
-
+ '%1' に識別子が見つかりません
String literal %1
-
+ 文字列リテラル %1
Cowardly refusing to evaluate expression '%1' with potential side effects
-
+ 副作用の可能性があるため、式 '%1' の評価を行いません
Stopped.
- 停止しました。
+ 停止しました。
@@ -3467,120 +4108,165 @@ Using gdb 6.7 or later is strongly recommended.
Internal name
-
+ 内部名
Full name
-
+ 完全名
Debugger::Internal::SourceFilesWindow
-
+
Source Files
-
+ ソース ファイル
-
+
Reload data
-
+ データを再読込
Open file
-
+ ファイルを開く
Open file "%1"'
-
+ ファイル "%1" を開く
Debugger::Internal::StackHandler
-
+
...
-
+ ...
<More>
+ <さらに>
+
+
+
+ Address:
+ アドレス:
+
+
+
+ Function:
+ 関数:
+
+
+
+ File:
+ ファイル:
+
+
+
+ Line:
+ 行番号:
+
+
+
+ From:
-
- <table><tr><td>Address:</td><td>%1</td></tr><tr><td>Function: </td><td>%2</td></tr><tr><td>File: </td><td>%3</td></tr><tr><td>Line: </td><td>%4</td></tr><tr><td>From: </td><td>%5</td></tr></table><tr><td>To: </td><td>%6</td></tr></table>
- Tooltip for variable
+
+ To:
-
+
Level
-
+ 階層
Function
- 関数
+ 関数
File
- ファイル
+ ファイル
Line
- 行番号
+ 行番号
Address
- アドレス
+ アドレス
Debugger::Internal::StackWindow
-
+
Stack
-
+ スタック
-
+
Copy contents to clipboard
-
+ 内容をクリップボードにコピー
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Debugger::Internal::StartExternalDialog
-
+
Select Executable
-
+ 実行ファイルを選択
Executable:
-
+ 実行ファイル:
Arguments:
- 引数:
+ 引数:
+
+
+
+ Debugger::Internal::StartRemoteDialog
+
+
+ Select Executable
+ 実行ファイルを選択
+
+
+
+ Debugger::Internal::TcfEngine
+
+
+ %1.
+ %1.
+
+
+
+ Stopped.
+ 停止しました。
@@ -3588,30 +4274,30 @@ Using gdb 6.7 or later is strongly recommended.
Thread: %1
-
+ スレッド: %1
Thread ID
-
+ スレッドID
Debugger::Internal::ThreadsWindow
-
+
Thread
-
+ スレッド
-
+
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
@@ -3619,88 +4305,115 @@ Using gdb 6.7 or later is strongly recommended.
<not in scope>
-
+ <スコープ範囲外>
Debugger::Internal::WatchHandler
-
+
+ Expression
+ 式
+
+
+
+ ... <cut off>
+ ... <省略>
+
+
+
+ Object Address
+ オブジェクトアドレス
+
+
+
+ Stored Address
+ 格納アドレス
+
+
+
+ iname
+ 内部名
+
+
+
Root
-
+ ルート
Locals
-
+ ローカル
Tooltip
-
+ ツールチップ
Watchers
-
+ 監視式
-
+
Name
-
+ 名前
-
+
+
Value
- 値
+ 値
-
+
+
Type
- 型
+ 型
<No Locals>
-
+ <ローカル変数なし>
<No Tooltip>
-
+ <ツールチップなし>
<No Watchers>
-
+ <監視式なし>
Debugger::Internal::WatchWindow
-
+
Locals and Watchers
-
+ ローカル変数と監視式
-
+
Adjust column widths to contents
-
+ 内容に合わせて列幅を調整
Always adjust column widths to contents
-
+ 常に内容に合わせて列幅を調整
Insert new watch item
-
+ 新しい監視式を挿入
<Edit>
-
+ <編集>
@@ -3708,87 +4421,81 @@ Using gdb 6.7 or later is strongly recommended.
Clear contents
-
+ 内容をクリア
Save contents
-
+ 内容を保存
DebuggingHelperOptionPage
- Form
- フォーム
-
-
-
- Debugging Helper
-
-
-
-
This will enable nice display of Qt and Standard Library objects in the Locals&Watchers view
-
+ デバッグヘルパはローカル変数と監視式での Qt や STL の変数の値の表示を改善します。
Use debugging helper
-
+ デバッグヘルパを使用する
This will load a dumper library
-
+ このオプションをチェックするとダンパライブラリを読み込むようになります
Use debugging helper from custom location
-
+ 指定した場所からデバッグヘルパを使用する
Location:
-
+ パス:
Debug debugging helper
-
+ デバッグヘルパをデバッグする
+
+
+
+ Debugging helper
+ デバッグヘルパ
DependenciesModel
-
+
Unable to add dependency
-
+ 依存関係の追加不可
This would create a circular dependency.
-
+ 循環依存を作り出してしまいます。
Designer
-
-
- file name is empty
-
+
+ The file name is empty.
+ ファイル名が未入力です。
-
+
XML error on line %1, col %2: %3
-
+ XML の %1 行目 %2 桁目 に誤りがあります: %3
- no <RCC> root element
-
+ The <RCC> root element is missing.
+ <RCC> にルート要素がありません。
@@ -3796,20 +4503,12 @@ Using gdb 6.7 or later is strongly recommended.
Action editor
-
+ アクション エディタ
Signals and slots editor
-
-
-
-
- Designer::Internal::FormClassWizard
-
-
- Internal error: FormClassWizard::generateFiles: empty template contents
-
+ シグナル/スロット エディタ
@@ -3817,7 +4516,7 @@ Using gdb 6.7 or later is strongly recommended.
Qt Designer Form Class
-
+ Qt デザイナ フォーム クラス
@@ -3825,85 +4524,80 @@ Using gdb 6.7 or later is strongly recommended.
%1 - Error
-
+ %1 - エラー
Choose a class name
-
+ クラス名を選択してください
Class
-
+ クラス
More
-
+ さらに
Embedding of the UI class
-
+ UIクラスの埋め込み方法
Aggregation as a pointer member
-
-
-
-
- buttonGroup
-
+ 個々のメンバとして集合体
Aggregation
-
+ 集合体
Multiple Inheritance
-
+ 複合継承
Support for changing languages at runtime
-
+ 実行時の言語変更をサポートする
Configure...
-
+ 構成...
Designer::Internal::FormEditorPlugin
-
+
Qt
-
+ Qt
Qt Designer Form
- Qt デザイナ フォーム
+ Qt デザイナ フォーム
- This creates a new Qt Designer form file.
-
+ Creates a Qt Designer form file (.ui).
+ Qt デザイナ フォーム ファイル(.ui)を作成します(フォームのみを作成)。
-
+
+ Creates a Qt Designer form file (.ui) with a matching class.
+ Qt デザイナ フォーム ファイル(.ui)とそのフォームに対応するクラスを作成します。
+
+
+
Qt Designer Form Class
-
-
-
-
- This creates a new Qt Designer form class.
-
+ Qt デザイナ フォーム クラス
@@ -3911,127 +4605,127 @@ Using gdb 6.7 or later is strongly recommended.
Designer widgetbox
-
+ デザイナ ウィジェット ボックス
Object inspector
-
+ オブジェクト インスペクタ
Property editor
-
+ プロパティ エディタ
Signals and slots editor
-
+ シグナル/スロット エディタ
Action editor
-
+ アクション エディタ
For&m editor
-
+ フォーム エディタ(&M)
Edit widgets
-
+ ウィジェットの編集
F3
-
+ F3
Edit signals/slots
-
+ シグナル/スロットの編集
F4
-
+ F4
Edit buddies
-
+ buddyの編集
Edit tab order
-
+ タブ順序の編集
Meta+H
-
+ Meta+H
Ctrl+H
-
+ Ctrl+H
Ctrl+L
- Ctrl+L
+ Ctrl+L
Meta+L
-
+ Meta+L
Meta+G
-
+ Mega+G
Ctrl+G
-
+ Ctrl+G
Meta+J
-
+ Mega+J
Ctrl+J
-
+ Ctrl+J
Ctrl+Alt+R
-
+ Ctrl+Alt+R
About Qt Designer plugins....
-
+ Qt Designer プラグインについて...
Preview in
-
+ プレビュー
Designer
-
+ デザイナ
- The image could not be create: %1
-
+ The image could not be created: %1
+ 画像を作成できません: %1
@@ -4039,20 +4733,20 @@ Using gdb 6.7 or later is strongly recommended.
Choose a form template
-
+ フォーム テンプレートを選択してください
%1 - Error
-
+ %1 - エラー
Designer::Internal::FormWindowEditor
-
+
untitled
- 無題
+ 無題
@@ -4060,17 +4754,17 @@ Using gdb 6.7 or later is strongly recommended.
Error saving %1
-
+ %1 の保存中にエラーが発生
Unable to open %1: %2
-
+ %1 を開けません: %2
Unable to write to %1: %2
-
+ %1 に書き込めません: %2
@@ -4078,15 +4772,7 @@ Using gdb 6.7 or later is strongly recommended.
Qt Designer Form
- Qt デザイナ フォーム
-
-
-
- Designer::Internal::SettingsPage
-
-
- Designer
-
+ Qt デザイナ フォーム
@@ -4094,152 +4780,173 @@ Using gdb 6.7 or later is strongly recommended.
The class definition of '%1' could not be found in %2.
-
+ %2 に '%1' のクラス定義が見つかりませんでした。
Error finding/adding a slot.
-
+ スロットの検索中または追加中にエラーが発生しました。
No documents matching '%1' could be found.
Rebuilding the project might help.
-
+ '%1' に適合するドキュメントが見つかりません。プロジェクトのリビルドで問題が解決する可能性があります。
Unable to add the method definition.
-
+ メソッド定義を追加できません。
+
+
+
+ Designer::Internal::SettingsPage
+
+
+ Designer
+ デザイナ
DocSettingsPage
- Form
- フォーム
-
-
-
Registered Documentation
-
+ 登録済みドキュメント
Add...
-
+ 追加...
Remove
- 削除
+ 削除
+
+
+
+ DuiEditor::Internal::DuiEditorPlugin
+
+
+ Creates a Qt QML file.
+ Qt QML ファイルを作成します。
+
+
+
+ Qt QML File
+ Qt QML ファイル
+
+
+
+ Qt
+ Qt
+
+
+
+ DuiEditor::Internal::ScriptEditor
+
+
+ <Select Symbol>
+ <シンボルを選択>
+
+
+
+ Rename...
+ 名前を変更...
+
+
+
+ New id:
+ 新しい ID:
+
+
+
+ Rename id '%1'...
+ ID '%1' の名前を変更...
EmbeddedPropertiesPage
- Form
- フォーム
+ Skin:
+ スキン:
Use Virtual Box
Note: This adds the toolchain to the build environment and runs the program inside a virtual machine.
-It also automatically sets the correct qt version.
-
-
-
-
- Skin:
-
+It also automatically sets the correct Qt version.
+ Virtual Box を使用する
+注意: このオプションは、仮想マシン内のプログラムのビルド環境および実行環境にツールチェインを追加します。
+自動的に正しい Qt バージョン がセットされます。
ExtensionSystem::Internal::PluginDetailsView
- Form
- フォーム
-
-
-
Name:
- 名前:
-
-
-
- TextLabel
-
+ 名前:
Version:
-
+ バージョン:
Compatibility Version:
-
+ 互換性のあるバージョン:
Vendor:
-
+ ベンダー:
Url:
-
+ URL:
Location:
-
+ パス:
Description:
-
+ 説明:
Copyright:
-
+ Copyright:
License:
-
+ ライセンス:
Dependencies:
-
+ 依存関係:
ExtensionSystem::Internal::PluginErrorView
- Form
- フォーム
-
-
-
State:
-
-
-
-
- TextLabel
-
+ 状態:
Error Message:
-
+ エラー メッセージ:
@@ -4247,50 +4954,45 @@ It also automatically sets the correct qt version.
File does not exist: %1
-
+ ファイルが見つかりません: %1
Could not open file for read: %1
-
+ ファイルを読み込もうとした所、開けませんでした: %1
Error parsing file %1: %2, at line %3, column %4
-
+ ファイル %1 の %3 行目 %4 桁目を解析中にエラー: %2
ExtensionSystem::Internal::PluginView
- Form
- フォーム
-
-
-
State
-
+ 状態
Name
-
+ 名前
Version
-
+ バージョン
Vendor
-
+ ベンダー
Location
-
+ パス
@@ -4298,82 +5000,82 @@ It also automatically sets the correct qt version.
Invalid
-
+ 無効
Description file found, but error on read
-
+ 説明ファイルが見つかりましたが、読み込み中にエラーが発生しました
Read
-
+ 読込済み
Description successfully read
-
+ 説明ファイルの読み込みに成功しました
Resolved
-
+ 解決済み
Dependencies are successfully resolved
-
+ 依存関係を正しく解決できました
Loaded
-
+ 読込済み
Library is loaded
-
+ ライブラリが読み込まれました
Initialized
-
+ 初期化済み
Plugin's initialization method succeeded
-
+ プラグインの初期化メソッドが成功しました
Running
-
+ 実行中
Plugin successfully loaded and running
-
+ プラグインの読込および実行に成功しました
Stopped
-
+ 停止済み
Plugin was shut down
-
+ プラグインは終了しました
Deleted
-
+ 削除済み
- Plugin ended it's life cycle and was deleted
-
+ Plugin ended its life cycle and was deleted
+ プラグインはライフサイクルに従って終了し、削除されました
@@ -4382,262 +5084,260 @@ It also automatically sets the correct qt version.
Circular dependency detected:
-
+ 循環依存が見つかりました:
+
%1(%2) depends on
-
+ %1(%2) の依存先
+
%1(%2)
-
+ %1(%2)
Cannot load plugin because dependencies are not resolved
-
+ 依存関係が解決されていない為、プラグインを読み込めません
Cannot load plugin because dependency failed to load: %1(%2)
Reason: %3
-
+ %3 の理由により依存する %1(%2) を読み込めなかった為、プラグインを読み込めません
+
+
+
+ FakeVim::Internal
+
+
+ Toggle vim-style editing
+ Vim スタイルでの編集の切り替え
+
+
+
+ FakeVim properties...
+ FakeVim プロパティ...
FakeVim::Internal::FakeVimHandler
-
+
%1,%2
-
+ %1,%2
%1
-
+ %1
Not implemented in FakeVim
-
+ FakeVim では実装していません
-
-
+
+
E20: Mark '%1' not set
-
+ E20: マーク '%1' はセットされていません
-
+
File '%1' exists (add ! to override)
-
+ ファイル '%1' は既に存在します ( ! を付け加えれば上書き)
Cannot open file '%1' for writing
-
+ 書き込み用にファイル '%1' を開けません
"%1" %2 %3L, %4C written
-
+ "%1" %2 %3L, %4C 書き込みました
-
+
Cannot open file '%1' for reading
-
+ 読み込み用にファイル '%1' を開けません
"%1" %2L, %3C
-
+ "%1" %2L, %3C
-
+
- %1 lines filtered
-
+ %n lines filtered
+
+ %n 行、フィルタしました
+
-
+
- %1 lines >ed %2 time
-
+ %n lines >ed %1 time
+
+ %n 行を %1 回右シフト(>)しました
+
-
+
E512: Unknown option:
-
+ E512: 不明なプション:
-
+
E492: Not an editor command:
-
+ E492: エディタのコマンドではありません:
search hit BOTTOM, continuing at TOP
-
+ 末尾まで到達したため、先頭から検索しました
search hit TOP, continuing at BOTTOM
-
+ 先頭まで到達したため、末尾から検索しました
E486: Pattern not found:
-
+ E486: パターンが見つかりません:
Already at oldest change
-
+ これ以上、元に戻せません
-
+
Already at newest change
-
+ これ以上、やり直せません
FakeVim::Internal::FakeVimOptionPage
-
+
General
- 全般
+ 概要
FakeVim
-
+ FakeVim
FakeVim::Internal::FakeVimPluginPrivate
-
-
+
+
Quit FakeVim
-
+ FakeVim を終了する
FakeVim Information
-
+ FakeVim 情報
FakeVimOptionPage
- Form
- フォーム
-
-
-
Use FakeVim
-
+ FakeVim を使用する
Vim style settings
-
+ Vim スタイルの設定
vim's "expandtab" option
-
+ vim の "expandtab" オプション
Expand tabulators:
-
+ タブを展開する:
Highlight search results:
-
+ 検索結果をハイライトする:
Shift width:
-
+ シフト幅:
Smart tabulators:
-
+ スマートタブを使用する:
Start of line:
-
+ ページアップ/ダウン時に行頭に移動する:
vim's "tabstop" option
-
+ vim の "tabstop" オプション
Tabulator size:
-
+ タブの幅
Backspace:
-
+ Backspace:
VIM's "autoindent" option
-
+ vim の "autoindent" オプション
Automatic indentation:
-
+ 自動的にインデントする:
Copy text editor settings
-
+ テキストエディタの設定をコピー
Set Qt style
-
+ Qt のスタイルに設定
Set plain style
-
-
-
-
- FileSearch
-
-
-
- %1: canceled. %2 occurrences found in %3 files.
-
+ 素のスタイルに設定
-
-
- %1: %2 occurrences found in %3 of %4 files.
-
-
-
-
-
- %1: %2 occurrences found in %3 files.
-
+
+ Incremental search:
+ インクリメンタルサーチ:
@@ -4645,45 +5345,40 @@ Reason: %3
Add Filter Name
-
+ フィルタ名を追加
Filter Name:
-
+ フィルタ名:
FilterSettingsPage
- Form
- フォーム
-
-
-
Filters
-
-
-
-
- Attributes:
-
+ フィルタ
1
-
+ 1
Add
- 追加
+ 追加
Remove
- 削除
+ 削除
+
+
+
+ Attributes
+ 属性
@@ -4691,113 +5386,118 @@ Reason: %3
Search for...
-
+ 検索...
Sc&ope:
-
+ 範囲(&O):
&Search
-
+ 検索(&S)
Search &for:
-
+ 検索文字列(&F):
Close
- 閉じる
+ 閉じる
&Case sensitive
-
+ 大文字/小文字を区別する(&C)
&Whole words only
-
+ 単語単位で検索する(&W)
Find::Internal::FindPlugin
-
+
&Find/Replace
-
+ 検索/置換(&F)
Find Dialog
-
+ 検索ダイアログ
Ctrl+Shift+F
-
+ Ctrl+Shift+F
Find::Internal::FindToolBar
-
+
Current Document
-
+ 現在のドキュメント
Enter Find String
-
+ 検索する文字列を入力
Ctrl+E
-
+ Ctrl+E
Find Next
-
+ 次を検索
Find Previous
-
+ 前を検索
Replace && Find Next
-
+ 置換して次を検索
Ctrl+=
-
+ Ctrl+=
Replace && Find Previous
-
+ 置換して前を検索
Replace All
-
+ すべて置換
Case Sensitive
-
+ 大文字/小文字を区別する
Whole Words Only
-
+ 単語単位で検索
+
+
+
+ Use Regular Expressions
+ 正規表現を使用
@@ -4805,22 +5505,22 @@ Reason: %3
Find
-
+ 検索
Find:
-
+ 検索文字列:
Replace with:
-
+ 置換文字列:
All
-
+ すべて
@@ -4828,158 +5528,98 @@ Reason: %3
Search Results
-
+ 検索結果
-
+
No matches found!
-
+ 見つかりませんでした!
Expand All
-
-
-
-
- GdbOptionPage
-
- Form
- フォーム
+ すべて展開
GdbOptionsPage
-
- Form
- フォーム
-
-
-
+
Gdb interaction
-
-
-
-
- This is either a full abolute path leading to the gdb binary you intend to use or the name of a gdb binary that will be searched in your PATH.
-
+ Gdb の設定
Gdb location:
-
+ Gdb のパス:
Environment:
-
+ 環境:
This is either empty or points to a file containing gdb commands that will be executed immediately after gdb starts up.
-
+ ここは空にしておくか、gdb 起動後、直接実行される gdb コマンドを含むファイルへのパスを指定して下さいされます。
Gdb startup script:
-
+ Gdb のスタートアップスクリプト:
Behaviour of breakpoint setting in plugins
-
+ プラグイン中に設定されたブレークポイントの動作
This is the slowest but safest option.
-
+ これは遅いけど安全なオプションです。
Try to set breakpoints in plugins always automatically.
-
+ 常に自動的にブレークポイントで停止する。
Try to set breakpoints in selected plugins
-
+ 選択したプラグインの時だけ、ブレークポイントで停止
Matching regular expression:
-
+ 正規表現で指定:
Never set breakpoints in plugins automatically
-
-
-
-
- GeneralSettings
-
-
- Form
- フォーム
+ 自動的にプラグイン内のブレークポイントで停止しない
- General settings
-
-
-
-
- User &interface color:
-
-
-
-
- Reset to default
-
-
-
-
- R
-
-
-
-
- External editor:
-
-
-
-
- ?
-
-
-
-
- Terminal:
-
+ This is either a full absolute path leading to the gdb binary you intend to use or the name of a gdb binary that will be searched in your PATH.
+ ここには使用したいgdbのフルパスか、PATHから検索されるgdbの実行ファイル名を指定します。
GenericMakeStep
- Form
- フォーム
-
-
-
Override %1:
-
+ %1 の代わりに使用するコマンド:
Make arguments:
-
+ Make の引数:
Targets:
-
+ ターゲット:
@@ -4987,33 +5627,33 @@ Reason: %3
<new>
-
+ <新規>
GenericProjectManager::Internal::GenericBuildSettingsWidget
-
+
Build directory:
-
+ ビルド ディレクトリ:
- Tool chain:
-
+ Toolchain:
+ ツールチェイン:
Generic Manager
-
+ 標準マネージャ
GenericProjectManager::Internal::GenericMakeStepConfigWidget
-
+
Override %1:
-
+ %1 の代わりに使用するコマンド:
@@ -5021,22 +5661,22 @@ Reason: %3
Import of Makefile-based Project
-
+ Makefile ベースのプロジェクトをインポート
Creates a generic project, supporting any build system.
-
+ 任意のビルドシステムをサポートする標準のプロジェクトを作成する。
Projects
- プロジェクト
+ プロジェクト
The project %1 could not be opened.
-
+ プロジェクト %1 を開けませんでした。
@@ -5044,27 +5684,27 @@ Reason: %3
Import of Makefile-based Project
-
+ Makefile ベースのプロジェクトをインポート
Generic Project
-
+ 標準プロジェクト
Project name:
-
+ プロジェクト名:
Location:
-
+ パス:
Second Page Title
-
+ 2ページ目のタイトル
@@ -5072,82 +5712,77 @@ Reason: %3
Checkout
-
+ チェックアウト
Delete
- 削除
+ 削除
Unable to find the repository directory for '%1'.
-
+ '%1' のリポジトリディレクトリを見つけることができません。
Delete Branch
-
+ ブランチを削除
Would you like to delete the branch '%1'?
-
+ ブランチ '%1' を削除しますか?
Failed to delete branch
-
+ ブランチの削除に失敗
Failed to create branch
-
+ ブランチの作成に失敗
Failed to stash
-
+ stash に失敗
Would you like to create a local branch '%1' tracking the remote branch '%2'?
-
+ リモートブランチ '%2' を追随するローカルブランチ '%1' を作成しますか?
Create branch
-
+ ブランチを作成
Failed to create a tracking branch
-
+
Branches
-
+ ブランチ
General information
-
+ 概要
Repository:
-
-
-
-
- TextLabel
-
+ リポジトリ:
Remote branches
-
+ リモートブランチ
@@ -5155,22 +5790,22 @@ Reason: %3
Select a Git commit
-
+ git コミットを選択
Select Git repository
-
+ git レポジトリを選択
Error
-
+ エラー
Selected directory is not a Git repository
-
+ 選択されたディレクトリは git のレポジトリではありません
@@ -5178,146 +5813,149 @@ Reason: %3
Note that the git plugin for QtCreator is not able to interact with the server so far. Thus, manual ssh-identification etc. will not work.
-
+ Qt Creator 用 git プラグイン はサーバとうまく連携できない点にご注意下さい。手動でのssh認証もうまく動きません。
Unable to determine the repository for %1.
-
+ リポジトリ %1 を確認することができません。
Unable to parse the file output.
-
+ ファイル出力がパースできません。
%1 Executing: %2 %3
<timestamp> Executing: <executable> <arguments>
-
+ %1 実行中: %2 %3
+
Waiting for data...
-
+ データ待機中...
Git Diff
-
+ Git 差分表示
Git Diff %1
-
+ Git 差分表示 %1
Git Log %1
-
+ Git ログ表示 %1
Git Show %1
-
+ Git 表示 %1
Git Blame %1
-
+ Git Blame %1
Unable to add %n file(s) to %1: %2
-
-
+
+ %n 個のファイルを %1 に追加できません: %2
Unable to reset %n file(s) in %1: %2
-
-
+
+ %1 内の %n 個のファイルがリセットできません: %2
Unable to checkout %n file(s) in %1: %2
-
-
+
+ %1 内の %n 個のファイルがチェックアウトできません: %2
Unable stash in %1: %2
-
+ %1 内で stash できません: %2
Unable to run branch command: %1: %2
-
+ %1 でブランチコマンドを実行できません: %2
Unable to run show: %1: %2
-
+ %1 で show コマンドを実行できません: %2
-
+
Changes
-
+ 変更あり
You have modified files. Would you like to stash your changes?
-
+ 変更されたファイルがあります。これらの変更を stash しますか?
Unable to obtain the status: %1
-
+ 状態が不明です: %1
The repository %1 is not initialized yet.
-
+ リポジトリ %1 は、まだ初期化されていません。
-
+
Committed %n file(s).
-
-
+
+ %n 個のファイルをコミットしました。
+
Unable to commit %n file(s): %1
-
-
+
+ %n 個のファイルをコミットできません。: %1
+
Revert
-
+ 元に戻す
The file has been changed. Do you want to revert it?
-
+ ファイルは変更されていますが、元にもどしますか?
The file is not modified.
-
+ ファイルは変更されていません。
There are no modified files.
-
+ 変更されたファイルはありません。
@@ -5325,291 +5963,275 @@ Reason: %3
Git Output
-
+ Git 出力
Git
-
+ Git
Git::Internal::GitPlugin
-
+
&Git
-
+ Git(&G)
Diff Current File
-
+ 現在のファイルの差分表示
+
+
+
+ Diff "%1"
+ "%1" の差分表示
Alt+G,Alt+D
-
+ Alt+G,Alt+D
File Status
-
+ ファイル ステータス
+
+
+
+ Status Related to "%1"
+ "%1" 関連のステータス
Alt+G,Alt+S
-
+ Alt+G,Alt+S
Log File
-
+ ログファイルを表示
+
+
+
+ Log of "%1"
+ "%1" のログ表示
Alt+G,Alt+L
-
+ Alt+G,Alt+L
Blame
-
+ 編集者を表示
+
+
+
+ Blame for "%1"
+ "%1" の編集者を表示
Alt+G,Alt+B
-
+ Alt+G,Alt+B
Undo Changes
-
+ 変更内容を元に戻す
+
+
+
+ Undo Changes for "%1"
+ "%1" の変更を元に戻す
Alt+G,Alt+U
-
+ Alt+G,Alt+U
Stage File for Commit
-
+ ファイルをコミット予定に追加
+
+
+
+ Stage "%1" for Commit
+ "%1" をコミット予定に追加
Alt+G,Alt+A
-
+ Alt+G,Alt+A
Unstage File from Commit
-
+ ファイルをコミット予定から削除
+
+
+
+ Unstage "%1" from Commit
+ "%1" をコミット予定から削除
Revert...
-
+ 元に戻す...
+
+
+
+ Revert "%1"...
+ "%1" を元に戻す...
Diff Current Project
-
+ 現在のプロジェクトの差分表示
+
+
+
+ Diff Project "%1"
+ プロジェクト "%1" の差分表示
Project Status
-
+ プロジェクトの状態
+
+
+
+ Status Project "%1"
+ プロジェクト "%1" の状態
-
Log Project
-
+ プロジェクトのログ
-
+
+ Log Project "%1"
+ プロジェクト "%1" のログ
+
+
+
Alt+G,Alt+K
-
+ Alt+G,Alt+K
Undo Project Changes
-
+ プロジェクトの変更を元に戻す
Stash
-
+ 退避する
Saves the current state of your work.
-
+ 現在の作業状況を保存する。
Pull
-
+ Pull
Stash Pop
-
+ 復帰する
Restores changes saved to the stash list using "Stash".
-
+ "退避する"で保存させた作業状況を復帰させる。
Commit...
-
+ コミット...
Alt+G,Alt+C
-
+ Alt+G,Alt+C
Push
-
+ Push
Branches...
-
+ ブランチ...
List Stashes
-
+ 退避状況を表示
Show Commit...
-
+ コミットを表示...
Commit
-
+ コミット
Diff Selected Files
-
+ 選択済みファイルの差分表示
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
Could not find working directory
-
+ 作業ディレクトリが見つかりませんでした
-
+
Another submit is currently beeing executed.
-
+ 別のサブミットが実行中です。
-
+
Cannot create temporary file: %1
-
+ 一時ファイルを作成できません: %1
Closing git editor
-
+ git エディタを閉じようとしています
Do you want to commit the change?
-
+ 変更内容をコミットしますか?
The commit message check failed. Do you want to commit the change?
-
-
-
-
- File
- ファイル
-
-
-
- Diff %1
-
-
-
-
- Status Related to %1
-
-
-
-
- Log of %1
-
-
-
-
- Blame for %1
-
-
-
-
- Undo Changes for %1
-
-
-
-
- Stage %1 for Commit
-
-
-
-
- Unstage %1 from Commit
-
-
-
-
- Revert %1...
-
-
-
-
- Diff Project
-
-
-
-
- Status Project
-
-
-
-
- Diff Project %1
-
-
-
-
- Status Project %1
-
-
-
-
- Log Project %1
-
+ コミットメッセージが確認できませんでした。変更をコミットしますか?
@@ -5617,7 +6239,7 @@ Reason: %3
The binary '%1' could not be located in the path '%2'
-
+ パス '%2' から実行ファイル '%1' が見つかりませんでした
@@ -5625,7 +6247,7 @@ Reason: %3
Git Commit
-
+ Git コミット
@@ -5633,42 +6255,42 @@ Reason: %3
General Information
-
+ 概要
Repository:
-
+ リポジトリ:
repository
-
+ リポジトリ
Branch:
-
+ ブランチ:
branch
-
+ ブランチ
Commit Information
-
+ コミット情報
Author:
-
+ 改訂者:
Email:
-
+ Email:
@@ -5676,70 +6298,65 @@ Reason: %3
<New branch>
-
+ <新しいブランチ>
Type to create a new branch
-
+ 新しいブランチ名を入力してください
Git::Internal::SettingsPage
- Form
- フォーム
-
-
-
Environment variables
-
+ 環境変数
PATH:
-
+ パス:
From system
-
+ システム情報から取得
<b>Note:</b>
-
+ <b>注意:</b>
Git needs to find Perl in the environment as well.
-
+ Git は Perl コマンドが正しく動く環境を必要とします。
Note that huge amount of commits might take some time.
-
+ コミット件数が多いと時間がかかるようになるから気をつけて下さい。
Log commit display count:
-
+ コミットログの表示件数:
Git
-
+ Git
-
+
Git Settings
-
+ git の設定
Timeout (seconds):
-
+ タイムアウト時間 (秒):
@@ -5749,14 +6366,18 @@ Reason: %3
'%1' failed (exit code %2).
-
+
+'%1' が失敗しました(終了コード %2)。
+
'%1' completed (exit code %2).
-
+
+'%1' が成功しました(終了コード %2)。
+
@@ -5764,32 +6385,32 @@ Reason: %3
Say "&Hello World!"
-
+ "こんにちは世界!(&H)" の表示
&Hello World
-
+ こんにちは世界(&H)!!
Hello world!
-
+ こんにちは世界!
Hello World PushButton!
-
+ こんにちは世界 ボタン!
Hello World!
-
+ こんにちは世界!
Hello World! Beautiful day today, isn't it?
-
+ こんにちは世界! 今日はいい天気ですね。
@@ -5797,20 +6418,51 @@ Reason: %3
Focus me to activate my context!
-
+ コンテキストをアクティブにするために、ここにフォーカスをセットしてください!
Hello, world!
-
+ こんにちは,世界!
- Help::Internal::ContentsToolWidget
+ Help::Internal::CentralWidget
-
- Contents
- コンテンツ
+
+ Add new page
+ 新しいページの追加
+
+
+
+ Print Document
+ ドキュメントを印刷
+
+
+
+
+ unknown
+ 不明
+
+
+
+ Add New Page
+ 新しいページの追加
+
+
+
+ Close This Page
+ このページを閉じる
+
+
+
+ Close Other Pages
+ 他のページを閉じる
+
+
+
+ Add Bookmark for this Page...
+ このページをブックマークに追加...
@@ -5819,33 +6471,33 @@ Reason: %3
Documentation
-
+ ドキュメント
Help
- ヘルプ
+ ヘルプ
Add Documentation
-
+ ドキュメントの追加
Qt Help Files (*.qch)
-
+ Qt ヘルプ ファイル (*.qch)
The file %1 is not a valid Qt Help file!
-
+ このファイル %1 は有効な Qt ヘルプ ファイルではありません!
Cannot unregister documentation file %1!
-
+ ドキュメント %1 の登録解除ができません!
@@ -5853,12 +6505,12 @@ Reason: %3
Filters
-
+ フィルタ
Help
- ヘルプ
+ ヘルプ
@@ -5866,7 +6518,7 @@ Reason: %3
Help index
-
+ ヘルプ インデックス
@@ -5874,230 +6526,173 @@ Reason: %3
Help
- ヘルプ
+ ヘルプ
Help::Internal::HelpPlugin
-
-
+
+
Contents
- コンテンツ
+ コンテンツ
-
-
+
+
Index
-
+ インデックス
-
-
+
+
Search
-
+ 検索
-
+
Bookmarks
- ブックマーク
+ ブックマーク
Home
-
+ ホーム
-
-
+
+
Previous
-
+ 戻る
-
-
+
+
Next
-
+ 進む
-
+
Add Bookmark
-
+ ブックマークの追加
-
+
Context Help
-
+ コンテキスト ヘルプ
-
+
Activate Index in Help mode
-
+ ヘルプモードのインデックスをアクティブにします
-
+
Activate Contents in Help mode
-
+ ヘルプモードのコンテンツをアクティブにします
-
+
Activate Search in Help mode
-
+ ヘルプモードの検索をアクティブにします
-
+
-
+
Unfiltered
-
-
-
-
- <html><head><title>No Documentation</title></head><body><br/><center><b>%1</b><br/>No documentation available.</center></body></html>
-
+ フィルタなし
- <html><head><title>No Documentation</title></head><body><br/><br/><center>No documentation available.</center></body></html>
-
+ <html><head><title>No Documentation</title></head><body><br/><center><b>%1</b><br/>No documentation available.</center></body></html>
+ <html><head><title>ドキュメントがありません</title></head><body><br/><center><b>%1</b><br/>使用可能なドキュメントがありません。</center></body></html>
-
+
Filtered by:
-
-
-
-
- Help::Internal::IndexThread
-
-
- Failed to load keyword index file!
-
-
-
-
- Cannot open the index file %1
-
-
-
-
- Documentation file %1 does not exist!
-Skipping file.
-
-
-
-
- Help::Internal::IndexToolWidget
-
-
- Look for:
-
-
-
-
- Index
-
+ フィルタ条件:
Help::Internal::SearchWidget
-
+
&Copy
- コピー(&C)
+ コピー(&C)
Copy &Link Location
-
+ リンクのURLをコピー(&L)
-
-
+
Open Link in New Tab
-
+ リンクを新しいタブで開く
-
+
Select All
-
-
-
-
- Open Link
-
-
-
-
- Help::Internal::TitleMapThread
-
-
- Documentation file %1 does not exist!
-Skipping file.
-
-
-
-
- Documentation file %1 is not compatible!
-Skipping file.
-
+ すべてを選択
HelpViewer
-
+
Open Link in New Tab
-
+ リンクを新しいタブで開く
-
+
<title>Error 404...</title><div align="center"><br><br><h1>The page could not be found</h1><br><h3>'%1'</h3></div>
-
+ <title>Error 404...</title><div align="center"><br><br><h1>ページが見つかりませんでした</h1><br><h3>'%1'</h3></div>
Help
- ヘルプ
+ ヘルプ
Unable to launch external application.
-
+ 外部アプリケーションを起動できません。
+
OK
-
+ OK
Copy &Link Location
-
+ リンクのURLをコピー(&L)
Open Link in New Tab Ctrl+LMB
-
+ リンクを新しいタブで開く Ctrl+LMB
IndexWindow
-
+
&Look for:
-
+ 検索文字列(&L):
-
+
Open Link
-
+ リンクを開く
Open Link in New Tab
-
+ リンクを新しいタブで開く
@@ -6105,7 +6700,7 @@ Skipping file.
Type Ctrl-<Return> to execute a line.
-
+ Ctrl+<リターン>キーを押して一行実行してください。
@@ -6113,12 +6708,12 @@ Skipping file.
Filters
-
+ フィルタ
Locator
-
+ クイック アクセス
@@ -6126,113 +6721,113 @@ Skipping file.
Open file
-
+ ファイルを開く
Ctrl+O
- Ctrl+O
+ Ctrl+O
Quit
-
+ 終了
Run to main()
-
+ main() まで実行
Ctrl+F5
- Ctrl+F5
+ Ctrl+F5
F5
- F5
+ F5
Shift+F5
-
+ Shift+F5
F6
- F6
+ F6
F7
- F7
+ F7
Shift+F6
-
+ Shift+F6
Shift+F9
-
+ Shift+F9
Shift+F7
-
+ Shift+F7
Shift+F8
-
+ Shift+F8
F8
- F8
+ F8
ALT+D,ALT+W
- ALT+D,ALT+W
+ ALT+D,ALT+W
Files
- ファイル
+ ファイル
File
- ファイル
+ ファイル
Debug
- デバッグ
+ デバッグ
Not a runnable project
-
+ 実行不可能なプロジェクト
The current startup project can not be run.
-
+ 現在のスタートアップ プロジェクトは実行できません。
Open File
- ファイルを開く
+ ファイルを開く
Cannot find special data dumpers
-
+ 指定された独自データ ダンパが見つかりません
@@ -6243,68 +6838,34 @@ Make sure you use something like
SOURCES *= .../ide/main/bin/gdbmacros/gdbmacros.cpp
in your .pro file.
-
+ デバッグ中のバイナリは、Qt データ型を正しく表示する為の情報を保持していません。
+
+SOURCES *= .../ide/main/bin/gdbmacros/gdbmacros.cpp
+
+上記をあなたの .pro ファイルに追加すると、改善するかもしれません。
Open Executable File
-
+ 実行可能ファイルを開く
Ctrl+Q
- Ctrl+Q
+ Ctrl+Q
MakeStep
- Form
- フォーム
-
-
-
Override %1:
-
+ %1 の代わりに使用するコマンド:
Make arguments:
-
-
-
-
- MimeDatabase
-
-
- Not a number '%1'.
-
-
-
-
- Empty match value detected.
-
-
-
-
- Missing 'type'-attribute
-
-
-
-
- Unexpected element <%1>
-
-
-
-
- An error has been encountered at line %1 of %2: %3:
-
-
-
-
- Cannot open %1: %2
-
+ Make の引数:
@@ -6314,7 +6875,7 @@ in your .pro file.
N/A
-
+ N/A
@@ -6322,25 +6883,17 @@ in your .pro file.
Nick Names
-
+ ニックネーム
Filter:
-
+ フィルタ:
Clear
-
-
-
-
- OpenEditorsView
-
-
- Form
- フォーム
+ クリア
@@ -6348,12 +6901,45 @@ in your .pro file.
Open File With...
-
+ ファイルを開くプログラムを指定...
Open file extension with:
-
+ ファイルを開くプログラムを指定:
+
+
+
+ Perforce::Internal
+
+
+ No executable specified
+ 実行ファイルが指定されていません
+
+
+
+ Unable to launch "%1": %2
+ "%1" を実行できません: %2
+
+
+
+ "%1" timed out after %2ms.
+ %2 ms 後に "%1" がタイムアウトしました。
+
+
+
+ "%1" crashed.
+ "%1" がクラッシュしました。
+
+
+
+ "%1" terminated with exit code %2: %3
+ "%1 は終了コード %2 で終了しました: %3
+
+
+
+ The client does not seem to contain any mapped files.
+ クライアントにマップファイルが含まれていないようです。
@@ -6361,12 +6947,12 @@ in your .pro file.
Change Number
-
+ リビジョン番号
Change Number:
-
+ リビジョン番号:
@@ -6374,22 +6960,22 @@ in your .pro file.
P4 Pending Changes
-
+ P4 保留中の変更点
Submit
-
+ サブミット
Cancel
-
+ キャンセル
Change %1: %2
-
+ 変更 %1: %2
@@ -6397,369 +6983,347 @@ in your .pro file.
Perforce Output
-
+ Perforce 出力
Diff
-
+ 差分表示
Perforce
-
+ Perforce
Perforce::Internal::PerforcePlugin
-
+
&Perforce
-
+ Perforce(&P)
-
Edit
-
+ 編集
-
+
+ Edit "%1"
+ "%1" を編集
+
+
+
Alt+P,Alt+E
-
+ Alt+P,Alt+E
Edit File
-
+ ファイルを編集
-
Add
- 追加
+ 追加
-
+
+ Add "%1"
+ "%1" を追加
+
+
+
Alt+P,Alt+A
-
+ Alt+P,Alt+A
Add File
-
+ ファイルを追加
-
Delete
- 削除
+ 削除
-
+
+ Delete "%1"
+ "%1" を削除
+
+
+
Delete File
-
+ ファイルを削除
-
Revert
-
+ 元に戻す
-
+
+ Revert "%1"
+ "%1" を元に戻す
+
+
+
Alt+P,Alt+R
-
+ Alt+P,Alt+R
Revert File
-
+ ファイルを元に戻す
Diff Current File
-
+ 現在のファイルの差分表示
-
+
+ Diff "%1"
+ "%1" の差分表示
+
+
+
Diff Current Project/Session
-
+ 現在のプロジェクト/セッションの差分表示
-
+
+ Diff Project "%1"
+ プロジェクト "%1" の差分表示
+
+
+
Alt+P,Alt+D
-
+ Alt+P,Alt+D
Diff Opened Files
-
+ 開いているファイルの差分表示
Opened
-
+ Opened
Alt+P,Alt+O
-
+ Alt+P,Alt+O
-
- Resolve
-
-
-
-
+
Submit Project
-
+ プロジェクトのサブミット
Alt+P,Alt+S
-
+ Alt+P,Alt+S
Pending Changes...
-
+ 保留中の変更...
Describe...
-
+ 説明...
-
Annotate Current File
-
+ 現在のファイルのアノテーション
-
+
+ Annotate "%1"
+ "%1" のアノテーション
+
+
+
Annotate...
-
+ アノテーション...
-
Filelog Current File
-
+ 現在のファイルログ
-
+
+ Filelog "%1"
+ "%1" のファイルログ
+
+
+
Alt+P,Alt+F
-
+ Alt+P,Alt+F
Filelog...
-
+ ファイルログ...
Submit
-
+ サブミット
Diff Selected Files
-
+ 選択済みファイルの差分表示
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
p4 revert
-
+ p4 revert
The file has been changed. Do you want to revert it?
-
+ ファイルは変更されていますが、元にもどしますか?
-
-
-
- No p4 executable specified!
-
-
-
-
+
Another submit is currently executed.
-
+ 別のサブミットが実行中です。
Cannot create temporary file.
-
+ 一時ファイルを作成できません。
Project has no files
-
+ プロジェクトにファイルがありません
p4 annotate
-
+ p4 アノテーション
p4 annotate %1
-
+ p4 アノテーション %1
p4 filelog
-
+ p4 ファイルログ
p4 filelog %1
-
+ p4 ファイルログ %1
-
- Edit %1
-
-
-
-
- Add %1
-
-
-
-
- Delete %1
-
-
-
-
- Revert %1
-
-
-
-
- Diff %1
-
-
-
-
- Annotate %1
-
-
-
-
- Filelog %1
-
-
-
-
- Diff
-
-
-
-
- Diff Project %1
-
-
-
-
- Diff Current Project/Soluion
-
-
-
-
+
%1 Executing: %2
-
+ %1 実行中: %2
+
The process terminated with exit code %1.
-
+ プロセスは終了コード %1 で終了しました。
The process terminated abnormally.
-
+ プロセスは異常終了しました。
Could not start perforce '%1'. Please check your settings in the preferences.
-
+ perforce '%1' を開始できませんでした。設定を確認してください。
Perforce did not respond within timeout limit (%1 ms).
-
+ Perforce がタイムアウト制限時間 (%1 ミリ秒) 内に応答を返しませんでした。
p4 diff %1
-
+ p4 差分表示 %1
p4 describe %1
-
+ p4 説明 %1
Closing p4 Editor
-
+ P4 エディタを閉じようとしています
Do you want to submit this change list?
-
+ 変更リストをサブミットしますか?
The commit message check failed. Do you want to submit this change list
-
+ コミットメッセージが確認できませんでした。変更をコミットしますか?
-
+
Cannot execute p4 submit.
-
+ p4 サブミットを実行できません。
Pending change
-
+ 保留中の変更
Could not submit the change, because your workspace was out of date. Created a pending submit instead.
-
+ 作業領域が古いためコミットできません。コミットを保留しました。
-
+
+ Invalid configuration: %1
+ 無効な構成: %1
+
+
+
Timeout waiting for "where" (%1).
-
+ "where" (%1) がタイムアウトするのを待機中です。
Error running "where" on %1: The file is not mapped
-
+ "where" %1 の実行中にエラーが発生しました。ファイルがマッピングされていません
@@ -6767,7 +7331,7 @@ in your .pro file.
Perforce Submit
-
+ Perforce コミット
@@ -6775,63 +7339,78 @@ in your .pro file.
Perforce Prompt
-
+ Perforce プロンプト
OK
-
+ OK
Perforce::Internal::SettingsPage
- Form
- フォーム
-
-
-
P4 Command:
-
+ P4 コマンド:
Use default P4 environment variables
-
+ デフォルトの P4 環境変数を使用する
Environment variables
-
+ 環境変数
P4 Client:
-
+ P4 クライアント:
P4 User:
-
+ P4 ユーザー:
P4 Port:
-
+ P4 ポート:
-
+
Perforce
-
+ Perforce
+
+
+
+ Test
+ テスト
+
+
+
+ TextLabel
+ TextLabel
Perforce::Internal::SettingsPageWidget
-
+
+ Testing...
+ テスト中...
+
+
+
+ Test succeeded.
+ テストに成功しました。
+
+
+
Perforce Command
-
+ Perforce コマンド
@@ -6839,22 +7418,22 @@ in your .pro file.
Submit
-
+ サブミット
Change:
-
+ リビジョン:
Client:
-
+ クライアント:
User:
-
+ ユーザ:
@@ -6862,27 +7441,27 @@ in your .pro file.
Details
-
+ 詳細
Error Details
-
+ エラーの詳細
Installed Plugins
-
+ インストール済みプラグイン
Plugin Details of %1
-
+ プラグイン %1 の詳細
Plugin Errors of %1
-
+ プラグイン %1 のエラー情報
@@ -6891,17 +7470,17 @@ in your .pro file.
The plugin '%1' does not exist.
-
+ プラグイン '%1' は存在しません。
Unknown option %1
-
+ 不明なオプション %1
The option %1 requires an argument.
-
+ オプション %1 には引数が必要です。
@@ -6909,96 +7488,83 @@ in your .pro file.
'%1' misses attribute '%2'
-
+ 要素 '%1' の属性 '%2' が足りません
'%1' has invalid format
-
+ '%1' に無効なフォーマットがあります
Invalid element '%1'
-
+ '%1' は無効な要素です
Unexpected closing element '%1'
-
+ 要素 '%1' のタグが予期せぬ位置で閉じられています
Unexpected token
-
+ 予期せぬトークンです
Expected element '%1' as top level element
-
+ 要素 '%1' は、最上位の要素でなければなりません
Resolving dependencies failed because state != Read
-
+ 読込済み状態でない為、依存関係の解決に失敗しました
Could not resolve dependency '%1(%2)'
-
+ '%1(%2)' の依存関係を解決できませんでした
Loading the library failed because state != Resolved
-
+ 解決済み状態でない為、ライブラリの読込に失敗しました
Library base name: %1
-
+ ライブラリ名: %1
Plugin is not valid (doesn't derive from IPlugin)
-
+ 無効なプラグインです (IPlugin から派生していません)
Initializing the plugin failed because state != Loaded
-
+ 読込済み状態でない為、プラグインの初期化に失敗しました
Internal error: have no plugin instance to initialize
-
+ 内部エラー: 初期化の為のプラグイン インスタンスがありません
Plugin initialization failed: %1
-
+ プラグイン初期化エラー: %1
Cannot perform extensionsInitialized because state != Initialized
-
+ 初期化済み状態でない為、extensionsInitialized は動作できません
Internal error: have no plugin instance to perform extensionsInitialized
-
-
-
-
- ProEditorContainer
-
-
- Form
- フォーム
-
-
-
- Advanced Mode
-
+ 内部エラー: extensionsInitialized が動作するプラグイン インスタンスが存在しません
@@ -7007,83 +7573,84 @@ Library base name: %1
<font color="#0000ff">Starting: %1 %2</font>
- <font color="#0000ff">%1 %2 を起動中です。</font>
+ <font color="#0000ff">%1 %2 を起動中です。</font>
<font color="#0000ff">Exited with code %1.</font>
- <font color="#ff0000"><b>コード:%1 で終了しました。</b></font>
+ <font color="#ff0000"><b>コード:%1 で終了しました。</b></font>
<font color="#ff0000"><b>Exited with code %1.</b></font>
- <font color="#ff0000"><b>コード:%1 で終了しました。</b></font>
+ <font color="#ff0000"><b>コード:%1 で終了しました。</b></font>
<font color="#ff0000">Could not start process %1 </b></font>
- <font color="#ff0000">プロセス:%1 を起動できませんでした。</b></font>
+ <font color="#ff0000">プロセス:%1 を起動できませんでした。</b></font>
ProjectExplorer::BuildManager
-
+
<font color="#ff0000">Canceled build.</font>
-
+ <font color="#ff0000">ビルドを中止しました。</font>
-
+
Build
- ビルド
+ ビルド
+
+
+
+ Finished %n of %1 build steps
+
+ %n/%1 ビルド ステップが完了しました
+
-
-
- Finished %1 of %2 build steps
-
-
-
-
+
<font color="#ff0000">Error while building project %1</font>
-
+ <font color="#ff0000">プロジェクト %1 をビルド中にエラーが発生しました</font>
<font color="#ff0000">When executing build step '%1'</font>
-
+ <font color="#ff0000">ビルドステップ '%1' を実行中</font>
Error while building project %1
-
+ プロジェクト %1 をビルド中にエラーが発生しました
<b>Running build steps for project %2...</b>
-
+ <b>プロジェクト %2 をビルドします...</b>
ProjectExplorer::CustomExecutableRunConfiguration
-
+
Custom Executable
-
+ カスタム実行ファイル
-
+
Could not find the executable, please specify one.
-
+ 実行ファイルが見つかりません。実行ファイルを指定してください。
-
+
Run %1
-
+ %1 を実行
@@ -7092,20 +7659,20 @@ Library base name: %1
Custom Executable
-
+ カスタム実行ファイル
ProjectExplorer::EnvironmentModel
-
+
Value
- 値
+ 値
Variable
-
+ 変数
@@ -7113,7 +7680,7 @@ Library base name: %1
Files in any project
-
+ どこかのプロジェクトに含まれるファイル
@@ -7121,12 +7688,12 @@ Library base name: %1
All Projects
- 全てのプロジェクト
+ すべてのプロジェクト
File &pattern:
- ファイル パターン(&P):
+ ファイル パターン(&P):
@@ -7134,17 +7701,17 @@ Library base name: %1
Failed to start program. Path or permissions wrong?
-
+ プログラムを開始できませんでした。パスかパーミッションに誤りはありませんか?
The program has unexpectedly finished.
-
+ プログラムが突然終了しました。
Some error has occurred while running the program.
-
+ プログラムを実行中にいくつかエラーが発生しました。
@@ -7152,7 +7719,7 @@ Library base name: %1
Run
- 実行
+ 実行
@@ -7160,12 +7727,12 @@ Library base name: %1
Starting %1...
- %1 を起動中...
+ %1 を起動中...
%1 exited with code %2
-
+ %1 はコード %2 で終了しました
@@ -7173,35 +7740,25 @@ Library base name: %1
Build Settings
- ビルド設定
+ ビルド設定
ProjectExplorer::Internal::BuildSettingsPropertiesPage
- Form
- フォーム
-
-
-
Configurations
-
+ 構成
+
-
+ +
-
-
-
-
-
- TextLabel
-
+ -
@@ -7209,134 +7766,129 @@ Library base name: %1
Create &New
-
+ 新規作成(&N)
&Clone Selected
-
+ 選択済みの構成を複製(&C)
%1 - %2
-
+ %1 - %2
General
- 全般
+ 概要
Build Steps
-
+ ビルド ステップ
Set as Active
-
+ アクティブにする
Clone
- 複製
+ 複製
Delete
- 削除
+ 削除
New configuration
-
+ 新しい構成
New Configuration Name:
-
+ 新しい構成名:
Clone configuration
-
+ 構成の複製
ProjectExplorer::Internal::BuildStepsPage
- Form
- フォーム
-
-
-
1
-
+ 1
+
-
+ +
-
-
+ -
^
-
+ ^
v
-
+ v
Build Steps
-
+ ビルド ステップ
ProjectExplorer::Internal::CompileOutputWindow
-
+
Compile Output
-
+ コンパイル出力
ProjectExplorer::Internal::CoreListenerCheckingForRunningBuild
-
+
Cancel Build && Close
-
+ ビルドを中止して閉じる
Don't Close
-
+ 閉じない
A project is currently being built.
-
+ プロジェクトは現在ビルド中です。
Close Qt Creator?
-
+ Qt Creator を閉じますか?
Do you want to cancel the build process and close Qt Creator anyway?
-
+ 進行中のビルドをキャンセルして Qt Creator を閉じますか?
@@ -7344,7 +7896,7 @@ Library base name: %1
Files in current project
-
+ 現在のプロジェクトに含まれるファイル
@@ -7352,40 +7904,40 @@ Library base name: %1
Current Project
-
+ 現在のプロジェクト
File &pattern:
- ファイル パターン(&P):
+ ファイル パターン(&P):
ProjectExplorer::Internal::CustomExecutableConfigurationWidget
-
+
Name:
- 名前:
+ 名前:
Executable:
-
+ 実行可能ファイル:
Arguments:
- 引数:
+ 引数:
Working Directory:
- 作業ディレクトリ:
+ 作業ディレクトリ:
Run in &Terminal
-
+ 端末内で実行(&T)
@@ -7393,7 +7945,7 @@ Library base name: %1
Dependencies
-
+ 依存関係
@@ -7401,12 +7953,12 @@ Library base name: %1
Project Dependencies
-
+ プロジェクトの依存関係
Project Dependencies:
-
+ プロジェクトの依存関係:
@@ -7414,17 +7966,17 @@ Library base name: %1
%1 of project %2
-
+ プロジェクト: %2 の %1
Could not rename file
-
+ ファイル名をリネームできませんでした
Renaming file %1 to %2 failed.
-
+ ファイル %1 を %2 にリネームできませんでした。
@@ -7432,20 +7984,15 @@ Library base name: %1
Editor Settings
-
+ エディタの設定
ProjectExplorer::Internal::EditorSettingsPropertiesPage
- Form
- フォーム
-
-
-
Default File Encoding:
-
+ デフォルトの文字コード:
@@ -7453,12 +8000,12 @@ Library base name: %1
File System
- ファイルシステム
+ ファイル システム
Synchronize with Editor
-
+ エディタと同期
@@ -7466,55 +8013,54 @@ Library base name: %1
New session name
-
+ 新しいセッションの名前
Enter the name of the new session:
-
+ 新しいセッションの名前を入力してください:
ProjectExplorer::Internal::OutputPane
- Rerun this runconfiguration
-
+ Re-run this run-configuration
+ この実行構成で最実行
Stop
-
+ 停止
Ctrl+Shift+R
-
+ Ctrl+Shift+R
Application Output
-
+ アプリケーション出力
The application is still running. Close it first.
-
+ アプリケーションは実行中です。アプリケーションを先に終了してください。
Unable to close
-
+ 終了不可
ProjectExplorer::Internal::OutputWindow
-
-
+
Application Output Window
-
+ アプリケーション出力ウィンドウ
@@ -7522,40 +8068,48 @@ Library base name: %1
Custom Process Step
-
+ 独自プロセス ステップ
ProjectExplorer::Internal::ProcessStepWidget
- Form
- フォーム
-
-
-
Enable custom process step
-
+ 独自 プロセス ステップを有効にする
Name:
- 名前:
+ 名前:
Command:
-
+ コマンド:
Working Directory:
- 作業ディレクトリ:
+ 作業ディレクトリ:
Command Arguments:
-
+ コマンド引数:
+
+
+
+ ProjectExplorer::Internal::ProjectExplorerSettingsPage
+
+
+ Build and Run
+ ビルドして実行
+
+
+
+ Projectexplorer
+ プロジェクト エクスプローラー
@@ -7563,7 +8117,7 @@ Library base name: %1
Could not open the following project: '%1'
-
+ 以下のプロジェクトを開けませんでした: '%1'
@@ -7572,12 +8126,13 @@ Library base name: %1
Failed to add one or more files to project
'%1' (%2).
-
+ 1つ以上のファイルをプロジェクト '%1' に追加できませんでした
+(%2).
Failed to add '%1' to the version control system.
-
+ '%1' をバージョン管理システムに追加できませんでした。
@@ -7585,17 +8140,17 @@ Library base name: %1
Simplify tree
-
+ 簡易ツリー
Hide generated files
-
+ 生成されたファイルを隠す
Synchronize with Editor
-
+ エディタと同期
@@ -7603,35 +8158,35 @@ Library base name: %1
Projects
- プロジェクト
+ プロジェクト
Filter tree
-
+ フィルタ ツリー
ProjectExplorer::Internal::ProjectWindow
-
+
Project Explorer
-
+ プロジェクト エクスプローラー
Projects
- プロジェクト
+ プロジェクト
Startup
-
+ スタートアップ
Path
-
+ パス
@@ -7639,123 +8194,30 @@ Library base name: %1
Add to &VCS (%1)
-
+ バージョン管理システム(%1)に追加(&V)
Files to be added:
-
+ 追加されるファイル:
- ProjectExplorer::Internal::QtOptionsPageWidget
+ ProjectExplorer::Internal::ProjetExplorerSettingsPageUi
-
- <specify a name>
-
-
-
-
- <specify a path>
-
-
-
-
- Select QTDIR
-
-
-
-
- Select the Qt Directory
-
-
-
-
- The Qt Version %1 is not installed. Run make install
-
-
-
-
- %1 is not a valid qt directory
-
-
-
-
- Found Qt version %1, using mkspec %2
-
-
-
-
- ProjectExplorer::Internal::QtVersionManager
-
-
- Form
- フォーム
+
+ Build and Run
+ ビルドして実行
- Qt versions
-
+ Save all files before Build
+ ビルド前にすべてのファイルを保存する
- +
-
-
-
-
- -
-
-
-
-
- Name
-
-
-
-
- Path
-
-
-
-
- Debugging Helper
-
-
-
-
- Version Name:
-
-
-
-
- Path:
-
-
-
-
- MinGw Directory:
-
-
-
-
- Debugging Helper:
-
-
-
-
- Show &Log
-
-
-
-
- &Rebuild
-
-
-
-
- Default Qt Version:
-
+ Always build Project before Running
+ 実行前に必ずプロジェクトをビルドする
@@ -7763,22 +8225,22 @@ Library base name: %1
Remove File
-
+ ファイルの削除
&Delete file permanently
-
+ 完全に削除(&D)
&Remove from Version Control
-
+ バージョン管理システムからも削除(&R)
File to remove:
-
+ 削除するファイル:
@@ -7786,35 +8248,30 @@ Library base name: %1
Run Settings
-
+ 実行時の設定
ProjectExplorer::Internal::RunSettingsPropertiesPage
- Form
- フォーム
-
-
-
Run &configuration:
-
+ 実行時の条件(&C):
+
-
+ +
-
-
+ -
Settings
-
+ 設定
@@ -7822,27 +8279,27 @@ Library base name: %1
Session Manager
-
-
-
-
- Choose your session
-
+ セッション マネージャ
Create New Session
-
+ 新しいセッションの作成
Clone Session
-
+ セッションの複製
Delete Session
-
+ セッションの削除
+
+
+
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">What is a Session?</a>
+ <a href="qthelp://com.nokia.qtcreator/doc/creator-quick-tour.html#session-management-in-qt-creator">セッションとは?</a>
@@ -7850,35 +8307,35 @@ Library base name: %1
Session
-
+ セッション
Untitled
default file name to display
-
+ 無題
ProjectExplorer::Internal::TaskDelegate
-
+
File not found: %1
-
+ ファイルが見つかりません: %1
ProjectExplorer::Internal::TaskWindow
-
+
Build Issues
-
+ ビルドの問題点
&Copy
- コピー(&C)
+ コピー(&C)
@@ -7886,40 +8343,35 @@ Library base name: %1
The process could not be started!
-
+ プロセスを開始できません!
Cannot retrieve debugging output!
-
+ デバッグ出力を受け取ることができません!
ProjectExplorer::Internal::WizardPage
- WizardPage
-
-
-
-
Project management
-
+ プロジェクト管理
&Add to Project
-
+ プロジェクトの追加(&A)
&Project
-
+ プロジェクト(&P)
Add to &version control
-
+ バージョン管理システムに追加(&V)
@@ -7928,7 +8380,11 @@ Library base name: %1
-
+ 以下のファイルが生成されます:
+
+
+
+
@@ -7936,320 +8392,338 @@ Library base name: %1
Projects
- プロジェクト
+ プロジェクト
-
+
&Build
-
+ ビルド(&B)
&Debug
- デバッグ(&D)
+ デバッグ(&D)
-
+
+ &Start Debugging
+ デバッグ開始(&S)
+
+
+
Open With
-
+ エディタを指定して開く
Session Manager...
-
+ セッション マネージャ...
New Project...
-
+ 新しいプロジェクト...
Ctrl+Shift+N
- Ctrl+Shift+N
+ Ctrl+Shift+N
Load Project...
-
+ プロジェクトの読込...
Ctrl+Shift+O
- Ctrl+Shift+O
+ Ctrl+Shift+O
Open File
- ファイルを開く
+ ファイルを開く
Show in Finder...
-
+ Finder で表示...
Recent Projects
-
+ 最近使ったプロジェクト
-
- Unload Project
-
+ Close Project
+ プロジェクトを閉じる
-
- Unload All Projects
-
+
+ Close Project "%1"
+ プロジェクト "%1" を閉じる
+
+
+
+ Close All Projects
+ すべてのプロジェクトを閉じる
Session
-
+ セッション
Set Build Configuration
-
+ ビルド構成の設定
Build All
-
+ すべてビルド
Ctrl+Shift+B
- Ctrl+Shift+B
+ Ctrl+Shift+B
-
+
Rebuild All
-
+ すべてリビルド
Clean All
-
+ すべてクリーン
-
Build Project
-
+ プロジェクトをビルド
-
+
+ Build Project "%1"
+ プロジェクト "%1" をビルド
+
+
+
Ctrl+B
- Ctrl+B
+ Ctrl+B
Rebuild Project
-
+ プロジェクトをリビルド
-
+
+ Rebuild Project "%1"
+ プロジェクト "%1" をリビルド
+
+
+
Clean Project
-
+ プロジェクトをクリーン
-
+
+ Clean Project "%1"
+ プロジェクト "%1" をクリーン
+
+
+
+ Build Without Dependencies
+ 依存関係を無視してビルド
+
+
+
+ Rebuild Without Dependencies
+ 依存関係を無視してリビルド
+
+
+
+ Clean Without Dependencies
+ 依存関係を無視してクリーン
+
+
+
Run
- 実行
+ 実行
Ctrl+R
- Ctrl+R
+ Ctrl+R
Set Run Configuration
-
+ 実行構成の設定
Go to Task Window
-
+ タスク ウィンドウに切り替える
Cancel Build
-
+ ビルドの中止
Start Debugging
-
+ デバッグ開始
F5
- F5
+ F5
Add New...
-
+ 新しいファイルを追加...
Add Existing Files...
-
+ 既存のファイルを追加...
Remove File...
-
+ ファイルの削除...
Rename
-
+ 名前を変更
-
+
Load Project
-
+ プロジェクトを読込
New Project
Title of dialog
-
+ 新しいプロジェクト
-
- Unload Project "%1"
-
-
-
-
- Build Project "%1"
-
-
-
-
+
New File
Title of dialog
-
+ 新しいファイル
Add Existing Files
-
+ 既存のファイルを追加
Could not add following files to project %1:
-
+ 以下のファイルをプロジェクト %1 に追加できません:
+
Add files to project failed
-
+ プロジェクトへのファイル追加に失敗
Add to Version Control
-
+ バージョン管理システムへの追加
Add files
%1
to version control (%2)?
-
+ ファイル
+%1
+をバージョン管理システム (%2) に追加しますか?
Could not add following files to version control (%1)
-
+ 以下のファイルをバージョン管理システム (%1) に追加できません
+
Add files to version control failed
-
+ バージョン管理システムへの追加に失敗
Remove file failed
-
+ ファイル削除に失敗
Could not remove file %1 from project %2.
-
+ プロジェクト %2 からファイル %1 を削除できません。
Delete file failed
-
+ ファイル削除に失敗
Could not delete file %1.
-
-
-
-
- ProjectExplorer::QtVersionManager
-
-
-
- Auto-detected Qt
-
-
-
-
- <not found>
-
+ ファイル %1 を削除できません。
ProjectExplorer::SessionManager
-
- Error while loading session
-
+
+ Error while restoring session
+ セッションの保存中にエラーが発生しました
- Could not load session %1
-
+ Could not restore session %1
+ セッション %1 を保存できません
Error while saving session
-
+ セッションの保存中にエラー
Could not save session to file %1
-
+ セッション %1 を保存できません
-
+
Qt Creator
- Qt Creator
+ Qt Creator
-
+
Untitled
-
+ 無題
Session ('%1')
-
+ セッション ('%1')
@@ -8257,84 +8731,79 @@ to version control (%2)?
Could not mmap '%1': %2
-
+ '%1' を mmap できません: %2
Plugin verification data mismatch in '%1'
-
+ プラグイン '%1' の検証データが合いません
Could not unmap '%1': %2
-
+ '%1' を unmap できません: %2
The shared library was not found.
-
+ 共有ライブラリが見つかりません。
The file '%1' is not a valid Qt plugin.
-
+ ファイル '%1' は有効な Qt プラグインではありません。
The plugin '%1' uses incompatible Qt library. (%2.%3.%4) [%5]
-
+ プラグイン '%1' は互換性のない Qt ライブラリ(%2.%3.%4 [%5])を使用しています。
The plugin '%1' uses incompatible Qt library. Expected build key "%2", got "%3"
-
+ プラグイン '%1' は互換性のない Qt ライブラリを使用しています。要求されるビルドキー "%2" に対してライブラリのビルドキーは "%3" です。
The plugin '%1' uses incompatible Qt library. (Cannot mix debug and release libraries.)
-
+ プラグイン '%1' は互換性のない Qt ライブラリを使用しています。デバッグライブラリとリリースライブラリを混在して使用することはできません。
The plugin was not loaded.
-
+ プラグインは読み込めませんでした。
Unknown error
-
+ 未知のエラー
Cannot load library %1: %2
-
+ ライブラリ %1 を読み込めません: %2
Cannot unload library %1: %2
-
+ ライブラリ %1 を解放できません: %2
Cannot resolve symbol "%1" in %2: %3
-
+ %2 内でシンボル "%1" を解決できません: %3
QMakeStep
- Form
- フォーム
-
-
-
QMake Build Configuration:
-
+ qmake のビルド構成:
@@ -8344,60 +8813,21 @@ to version control (%2)?
release
-
+ release
Additional arguments:
-
+ 追加の引数:
Effective qmake call:
-
+ qmake 実行時のコマンドライン:
QObject
-
-
- File Changed
-
-
-
-
- The file %1 has changed outside Qt Creator. Do you want to reload it?
-
-
-
-
- File is Read Only
-
-
-
-
- The file %1 is read only.
-
-
-
-
- Open with VCS (%1)
-
-
-
-
- Make writable
-
-
-
-
- Save as ...
-
-
-
- Files
- ファイル
-
Pass
@@ -8406,27 +8836,27 @@ to version control (%2)?
Expected Failure
-
+ 予期したエラー
Failure
-
+ 失敗
Expected Pass
-
+ 期待通りの合格
Warning
-
+ 警告
Qt Warning
-
+ Qt 警告
@@ -8436,50 +8866,40 @@ to version control (%2)?
Critical
-
+ 致命的
Fatal
-
+ 失敗
Skipped
-
+ スキップ
Info
-
-
-
-
- Toggle vim-style editing
-
-
-
-
- FakeVim properties...
-
+ 情報
QTestLib::Internal::QTestOutputPane
-
+
Test Results
-
+ テスト結果
Result
-
+ 結果
Message
-
+ メッセージ
@@ -8487,57 +8907,154 @@ to version control (%2)?
All Incidents
-
+ すべてのインシデント
Show Only:
-
+ 表示のみ:
+
+
+
+ QmlProjectManager::Internal::QmlNewProjectWizard
+
+
+ QML Application
+ QML アプリケーション
+
+
+
+ Creates a QML application.
+ QML アプリケーションの作成を作成する。
+
+
+
+ Projects
+ プロジェクト
+
+
+
+ The project %1 could not be opened.
+ プロジェクト %1 を開けませんでした。
+
+
+
+ QmlProjectManager::Internal::QmlNewProjectWizardDialog
+
+
+ New QML Project
+ 新しい QML プロジェクト
+
+
+
+ This wizard generates a QML application project.
+ このウィザードで、QML アプリケーションプロジェクトを生成します。
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizard
+
+
+ Import of existing QML directory
+ 既存の QML ディレクトリのインポート
+
+
+
+ Creates a QML project from an existing directory of QML files.
+ 既存のディレクトリに存在する QML ファイルから QML プロジェクトを作成する。
+
+
+
+ Projects
+ プロジェクト
+
+
+
+ The project %1 could not be opened.
+ プロジェクト %1 を開けませんでした。
+
+
+
+ QmlProjectManager::Internal::QmlProjectWizardDialog
+
+
+ Import of QML Project
+ QML プロジェクトのインポート
+
+
+
+ QML Project
+ QML プロジェクト
+
+
+
+ Project name:
+ プロジェクト名:
+
+
+
+ Location:
+ パス:
+
+
+
+ QmlProjectManager::Internal::QmlRunConfiguration
+
+
+
+
+ QML Viewer
+ QML ビューア
+
+
+
+ Could not find the qmlviewer executable, please specify one.
+ qmlviewer の実行ファイルが見つかりません。実行ファイルを指定してください。
+
+
+
+
+
+ <Current File>
+ <現在のファイル>
+
+
+
+ Main QML File:
+ メイン QML ファイル:
QrcEditor
-
- Form
- フォーム
-
-
-
-
Add
- 追加
+ 追加
-
Remove
- 削除
+ 削除
-
Properties
-
+ プロパティ
-
Prefix:
-
+ プレフィクス:
-
Language:
-
+ 言語:
-
Alias:
-
+ エイリアス:
@@ -8545,20 +9062,33 @@ to version control (%2)?
Qt4 Console Application
-
+ Qt4 コンソール アプリケーション
Creates a Qt4 console application.
-
+ Qt4 コンソール アプリケーションを作成します。
Qt4ProjectManager::Internal::ConsoleAppWizardDialog
- This wizard generates a Qt4 console application project. The application derives from QCoreApplication and does not present a GUI. You can press 'Finish' at any point in time.
-
+ This wizard generates a Qt4 console application project. The application derives from QCoreApplication and does not provide a GUI.
+ Qt4 コンソールアプリケーションのプロジェクトを生成するウィザードです。GUI を持たない QCoreApplication を派生したアプリケーションを生成します。
+
+
+
+ Qt4ProjectManager::Internal::DesignerExternalEditor
+
+
+ Qt Designer is not responding (%1).
+ Qt デザイナが応答しません (%1)。
+
+
+
+ Unable to create server socket: %1
+ サーバソケットが作成できません: %1
@@ -8566,103 +9096,41 @@ to version control (%2)?
Embedded Linux
-
+ エンベデッド Linux
- Qt4ProjectManager::Internal::EnvEditDialog
+ Qt4ProjectManager::Internal::EmptyProjectWizard
-
- Build Environment
-
+
+ Empty Qt4 Project
+ 空の Qt4 プロジェクト
-
- Make Command:
-
-
-
-
- Build Environment:
-
-
-
-
- mkspec:
-
-
-
-
- 0
-
-
-
-
- 1
-
-
-
-
- Values:
-
-
-
-
- Variable:
-
-
-
-
- Import
-
-
-
-
- OK
-
-
-
-
- Cancel
-
+
+ Creates an empty Qt project.
+ 空の Qt プロジェクトを作成します。
- Qt4ProjectManager::Internal::EnvVariablesPage
+ Qt4ProjectManager::Internal::EmptyProjectWizardDialog
-
- Form
- フォーム
+
+ This wizard generates an empty Qt4 project. Add files to it later on by using the other wizards.
+ このウィザードでは空の Qt4 プロジェクトを生成します。後で他のウィザードなどを使ってファイルを追加してください。
+
+
+
+ Qt4ProjectManager::Internal::ExternalQtEditor
+
+
+ Unable to start "%1"
+ "%1" を開始できません
-
- Build Environments
-
-
-
-
- Add...
-
-
-
-
- Edit...
-
-
-
-
- Delete
- 削除
-
-
-
- Default mkspec:
-
-
-
-
- Default make command:
-
+
+ The application "%1" could not be found.
+ アプリケーション "%1" が見つかりません。
@@ -8670,12 +9138,12 @@ to version control (%2)?
Class Information
-
+ クラス情報
Specify basic information about the classes for which you want to generate skeleton source code files.
-
+ 生成するソースコードファイルのクラスについての基本情報を指定して下さい。
@@ -8683,17 +9151,17 @@ to version control (%2)?
Qt4 Gui Application
-
+ Qt4 GUI アプリケーション
Creates a Qt4 Gui Application with one form.
-
+ 1個のフォームで構成された Qt4 GUI アプリケーションを作成します。
The template file '%1' could not be opened for reading: %2
-
+ テンプレートファイル '%1' を開けませんでした: %2
@@ -8701,7 +9169,7 @@ to version control (%2)?
This wizard generates a Qt4 GUI application project. The application derives by default from QApplication and includes an empty widget.
-
+ Qt4 GUIアプリケーションプロジェクトを生成するウィザードです。QApplicationを派生し、空のウィジェットを含んだアプリケーションが生成されます。
@@ -8709,12 +9177,12 @@ to version control (%2)?
C++ Library
-
+ C++ ライブラリ
Creates a C++ Library.
-
+ C++ ライブラリ を作成します。
@@ -8722,40 +9190,40 @@ to version control (%2)?
Shared library
-
+ 共有ライブラリ
Statically linked library
-
+ 静的リンク ライブラリ
Qt 4 plugin
-
+ Qt 4 プラグイン
Type
- 型
+ 型
This wizard generates a C++ library project.
-
+ このウィザードで、C++ ライブラリ プロジェクトを生成します。
Qt4ProjectManager::Internal::ModulesPage
-
+
Select required modules
-
+ 必須モジュールの選択
Select the modules you want to include in your project. The recommended modules for this project are selected by default.
-
+ プロジェクトに含めたいモジュールを選択してください。推奨するモジュールはデフォルトで選択されています。
@@ -8763,67 +9231,67 @@ to version control (%2)?
New
-
+ 新規作成
Remove
- 削除
+ 削除
Up
-
+ 上へ
Down
-
+ 下へ
Cut
-
+ 切り取り
Copy
-
+ コピー
Paste
-
+ 貼り付け
Ctrl+X
-
+ Ctrl+X
Ctrl+C
-
+ Ctrl+C
Ctrl+V
-
+ Ctrl+V
Add Variable
-
+ 変数の追加
Add Scope
-
+ スコープの追加
Add Block
-
+ ブロックの追加
@@ -8831,297 +9299,368 @@ to version control (%2)?
<Global Scope>
-
+ <グローバル スコープ>
Change Item
-
+ 項目の変更
Change Variable Assignment
-
+ 変数値の変更
Change Variable Type
-
+ 変数の型の変更
Change Scope Condition
-
+ スコープ条件の変更
Change Expression
-
+ 式の変更
Move Item
-
+ 上に移動
Remove Item
-
+ 項目を削除
Insert Item
-
+ 項目を挿入
Qt4ProjectManager::Internal::ProjectLoadWizard
-
+
Import existing settings
-
+ 既存の設定をインポート
Qt Creator has found an already existing build in the source directory.<br><br><b>Qt Version:</b> %1<br><b>Build configuration:</b> %2<br>
-
+ Qt Creator はソース ディレクトリに既に存在するビルド構成を見つけました。<br><br><b>Qt バージョン:</b> %1<br><b>ビルド構成:</b> %2<br>
Import existing build settings.
-
+ 既存のビルド設定をインポートする。
- <b>Note:</b> Importing the settings will automatically add the Qt Version from:<br><b>%1</b> to the list of qt versions.
-
-
-
-
- Qt4ProjectManager::Internal::Qt4BuildConfigWidget
-
- Form
- フォーム
-
-
- General
- 全般
+ <b>Note:</b> Importing the settings will automatically add the Qt Version from:<br><b>%1</b> to the list of Qt versions.
+ <b>注意:</b> 設定をインポートすることによって<b>%1</br>の Qt のバージョンを<br>自動的に Qt のバージョンリストに追加します。
Qt4ProjectManager::Internal::Qt4BuildEnvironmentWidget
-
- Form
- フォーム
-
-
-
- Clear system environment
-
-
-
-
- &Edit
- 編集(&E)
-
-
-
- &Add
-
-
-
-
- &Reset
-
-
-
-
- &Unset
-
-
-
-
+
Build Environment
-
-
-
-
- Reset
-
-
-
-
- Remove
- 削除
+ ビルド時の環境変数
Qt4ProjectManager::Internal::Qt4PriFileNode
-
+
Failed!
-
+ エラー発生!
Could not open the file for edit with SCC.
-
+ バージョン管理システムを使ってファイルを編集モードで開けませんでした。
Could not set permissions to writable.
-
+ 書込可能なパーミッションに設定できませんでした。
There are unsaved changes for project file %1.
-
+ プロジェクト ファイル %1 は変更されていますが、まだ保存されていません。
Error while parsing file %1. Giving up.
-
+ プロジェクトファイル '%1' の解析中にエラーが発生しました。中止します。
Error while changing pro file %1.
-
+ プロジェクト ファイル %1 の変更中にエラーが発生しました。
Qt4ProjectManager::Internal::Qt4ProFileNode
-
+
Error while parsing file %1. Giving up.
-
+ プロジェクトファイル '%1' の解析中にエラーが発生しました。中止します。
-
+
Could not find .pro file for sub dir '%1' in '%2'
-
+ '%2' 内のサブディレクトリ '%1' に .pro ファイルが見つかりませんでした
Qt4ProjectManager::Internal::Qt4ProjectConfigWidget
- Form
- フォーム
-
-
-
Configuration Name:
-
+ 構成名:
Qt Version:
-
+ Qt バージョン:
Manage Qt Versions
-
+ Qt のバージョンを管理する
This Qt-Version is invalid.
-
+ この Qt バージョンは無効です。
Shadow Build:
-
+ シャドウビルド:
Build Directory:
-
+ ビルド ディレクトリ:
<a href="import">Import existing build</a>
-
+ <a href="import">既存ビルド構成のインポート</a>
-
+
Shadow Build Directory
-
+ シャドウビルド ディレクトリ
General
- 全般
+ 概要
Default Qt Version
-
+ デフォルト Qt バージョン
Qt4ProjectManager::Internal::Qt4ProjectManagerPlugin
-
+
Run qmake
-
+ qmake 実行
Qt4ProjectManager::Internal::Qt4RunConfiguration
-
+
Qt4RunConfiguration
-
+ Qt4 実行構成
-
+
Could not parse %1. The Qt4 run configuration %2 can not be started.
-
+ %1 をパースできません。Qt4 の実行時の条件設定 %2 を開始できません。
Qt4ProjectManager::Internal::Qt4RunConfigurationWidget
-
+
Name:
- 名前:
+ 名前:
Executable:
-
+ 実行可能ファイル:
+
+
+
+ Select the working directory
+ 作業ディレクトリの選択
+ Reset to default
+ デフォルトに戻す
+
+
+
Working Directory:
- 作業ディレクトリ:
+ 作業ディレクトリ:
&Arguments:
-
+ 引数(&A):
Run in &Terminal
-
+ 端末内で実行(&T)
Use debug version of frameworks (DYLD_IMAGE_SUFFIX=_debug)
-
+ デバッグバージョンのフレームワークを使用する (DYLD_IMAGE_SUFFIX=_debug)
+
+
+
+ Qt4ProjectManager::Internal::QtOptionsPageWidget
+
+
+ <specify a name>
+ <名前を入力>
+
+
+
+ <specify a path>
+ <パスを入力>
+
+
+
+ Select QTDIR
+ QTDIR を選択してください
+
+
+
+ Select the Qt Directory
+ Qt のディレクトリの選択
+
+
+
+ The Qt Version %1 is not installed. Run make install
+ Qt バージョン %1 はインストールされていません。make install を実行してください
+
+
+
+ %1 is not a valid Qt directory
+ %1 は有効な Qt ディレクトリではありません
+
+
+
+ Found Qt version %1, using mkspec %2
+ Qt バージョン %1 mkspec %2 が見つかりました
Qt4ProjectManager::Internal::QtVersionManager
- Form
- フォーム
+
+ Qt versions
+ Qt バージョン
+
+
+
+ Name
+ 名前
+
+
+
+ Path
+ パス
+
+
+
+ Debugging Helper
+ デバッグヘルパ
+
+
+
+ +
+ +
+
+
+
+ -
+ -
+
+
+
+ Version Name:
+ バージョン名:
+
+
+
+ Path:
+ パス:
+
+
+
+ MinGw Directory:
+ MinGw ディレクトリ:
+
+
+
+ MSVC Version:
+ MSVC バージョン:
+
+
+
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">Unable to detect MSVC version.</span></p></body></html>
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:8.25pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" color:#ff0000;">MSVC のバージョンが検出できません。</span></p></body></html>
+
+
+
+ Debugging Helper:
+ デバッグヘルパ:
+
+
+
+ Show &Log
+ ログの表示(&L)
+
+
+
+ &Rebuild
+ リビルド(&R)
+
+
+
+ Default Qt Version:
+ デフォルト Qt バージョン:
@@ -9129,7 +9668,7 @@ to version control (%2)?
The project %1 could not be opened.
-
+ プロジェクト %1 を開けませんでした。
@@ -9137,118 +9676,118 @@ to version control (%2)?
Edit Variable
-
+ 変数を編集
Variable Name:
-
+ 変数名:
Assignment Operator:
-
+ 代入演算子:
Variable:
-
+ 変数:
Append (+=)
-
+ 追加 (+=)
Remove (-=)
-
+ 削除 (-=)
Replace (~=)
-
+ 置換 (~=)
Set (=)
-
+ 設定 (=)
Unique (*=)
-
+ 一意 (*=)
Select Item
-
+ 項目を選択
Edit Item
-
+ 項目を編集
Select Items
-
+ 項目を選択
Edit Items
-
+ 項目を編集
New
-
+ 新規作成
Remove
- 削除
+ 削除
Edit Values
-
+ 値を編集
Edit %1
-
+ %1 を編集
Edit Scope
-
+ スコープを編集
Edit Advanced Expression
-
+ 高度な式を編集
Qt4ProjectManager::MakeStep
-
+
<font color="#ff0000">Could not find make command: %1 in the build environment</font>
-
+ <font color="#ff0000">ビルド環境に make コマンド:%1 が見つかりませんでした</font>
-
+
<font color="#0000ff"><b>No Makefile found, assuming project is clean.</b></font>
-
+ <font color="#0000ff"><b>Makefile が見つかりませんでした、プロジェクトがクリーン状態の可能性があります。</b></font>
Qt4ProjectManager::MakeStepConfigWidget
-
+
Override %1:
-
+ %1 の代わりに使用するコマンド:
@@ -9258,58 +9797,229 @@ to version control (%2)?
<font color="#ff0000"><b>No valid Qt version set. Set one in Preferences </b></font>
-
+
+<font color="#ff0000"><b>有効な Qt バージョンが設定されていません。設定画面で1つ設定してください。</b></font>
+
<font color="#ff0000"><b>No valid Qt version set. Set one in Tools/Options </b></font>
-
+
+<font color="#ff0000"><b>有効な Qt バージョンが設定されていません。ツール/オプションで1つ設定してください。</b></font>
+
-
- QMAKESPEC from environment (%1) overrides mkspec of selected Qt (%2).
-
-
-
-
+
<font color="#0000ff">Configuration unchanged, skipping QMake step.</font>
-
+ <font color="#0000ff">構成が変更されていないので QMake ステップはスキップします。</font>
Qt4ProjectManager::Qt4Manager
-
+
Loading project %1 ...
-
+ プロジェクト %1 を読み込んでいます...
Failed opening project '%1': Project file does not exist
-
+ プロジェクト '%1' を開けません: プロジェクト ファイルが存在しません
Failed opening project
-
+ プロジェクトを開けません
Failed opening project '%1': Project already open
-
+ プロジェクト '%1' を開けません: プロジェクトは既に開かれています
Opening %1 ...
-
+ %1 を開いています...
Done opening project
-
+ プロジェクトを開きました
+
+
+
+ Qt4ProjectManager::QtVersionManager
+
+
+ <not found>
+ <見つかりません>
+
+
+
+
+ Auto-detected Qt
+ 自動検出した Qt
+
+
+
+ QtDumperHelper
+
+
+ <none>
+ <なし>
+
+
+
+ %n known types, Qt version: %1, Qt namespace: %2
+
+ 既知の型: %n, Qt バージョン: %1, Qt ネームスペース: %2
+
+
+
+
+ QtModulesInfo
+
+
+ QtCore Module
+ Qt Core モジュール
+
+
+
+ Core non-GUI classes used by other modules
+ コアは、他のモジュールから使用されている非GUIクラスです
+
+
+
+ QtGui Module
+ QtGui モジュール
+
+
+
+ Graphical user interface components
+ GUIコンポーネントです
+
+
+
+ QtNetwork Module
+ QtNetwork モジュール
+
+
+
+ Classes for network programming
+ ネットワーク プログラム向けのクラスです
+
+
+
+ QtOpenGL Module
+ Qt OpenGL モジュール
+
+
+
+ OpenGL support classes
+ OpenGL をサポートするクラスです
+
+
+
+ QtSql Module
+ QtSql モジュール
+
+
+
+ Classes for database integration using SQL
+ SQLを使ったデータベース統合の為のクラスです
+
+
+
+ QtScript Module
+ QtScript モジュール
+
+
+
+ Classes for evaluating Qt Scripts
+ Qt Script を評価する為のクラスです
+
+
+
+ QtSvg Module
+ QtSvg モジュール
+
+
+
+ Classes for displaying the contents of SVG files
+ SVG ファイルを表示する為のクラスです
+
+
+
+ QtWebKit Module
+ QtWebKit モジュール
+
+
+
+ Classes for displaying and editing Web content
+ Web コンテンツを表示したり編集したりする為のクラスです
+
+
+
+ QtXml Module
+ QtXml モジュール
+
+
+
+ Classes for handling XML
+ XML を取り扱う為のクラスです
+
+
+
+ QtXmlPatterns Module
+ QtXmlPatterns モジュール
+
+
+
+ An XQuery/XPath engine for XML and custom data models
+ XMLおよび独自データモデル用のXQuery/XPath エンジンです
+
+
+
+ Phonon Module
+ Phonon モジュール
+
+
+
+ Multimedia framework classes
+ マルチメディア フレームワーク クラス
+
+
+
+ Qt3Support Module
+ Qt3Support モジュール
+
+
+
+ Classes that ease porting from Qt 3 to Qt 4
+ Qt 3から Qt4 へ簡単に移植する為のクラスです
+
+
+
+ QtTest Module
+ QtTest モジュール
+
+
+
+ Tool classes for unit testing
+ ユニット テスト用のツールクラス
+
+
+
+ QtDBus Module
+ QtDBus モジュール
+
+
+
+ Classes for Inter-Process Communication using the D-Bus
+ D-Bus を使ったIPCを実現する為のクラスです
@@ -9317,31 +10027,35 @@ to version control (%2)?
Qt Script Error
-
+ Qt スクリプト エラー
QtScriptEditor::Internal::QtScriptEditorPlugin
+ Creates a Qt Script file.
+ Qt スクリプトファイルを作成する。
+
+
Qt Script file
-
+ Qt スクリプト ファイル
Qt
-
+ Qt
-
+
Run
- 実行
+ 実行
Ctrl+R
- Ctrl+R
+ Ctrl+R
@@ -9349,7 +10063,7 @@ to version control (%2)?
<Select Symbol>
-
+ <シンボルを選択>
@@ -9357,17 +10071,17 @@ to version control (%2)?
Filter Configuration
-
+ フィルタ設定
Limit to prefix
-
+ プレフィックスを制限する
Prefix:
-
+ プレフィクス:
@@ -9375,98 +10089,90 @@ to version control (%2)?
Generic Directory Filter
-
+ 通常のディレクトリ フィルタ
-
+
Filter Configuration
-
+ フィルタ設定
+
+
+
+ %1 filter update: %n files
+
+ %1 フィルタは %n 個のファイルをアップデートしました
+
-
-
- ,
- ,
-
-
-
+
Choose a directory to add
-
+ 追加するディレクトリを選択してください
%1 filter update: 0 files
-
+ フィルタ %1 でリフレッシュ: 0 個のファイル
-
- %1 filter update: %2 files
-
-
-
-
+
%1 filter update: canceled
-
+ フィルタ %1 でリフレッシュ: 中止しました
QuickOpen::Internal::DirectoryFilterOptions
- Dialog
-
-
-
-
Name:
- 名前:
+ 名前:
File Types:
-
+ ファイルの種類:
Specify file name filters, separated by comma. Filters may contain wildcards.
-
+ フィルタ名を入力してください。複数指定時は、カンマで区切って下さい。フィルタにはワイルドカードが使えます。
Prefix:
-
-
-
-
- Specify a short word/abbreviation that can be used to restrict completions to files from this directory tree.
-To do this you type this shortcut and a space in the QuickOpen entry field, and then the word to search for.
-
+ プレフィクス:
Limit to prefix
-
+ プレフィックスを制限する
Add...
-
+ 追加...
Edit...
-
+ 編集...
Remove
- 削除
+ 削除
Directories:
-
+ ディレクトリ:
+
+
+
+ Specify a short word/abbreviation that can be used to restrict completions to files from this directory tree.
+To do this, you type this shortcut and a space in the Locator entry field, and then the word to search for.
+ 短い単語や略語を指定すると、このディレクトリツリーで補完するファイル名を限定できるようになります。
+クイックオープンでの検索時に、ショートカットとスペースに続けて検索する単語を入力してください。
@@ -9474,7 +10180,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Files in file system
-
+ ファイル システム上のファイル
@@ -9482,27 +10188,27 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Filter configuration
-
+ フィルタ設定
Prefix:
-
+ プレフィクス:
Limit to prefix
-
+ プレフィックスを制限する
Include hidden files
-
+ 隠しファイルも含める
Filter:
-
+ フィルタ:
@@ -9510,7 +10216,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Open documents
-
+ ドキュメントを開く
@@ -9518,15 +10224,15 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Available filters
-
+ 使用可能なフィルタ
QuickOpen::Internal::QuickOpenPlugin
-
+
Indexing
-
+ 解析中
@@ -9534,27 +10240,27 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Refresh
-
+ 更新
Configure...
-
+ 構成...
-
+
Locate...
-
+ クイック アクセス...
Type to locate
-
+ キーを入力してください
-
+
<type here>
-
+ <入力してください>
@@ -9562,37 +10268,37 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Configure Filters
-
+ フィルタ設定
Add
- 追加
+ 追加
Remove
- 削除
-
-
-
- Edit
-
-
-
-
- Refresh Intervall:
-
+ 削除
min
-
+ 分
Refresh now!
-
+ 今すぐ更新!
+
+
+
+ Edit...
+ 編集...
+
+
+
+ Refresh Interval:
+ 更新間隔:
@@ -9600,7 +10306,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
%1 (Prefix: %2)
-
+ %1 (プレフィクス: %2)
@@ -9608,32 +10314,32 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Configure Filters
-
+ フィルタ設定
Add
- 追加
+ 追加
Remove
- 削除
+ 削除
Edit
-
+ 編集
Refresh Interval:
-
+ 更新間隔:
min
-
+ 分
@@ -9641,126 +10347,130 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
&Pattern:
-
+ パターン(&P):
&Escaped Pattern:
-
+ エスケープ パターン(&E):
&Pattern Syntax:
-
+ パターン シンタックス(&P):
&Text:
-
+ 文字列(&T):
Case &Sensitive
-
+ 大文字/小文字を区別(&C)
&Minimal
-
+ 最小化(&M)
Index of Match:
-
+ 合致したインデックス:
Matched Length:
-
+ 合致した長さ:
Regular expression v1
-
+ 正規表現 v1
Regular expression v2
-
+ 正規表現 v2
Wildcard
-
+ ワイルドカード
Fixed string
-
+ 固定文字列
Capture %1:
-
+ Capture %1:
Match:
-
+ 合致:
Regular Expression
-
+ 正規表現
Enter pattern from code...
-
+ コードからパターンを入力...
Clear patterns
-
+ パターンのクリア
Clear texts
-
+ 文字列のクリア
Enter pattern from code
-
+ コードからパターンを入力
Pattern
-
+ パターン
ResourceEditor::Internal::ResourceEditorPlugin
+ Creates a Qt Resource file (.qrc).
+ Qt リソースファイル(.qrc)を作成する。
+
+
- Resource file
-
+ Qt Resource file
+ Qt リソースファイル
Qt
-
+ Qt
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
@@ -9768,7 +10478,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
untitled
- 無題
+ 無題
@@ -9776,12 +10486,17 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Save Changes
-
+ 変更内容を保存
The following files have unsaved changes:
-
+ 以下のファイルは変更後、保存されていません:
+
+
+
+ Automatically save all files before building
+ ビルド前にすべてのファイルを自動的に保存する
@@ -9789,12 +10504,12 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Options
-
+ オプション
0
-
+ 0
@@ -9802,62 +10517,62 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Add Files
-
+ ファイルを追加
Add Prefix
-
+ プレフィックスを追加
Invalid file
-
+ 無効なファイル
Copy
-
+ コピー
Skip
-
+ スキップ
Abort
-
+ 中止する
The file %1 is not in a subdirectory of the resource file. Continuing will result in an invalid resource file.
-
+ ファイル '%1' は、リソースファイルのサブディレクトリ内に存在していません。続行した場合、不正なリソースファイルになる可能性があります。
Choose copy location
-
+ コピー先を選択してください
Overwrite failed
-
+ 上書き失敗
Could not overwrite file %1.
-
+ ファイル %1 を上書きできませんでした。
Copying failed
-
+ コピー失敗
Could not copy the file to %1.
-
+ ファイル %1 をコピーできませんでした。
@@ -9865,263 +10580,143 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Add Files...
-
+ ファイルを追加...
Change Alias...
-
+ エイリアスを変更...
Add Prefix...
-
+ プレフィックスを追加...
Change Prefix...
-
+ プレフィックスを変更...
Change Language...
-
+ 言語を変更...
Remove Item
-
+ 項目を削除
Open file
-
+ ファイルを開く
All files (*)
-
+ すべてのファイル (*)
Change Prefix
-
+ プレフィックスを変更
Input Prefix:
-
+ プレフィクス:
Change Language
-
+ 言語を変更
Language:
-
+ 言語:
Change File Alias
-
+ ファイル エイリアスを変更
Alias:
-
+ エイリアス:
ShortcutSettings
- Form
- フォーム
-
-
-
Keyboard Shortcuts
-
+ キーボード ショートカット
Filter:
-
+ フィルタ:
Command
-
+ コマンド
Label
-
+ ラベル
Shortcut
-
+ ショートカット
Defaults
-
+ デフォルト
Import...
-
+ インポート...
Export...
-
+ エクスポート...
Key Sequence
-
+ キー シーケンス
Shortcut:
-
+ ショートカット:
Reset
-
+ リセット
Remove
- 削除
+ 削除
ShowBuildLog
-
+
Debugging Helper Build Log
-
-
-
-
- QtModulesInfo
-
- QtCore Module
-
-
-
- Core non-GUI classes used by other modules
-
-
-
- QtGui Module
-
-
-
- Graphical user interface components
-
-
-
- QtNetwork Module
-
-
-
- Classes for network programming
-
-
-
- QtOpenGL Module
-
-
-
- OpenGL support classes
-
-
-
- QtSql Module
-
-
-
- Classes for database integration using SQL
-
-
-
- QtScript Module
-
-
-
- Classes for evaluating Qt Scripts
-
-
-
- QtSvg Module
-
-
-
- Classes for displaying the contents of SVG files
-
-
-
- QtWebKit Module
-
-
-
- Classes for displaying and editing Web content
-
-
-
- QtXml Module
-
-
-
- Classes for handling XML
-
-
-
- QtXmlPatterns Module
-
-
-
- An XQuery/XPath engine for XML and custom data models
-
-
-
- Phonon Module
-
-
-
- Multimedia framework classes
-
-
-
- Qt3Support Module
-
-
-
- Classes that ease porting from Qt 3 to Qt 4
-
-
-
- QtTest Module
-
-
-
- Tool classes for unit testing
-
-
-
- QtDBus module
-
-
-
- Classes for Inter-Process Communication using the D-Bus
-
+ デバッグヘルパのビルドログ
@@ -10129,7 +10724,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Snippets
-
+ スニペット
@@ -10137,7 +10732,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Snippets
-
+ スニペット
@@ -10145,50 +10740,78 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Executable:
-
+ 実行可能ファイル:
Arguments:
- 引数:
+ 引数:
Start Debugger
-
+ デバッガ起動
+
+
+
+ Break at 'main':
+ 'main' 関数で停止:
+
+
+
+ StartRemoteDialog
+
+
+ Start Debugger
+ デバッガ起動
+
+
+
+ Host and port:
+ ホストおよびポート番号:
+
+
+
+ Architecture:
+ アーキテクチャ:
+
+
+
+ Use server start script:
+ サーバのスタートアップスクリプトを使用:
+
+
+
+ Server start script:
+ サーバのスタートアップスクリプト:
Subversion::Internal::SettingsPage
- Form
- フォーム
-
-
-
Subversion Command:
-
+ Subversion コマンド:
Authentication
-
+ 認証情報
User name:
-
+ ユーザ名:
Password:
-
+ パスワード:
Subversion
-
+ Subversion
@@ -10196,7 +10819,7 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Subversion Command
-
+ Subversion コマンド
@@ -10204,232 +10827,233 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Subversion Output
-
+ Subversion 出力
Subversion
-
+ Subversion
Subversion::Internal::SubversionPlugin
-
+
&Subversion
-
+ Subversion(&S)
Add
- 追加
+ 追加
+
+
+
+ Add "%1"
+ "%1" を追加
Alt+S,Alt+A
-
+ Alt+S,Alt+A
Delete
- 削除
+ 削除
+
+
+
+ Delete "%1"
+ "%1" を削除
Revert
-
+ 元に戻す
+
+
+
+ Revert "%1"
+ "%1" を元に戻す
Diff Project
-
+ プロジェクトの差分表示
Diff Current File
-
+ 現在のファイルの差分表示
+
+
+
+ Diff "%1"
+ "%1" の差分表示
Alt+S,Alt+D
-
+ Alt+S,Alt+D
Commit All Files
-
+ すべてのファイルをコミット
Commit Current File
-
+ 現在のファイルをコミット
+
+
+
+ Commit "%1"
+ "%1" をコミット
Alt+S,Alt+C
-
+ Alt+S,Alt+C
Filelog Current File
-
+ 現在のファイルログ
+
+
+
+ Filelog "%1"
+ "%1" のファイルログ
Annotate Current File
-
+ 現在のファイルのアノテーション
+
+
+
+ Annotate "%1"
+ "%1" のアノテーション
Describe...
-
+ 説明...
Project Status
-
+ プロジェクトの状態
Update Project
-
+ プロジェクトをアップデート
Commit
-
+ コミット
Diff Selected Files
-
+ 選択済みファイルの差分表示
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
Closing Subversion Editor
-
+ Subversion エディタを閉じようとしています
Do you want to commit the change?
-
+ 変更内容をコミットしますか?
The commit message check failed. Do you want to commit the change?
-
+ コミットメッセージが確認できませんでした。変更をコミットしますか?
-
- Add %1
-
-
-
-
- Delete %1
-
-
-
-
- Revert %1
-
-
-
-
- Diff %1
-
-
-
-
- Commit %1
-
-
-
-
- Filelog %1
-
-
-
-
- Annotate %1
-
-
-
-
+
The file has been changed. Do you want to revert it?
-
+ ファイルは変更されていますが、元にもどしますか?
The commit list spans several respositories (%1). Please commit them one by one.
-
+ 複数のリポジトリ (%1) に対するコミットリストです。1つずつコミットしてください。
-
+
Another commit is currently being executed.
-
+ 別のコミットが実行中です。
There are no modified files.
-
+ 変更されたファイルはありません。
Cannot create temporary file: %1
-
+ 一時ファイルを作成できません: %1
-
+
Describe
-
+ 説明
Revision number:
-
+ リビジョン番号:
No subversion executable specified!
-
+ subvesion 実行可能ファイルが指定されていません!
%1 Executing: %2 %3
<timestamp> Executing: <executable> <arguments>
-
+ %1 実行中: %2 %3
+
The process terminated with exit code %1.
-
+ プロセスは終了コード %1 で終了しました。
The process terminated abnormally.
-
+ プロセスは異常終了しました。
Could not start subversion '%1'. Please check your settings in the preferences.
-
+ Subversion '%1' を開始できませんでした。設定を確認してください。
Subversion did not respond within timeout limit (%1 ms).
-
+ Subversion がタイムアウト制限時間 (%1 ミリ秒) 内に応答を返しませんでした。
@@ -10437,164 +11061,174 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Subversion Submit
-
+ Subversion コミット
TextEditor::BaseFileFind
-
-
+
+
%1 found
- %1 件 見つかりました
+ %1 件 見つかりました
List of comma separated wildcard filters
-
+ カンマで区切られたワイルドカード フィルタの一覧
Use Regular E&xpressions
-
+ 正規表現を使用(&X)
TextEditor::BaseTextDocument
-
+
untitled
- 無題
+ 無題
-
+
<em>Binary data</em>
- <em>バイナリ データ</em>
+ <em>バイナリ データ</em>
TextEditor::BaseTextEditor
-
+
Print Document
- ドキュメントを印刷
+ ドキュメントを印刷
-
+
<b>Error:</b> Could not decode "%1" with "%2"-encoding. Editing not possible.
-
+ <b>エラー:</b> "%1" を "%2" でデコードできませんでした。編集できません。
Select Encoding
- 文字コードを選択してください
+ 文字コードを選択してください
TextEditor::BaseTextEditorEditable
-
+
Line: %1, Col: %2
-
+ 行番号: %1, 列位置: %2
Line: %1, Col: 999
-
+ 行番号: %1, 列位置: 999
TextEditor::BehaviorSettingsPage
- Form
- フォーム
-
-
-
Storage
-
+ 保存
Removes trailing whitespace on saving.
-
+ 保存時に末尾の空白を削除する。
&Clean whitespace
-
+ 空白をクリーン(&C)
Clean whitespace in entire document instead of only for changed parts.
-
+ 変更された部分だけでなくドキュメント全体の空白を除去します。
In entire &document
-
+ ドキュメント全体に適用(&D)
Correct leading whitespace according to tab settings.
-
+ タブ設定に従って先頭の空白を正しくします。
Clean indentation
-
+ インデントをクリーン
&Ensure newline at end of file
-
+ ファイルの末尾に必ず空行を入れる(&E)
Tabs and Indentation
-
+ タブとインデント
Ta&b size:
-
+ タブ サイズ(&B):
&Indent size:
-
+ インデント サイズ(&I):
Backspace will go back one indentation level instead of one space.
-
+ Backspace を押した時に空白の代わりに1レベル上げます。
&Backspace follows indentation
-
+ Backspace でインデントに追随する(&B)
Insert &spaces instead of tabs
-
+ タブの代わりに空白を挿入(&S)
Enable automatic &indentation
-
+ 自動インデントを有効にする(&I)
+
+
+
+ Tab key performs auto-indent:
+ タブキーで自動インデントを行う:
+
+
+
+ Never
+ 実行しない
+
+
+
+ Always
+ 常に行う
+
+
+
+ In leading white space
+ 先頭の空白では行う
TextEditor::DisplaySettingsPage
- Form
- フォーム
-
-
-
Display
表示
@@ -10606,56 +11240,72 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Display &folding markers
-
+ 折り畳みマーカーの表示(&F)
Show tabs and spaces.
-
+ タブと空白を表示します。
&Visualize whitespace
-
+ 空白の可視化(&V)
Highlight current &line
-
+ カーソル行をハイライトする(&L)
Text Wrapping
-
+ 行の折り返し
Enable text &wrapping
-
+ 行の折り返しを有効にする(&W)
Display right &margin at column:
-
+ 右マージンを表示する列位置(&M):
Highlight &blocks
-
+ ブロックをハイライトする(&B)
+
+
+
+ Animate matching parentheses
+ 対応する括弧をアニメーション表示する
+
+
+
+ Navigation
+ ナビゲーション
+
+
+
+ Enable &mouse navigation
+ マウスナビゲーションを有効にする(&M)
TextEditor::FontSettingsPage
-
+
Font & Colors
-
+ フォント & 色
-
+
This is only an example.
-
+
+ This is only an example.
@@ -10663,28 +11313,36 @@ To do this you type this shortcut and a space in the QuickOpen entry field, and
Text Encoding
-
+ 文字コードの指定
The following encodings are likely to fit:
-
+ 以下のエンコードが適していそうです:
Select encoding for "%1".%2
-
+ "%1" の文字コードを選択してください。%2
Reload with Encoding
-
+ 指定された文字コードで再読込
Save with Encoding
-
+ 指定された文字コードで保存
+
+
+
+ TextEditor::Internal::FindInCurrentFile
+
+
+ Current File
+ 現在のファイル
@@ -10692,40 +11350,35 @@ The following encodings are likely to fit:
Files on Disk
-
+ ディスク上のファイル
&Directory:
-
+ ディレクトリ(&D):
&Browse
-
+ 参照(&B)
File &pattern:
- ファイル パターン(&P):
+ ファイル パターン(&P):
Directory to search
-
+ 検索対象ディレクトリの指定
TextEditor::Internal::FontSettingsPage
- Form
- フォーム
-
-
-
Family:
-
+ フォント名:
@@ -10745,37 +11398,42 @@ The following encodings are likely to fit:
Background:
-
+ 背景色:
Foreground:
-
+ 前景色:
Erase background
-
+ 背景色をクリア
x
-
+ x
Preview:
-
+ プレビュー:
Font
-
+ フォント
Color Scheme
-
+ カラー スキーム
+
+
+
+ Antialias
+ アンチエイリアス
@@ -10783,248 +11441,273 @@ The following encodings are likely to fit:
Line in current document
-
+ 現在のドキュメントの行番号
Line %1
-
+ %1 行
TextEditor::Internal::TextEditorPlugin
-
- This creates a new text file (.txt)
-
+
+ Creates a text file (.txt).
+ テキストファイル(.txt)を作成する。
Text File
-
+ テキスト ファイル
General
- 全般
+ 概要
Triggers a completion in this scope
-
+ スコープ内で補完する場合のトリガー
Ctrl+Space
-
+ Ctrl+Space
Meta+Space
-
+ Meta+Space
TextEditor::TextEditorActionHandler
-
+
&Undo
- 元に戻す(&U)
+ 元に戻す(&U)
&Redo
- やり直す(&R)
+ やり直す(&R)
Select Encoding...
-
+ 文字コードを選択...
Auto-&indent Selection
-
+ 選択範囲を自動インデント(&I)
Ctrl+I
-
+ Ctrl+I
&Visualize Whitespace
-
+ 空白の可視化(&V)
Ctrl+E, Ctrl+V
-
+ Ctrl+E, Ctrl+V
Clean Whitespace
-
+ 空白の除去
Enable Text &Wrapping
-
+ 文字の折り返しを有効にする(&W)
Ctrl+E, Ctrl+W
-
+ Ctrl+E, Ctrl+W
(Un)Comment &Selection
-
+ 選択範囲のコメント/非コメント化(&S)
Ctrl+/
-
+ Ctrl+/
-
+
Delete &Line
-
+ 行削除(&L)
-
+
Shift+Del
-
+ Shift+Del
-
+
+ Cut &Line
+ 一行切り取り(&L)
+
+
+
Collapse
-
+ 折りたたみ
Ctrl+<
-
+ Ctrl+<
Expand
-
+ 展開する
Ctrl+>
-
+ Ctrl+>
(Un)&Collapse All
-
+ すべて折りたたむ/展開する(&C)
Increase Font Size
-
+ フォントを大きく
Ctrl++
-
+ Ctrl++
Decrease Font Size
-
+ フォントを小さく
Ctrl+-
-
+ Ctrl+-
Goto Block Start
-
+ ブロックの開始位置に移動
Ctrl+[
-
+ Ctrl+[
Goto Block End
-
+ ブロックの終了位置に移動
Ctrl+]
-
+ Ctrl+]
Goto Block Start With Selection
-
+ 選択範囲内のブロックの開始位置に移動
Ctrl+{
-
+ Ctrl+{
Goto Block End With Selection
-
+ 選択範囲内のブロックの終了位置に移動
Ctrl+}
-
+ Ctrl+}
Select Block Up
-
+ 選択したブロックを上へ
Ctrl+U
-
+ Ctrl+U
Select Block Down
-
+ 選択したブロックを下へ
Ctrl+Shift+U
-
+ Ctrl+Shift+U
Move Line Up
-
+ 行を上に移動
Ctrl+Shift+Up
-
+ Ctrl+Shift+Up
Move Line Down
-
+ 行を下に移動
Ctrl+Shift+Down
-
+ Ctrl+Shift+Down
+
+
+
+ Copy Line Up
+ 上の行にコピー
+
+
+
+ Ctrl+Alt+Up
+ Ctrl+Alt+Up
+
+
+
+ Copy Line Down
+ 下の行にコピー
+
+
+
+ Ctrl+Alt+Down
+ Ctrl+Alt+Down
<line number>
-
+ <行番号>
@@ -11032,134 +11715,139 @@ The following encodings are likely to fit:
Text
-
+ テキスト
Link
-
+ リンク
Selection
-
+ 選択した部分
Line Number
-
+ 行番号
Search Result
-
+ 検索結果
Search Scope
-
+ 検索範囲
Parentheses
-
+ 括弧
Current Line
-
+ カーソル行
-
+
+ Current Line Number
+ 現在の行番号
+
+
+
Number
-
+ 番号
String
-
+ 文字列
Type
- 型
+ 型
Keyword
-
+ キーワード
Operator
-
+ 演算子
Preprocessor
-
+ プリプロセッサ
Label
-
+ ラベル
Comment
-
+ コメント
Doxygen Comment
-
+ Doxygen 用コメント
Doxygen Tag
-
+ Doxygen 用タグ
Disabled Code
-
+ 無効化されたコード
Added Line
-
+ 追加した行
Removed Line
-
+ 削除した行
Diff File
-
+ 差分ファイル
Diff Location
-
+ 差異のある行
Text Editor
- テキスト エディタ
+ テキスト エディタ
Behavior
-
+ 動作
Display
- 表示
+ 表示
@@ -11167,27 +11855,27 @@ The following encodings are likely to fit:
Choose a topic for <b>%1</b>:
-
+ <b>%1</b> の検索先トピックを選択してください:
Choose Topic
-
+ トピックを選択
&Topics
-
+ トピック(&T)
&Display
-
+ 表示(&D)
&Close
- 閉じる(&C)
+ 閉じる(&C)
@@ -11195,12 +11883,12 @@ The following encodings are likely to fit:
Version Control
-
+ バージョン管理システム
Common
-
+ 共通
@@ -11208,27 +11896,27 @@ The following encodings are likely to fit:
Name
-
+ 名前
E-mail
-
+ E-mail
Alias
-
+ エイリアス
Alias e-mail
-
+ エイリアスのE-mail
Cannot open '%1': %2
-
+ '%1' を開けません: %2
@@ -11236,112 +11924,108 @@ The following encodings are likely to fit:
State
-
+ 状態
File
- ファイル
+ ファイル
VCSBase::VCSBaseEditor
-
+
Describe change %1
-
+ %1 の変更点についての説明
VCSBase::VCSBaseSubmitEditor
-
+
Check message
-
+ メッセージをチェック
Insert name...
-
+ 名前を挿入...
Submit Message Check failed
-
+ メッセージチェックのサブミットに失敗しました
Unable to open '%1': %2
-
+ '%1' を開けません: %2
The check script '%1' could not be started: %2
-
+ チェックスクリプト '%1' が開始できません: %2
The check script '%1' could not be run: %2
-
+ チェックスクリプト '%1' が実行できません: %2
The check script returned exit code %1.
-
+ チェックスクリプトの終了コードは %1 です。
VCSBaseSettingsPage
- Form
- フォーム
-
-
-
Common
-
+ 共通
Prompt to submit
-
+ コミット前に確認する
Wrap submit message at:
-
+ コミット時のメッセージを折り返す:
An executable which is called with the submit message in a temporary file as first argument. It should return with an exit != 0 and a message on standard error to indicate failure.
-
+ コミットメッセージが書かれた一時ファイルを第一引数に取る実行ファイル。エラーが発生した場合には標準エラー出力にメッセージを出力し、0以外の終了コードを返してください。
Submit message check script:
-
+ コミット時のメッセージチェックスクリプト:
A file listing user names and email addresses in a 4-column mailmap format:
name <email> alias <email>
-
+ 4列の mailmap フォーマットでユーザ名およびemailアドレスを記述したファイル:
+名前 <emailアドレス> alias <emailアドレス>
User/alias configuration file:
-
+ ユーザ/エイリアス設定ファイル:
A simple file containing lines with field names like "Reviewed-By:" which will be added below the submit editor.
-
+ サブミットエディタで追加したいフィールド名(たとえば"Reviewed-By:")を各行に記述したテキストファイル。
User fields configuration file:
-
+ ユーザフィールドの設定ファイル:
@@ -11349,13 +12033,14 @@ name <email> alias <email>
Version Control
-
+ バージョン管理
Would you like to remove this file from the version control system (%1)?
Note: This might remove the local file.
-
+ バージョン管理システム (%1) から、このファイルを削除しますか?
+注意: ローカルにあるファイルも一緒に削除されます。
@@ -11363,25 +12048,25 @@ Note: This might remove the local file.
Paste
-
+ 貼り付け
<Username>
-
+ <ユーザ名>
<Description>
-
+ <説明>
<Comment>
-
+ <コメント>
@@ -11389,27 +12074,27 @@ Note: This might remove the local file.
Send to Codepaster
-
+ コード ペースターに送る
&Username:
-
+ ユーザー名(&U):
<Username>
-
+ <ユーザ名>
&Description:
-
+ 説明(&D):
<Description>
-
+ <説明>
@@ -11417,22 +12102,25 @@ Note: This might remove the local file.
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;">
<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><Comment></p></body></html>
-
+ <html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'Sans Serif'; font-size:9pt; font-weight:400; font-style:normal;">
+<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><コメント></p></body></html>
Parts to send to codepaster
-
+ コード ペースターに送る部品
Patch 1
-
+ Patch 1
Patch 2
-
+ Patch 2
@@ -11440,27 +12128,27 @@ p, li { white-space: pre-wrap; }
main
-
+ main
Text1:
-
+ Text1:
N/A
-
+ N/A
Text2:
-
+ Text2:
Text3:
-
+ Text3:
diff --git a/share/qtcreator/translations/translations.pro b/share/qtcreator/translations/translations.pro
index 913f8f6eb55..c83f350aedf 100644
--- a/share/qtcreator/translations/translations.pro
+++ b/share/qtcreator/translations/translations.pro
@@ -1,6 +1,6 @@
include(../../../qtcreator.pri)
-LANGUAGES = de it ja ru
+LANGUAGES = de es it ja ru
# var, prepend, append
defineReplace(prependAll) {
diff --git a/src/plugins/cppeditor/cppeditor.cpp b/src/plugins/cppeditor/cppeditor.cpp
index 28c9e1a40ec..a62d33ea4b8 100644
--- a/src/plugins/cppeditor/cppeditor.cpp
+++ b/src/plugins/cppeditor/cppeditor.cpp
@@ -380,7 +380,8 @@ void CPPEditor::createToolBar(CPPEditorEditable *editable)
QToolBar *toolBar = editable->toolBar();
QList actions = toolBar->actions();
- toolBar->insertWidget(actions.first(), m_methodCombo);
+ QWidget *w = toolBar->widgetForAction(actions.first());
+ static_cast(w->layout())->insertWidget(0, m_methodCombo, 1);
}
int CPPEditor::previousBlockState(QTextBlock block) const
diff --git a/src/plugins/debugger/cdb/cdbdebugengine.cpp b/src/plugins/debugger/cdb/cdbdebugengine.cpp
index 20f93aff20b..e6243a56c15 100644
--- a/src/plugins/debugger/cdb/cdbdebugengine.cpp
+++ b/src/plugins/debugger/cdb/cdbdebugengine.cpp
@@ -760,6 +760,12 @@ void CdbDebugEnginePrivate::endDebugging(EndDebuggingMode em)
}
setDebuggeeHandles(0, 0);
m_engine->killWatchTimer();
+
+ // Clean up resources (open files, etc.)
+ hr = m_cif.debugClient->EndSession(DEBUG_END_PASSIVE);
+ if (FAILED(hr))
+ errorMessage += msgComFailed("EndSession", hr);
+
if (!errorMessage.isEmpty()) {
errorMessage = QString::fromLatin1("There were errors trying to end debugging: %1").arg(errorMessage);
m_debuggerManagerAccess->showDebuggerOutput(QLatin1String("error"), errorMessage);
diff --git a/src/plugins/debugger/debuggerplugin.cpp b/src/plugins/debugger/debuggerplugin.cpp
index edb1d9986ff..e4f90707f61 100644
--- a/src/plugins/debugger/debuggerplugin.cpp
+++ b/src/plugins/debugger/debuggerplugin.cpp
@@ -1210,7 +1210,9 @@ void DebuggerPlugin::startExternalApplication()
setConfigValue(_("LastExternalExecutableArguments"),
dlg.executableArguments());
sp->executable = dlg.executableFile();
- sp->processArgs = dlg.executableArguments().split(QLatin1Char(' '));
+ if (!dlg.executableArguments().isEmpty())
+ sp->processArgs = dlg.executableArguments().split(QLatin1Char(' '));
+
if (dlg.breakAtMain())
m_manager->breakByFunctionMain();
diff --git a/src/plugins/git/gitclient.cpp b/src/plugins/git/gitclient.cpp
index 7eabc65001e..e862ef95c36 100644
--- a/src/plugins/git/gitclient.cpp
+++ b/src/plugins/git/gitclient.cpp
@@ -546,7 +546,13 @@ bool GitClient::synchronousGit(const QString &workingDirectory,
environment.set(QLatin1String("PATH"), m_settings.path);
process.setEnvironment(environment.toStringList());
- process.start(m_binaryPath, arguments);
+#ifdef Q_OS_WIN
+ QStringList args;
+ args << "/c" << m_binaryPath << arguments;
+ process.start(QLatin1String("cmd.exe"), args);
+#else
+ process.start(m_binaryPath, arguments);
+#endif
process.closeWriteChannel();
if (!process.waitForFinished()) {
diff --git a/src/plugins/projectexplorer/environmenteditmodel.cpp b/src/plugins/projectexplorer/environmenteditmodel.cpp
index 36cb7a3aa61..0a2ceb20fdd 100644
--- a/src/plugins/projectexplorer/environmenteditmodel.cpp
+++ b/src/plugins/projectexplorer/environmenteditmodel.cpp
@@ -55,7 +55,7 @@ void EnvironmentModel::updateResultEnvironment()
m_resultEnvironment.modify(m_items);
foreach (const EnvironmentItem &item, m_items) {
if (item.unset) {
- m_resultEnvironment.set(item.name, "");
+ m_resultEnvironment.set(item.name, QLatin1String(""));
}
}
}
@@ -127,7 +127,7 @@ QVariant EnvironmentModel::data(const QModelIndex &index, int role) const
return m_resultEnvironment.value(m_resultEnvironment.constBegin() + index.row());
} else {
if (m_items.at(index.row()).unset)
- return "";
+ return QLatin1String("");
else
return m_items.at(index.row()).value;
}
@@ -285,7 +285,7 @@ bool EnvironmentModel::setData(const QModelIndex &index, const QVariant &value,
QModelIndex EnvironmentModel::addVariable()
{
- const QString &name = "";
+ const QString &name = QLatin1String("");
if (m_mergedEnvironments) {
int i = findInResult(name);
if (i != -1)
@@ -296,7 +296,7 @@ QModelIndex EnvironmentModel::addVariable()
return index(i, 0, QModelIndex());
}
// Don't exist, really add them
- return addVariable(EnvironmentItem(name, ""));
+ return addVariable(EnvironmentItem(name, QLatin1String("")));
}
QModelIndex EnvironmentModel::addVariable(const EnvironmentItem &item)
@@ -442,21 +442,21 @@ EnvironmentWidget::EnvironmentWidget(QWidget *parent)
QVBoxLayout *verticalLayout_2 = new QVBoxLayout();
m_editButton = new QPushButton(this);
- m_editButton->setText("&Edit");
+ m_editButton->setText(tr("&Edit"));
verticalLayout_2->addWidget(m_editButton);
m_addButton = new QPushButton(this);
- m_addButton->setText("&Add");
+ m_addButton->setText(tr("&Add"));
verticalLayout_2->addWidget(m_addButton);
m_removeButton = new QPushButton(this);
m_removeButton->setEnabled(false);
- m_removeButton->setText("&Reset");
+ m_removeButton->setText(tr("&Reset"));
verticalLayout_2->addWidget(m_removeButton);
m_unsetButton = new QPushButton(this);
m_unsetButton->setEnabled(false);
- m_unsetButton->setText("&Unset");
+ m_unsetButton->setText(tr("&Unset"));
verticalLayout_2->addWidget(m_unsetButton);
QSpacerItem *verticalSpacer = new QSpacerItem(20, 40, QSizePolicy::Minimum, QSizePolicy::Expanding);
diff --git a/src/plugins/qtscripteditor/qtscripteditor.cpp b/src/plugins/qtscripteditor/qtscripteditor.cpp
index 16244140235..47f7386ba75 100644
--- a/src/plugins/qtscripteditor/qtscripteditor.cpp
+++ b/src/plugins/qtscripteditor/qtscripteditor.cpp
@@ -52,8 +52,9 @@
#include
#include
-#include
#include
+#include
+#include
enum {
UPDATE_DOCUMENT_DEFAULT_INTERVAL = 100
@@ -386,7 +387,8 @@ void ScriptEditor::createToolBar(ScriptEditorEditable *editable)
QToolBar *toolBar = editable->toolBar();
QList actions = toolBar->actions();
- toolBar->insertWidget(actions.first(), m_methodCombo);
+ QWidget *w = toolBar->widgetForAction(actions.first());
+ static_cast(w->layout())->insertWidget(0, m_methodCombo, 1);
}
void ScriptEditor::contextMenuEvent(QContextMenuEvent *e)
diff --git a/src/plugins/texteditor/basetexteditor.cpp b/src/plugins/texteditor/basetexteditor.cpp
index 53be7c83acb..6acbb670614 100644
--- a/src/plugins/texteditor/basetexteditor.cpp
+++ b/src/plugins/texteditor/basetexteditor.cpp
@@ -2775,6 +2775,13 @@ void BaseTextEditor::extraAreaMouseEvent(QMouseEvent *e)
}
}
+ // Set whether the mouse cursor is a hand or normal arrow
+ if (e->type() == QEvent::MouseMove) {
+ bool hand = (e->pos().x() <= markWidth);
+ if (hand != (d->m_extraArea->cursor().shape() == Qt::PointingHandCursor))
+ d->m_extraArea->setCursor(hand ? Qt::PointingHandCursor : Qt::ArrowCursor);
+ }
+
if (e->type() == QEvent::MouseButtonPress || e->type() == QEvent::MouseButtonDblClick) {
if (e->button() == Qt::LeftButton) {
int boxWidth = collapseBoxWidth(fontMetrics());
@@ -4094,6 +4101,7 @@ BaseTextEditorEditable::BaseTextEditorEditable(BaseTextEditor *editor)
QWidget *w = new QWidget;
l->setMargin(0);
l->setContentsMargins(5, 0, 5, 0);
+ l->addStretch(0);
l->addWidget(m_cursorPositionLabel);
w->setLayout(l);
diff --git a/src/plugins/texteditor/fontsettingspage.cpp b/src/plugins/texteditor/fontsettingspage.cpp
index 740740443c0..cb199388281 100644
--- a/src/plugins/texteditor/fontsettingspage.cpp
+++ b/src/plugins/texteditor/fontsettingspage.cpp
@@ -143,10 +143,23 @@ QString FormatDescription::trName() const
QColor FormatDescription::foreground() const
{
- if (m_name == QLatin1String(Constants::C_LINE_NUMBER))
- return QApplication::palette().dark().color();
- if (m_name == QLatin1String(Constants::C_PARENTHESES))
+ if (m_name == QLatin1String(Constants::C_LINE_NUMBER)) {
+ const QColor bg = QApplication::palette().background().color();
+ if (bg.value() < 128) {
+ return QApplication::palette().foreground().color();
+ } else {
+ return QApplication::palette().dark().color();
+ }
+ } else if (m_name == QLatin1String(Constants::C_CURRENT_LINE_NUMBER)) {
+ const QColor bg = QApplication::palette().background().color();
+ if (bg.value() < 128) {
+ return QApplication::palette().foreground().color();
+ } else {
+ return m_format.foreground();
+ }
+ } else if (m_name == QLatin1String(Constants::C_PARENTHESES)) {
return QColor(Qt::red);
+ }
return m_format.foreground();
}
diff --git a/src/shared/cplusplus/AST.cpp b/src/shared/cplusplus/AST.cpp
index 77461d53d9d..97121d3c7e0 100644
--- a/src/shared/cplusplus/AST.cpp
+++ b/src/shared/cplusplus/AST.cpp
@@ -843,15 +843,23 @@ void DeclaratorListAST::accept0(ASTVisitor *visitor)
unsigned DeclaratorListAST::firstToken() const
{
+ if (comma_token)
+ return comma_token;
+
return declarator->firstToken();
}
unsigned DeclaratorListAST::lastToken() const
{
for (const DeclaratorListAST *it = this; it; it = it->next) {
- if (! it->next)
- return it->declarator->lastToken();
+ if (! it->next) {
+ if (it->declarator)
+ return it->declarator->lastToken();
+ else if (it->comma_token)
+ return it->comma_token + 1;
+ }
}
+
return 0;
}
@@ -2033,10 +2041,8 @@ unsigned SimpleDeclarationAST::lastToken() const
if (semicolon_token)
return semicolon_token + 1;
- for (DeclaratorListAST *it = declarators; it; it = it->next) {
- if (! it->next)
- return it->lastToken();
- }
+ if (declarators)
+ return declarators->lastToken();
for (SpecifierAST *it = decl_specifier_seq; it; it = it->next) {
if (! it->next)
diff --git a/src/tools/qtcdebugger/main.cpp b/src/tools/qtcdebugger/main.cpp
index 2f1e648647a..80c39de8edf 100644
--- a/src/tools/qtcdebugger/main.cpp
+++ b/src/tools/qtcdebugger/main.cpp
@@ -51,6 +51,7 @@ enum { debug = 0 };
static const char *titleC = "Qt Creator Debugger";
static const char *organizationC = "Nokia";
+static const char *applicationFileC = "qtcdebugger";
static const WCHAR *debuggerRegistryKeyC = L"Software\\Microsoft\\Windows NT\\CurrentVersion\\AeDebug";
// Optional
@@ -67,7 +68,7 @@ static inline QString wCharToQString(const WCHAR *w) { return QString::fromUtf16
#endif
-enum Mode { HelpMode, PromptMode, ForceCreatorMode, ForceDefaultMode };
+enum Mode { HelpMode, InstallMode, UninstallMode, PromptMode, ForceCreatorMode, ForceDefaultMode };
Mode optMode = PromptMode;
bool optIsWow = false;
@@ -112,6 +113,10 @@ static bool parseArguments(const QStringList &args, QString *errorMessage)
optMode = ForceCreatorMode;
} else if (arg == QLatin1String("default")) {
optMode = ForceDefaultMode;
+ } else if (arg == QLatin1String("install")) {
+ optMode = InstallMode;
+ } else if (arg == QLatin1String("uninstall")) {
+ optMode = UninstallMode;
} else if (arg == QLatin1String("wow")) {
optIsWow = true;
} else {
@@ -134,9 +139,16 @@ static bool parseArguments(const QStringList &args, QString *errorMessage)
}
}
}
- if (optMode != HelpMode && argProcessId == 0) {
- *errorMessage = QString::fromLatin1("Please specify the process-id.");
- return false;
+ switch (optMode) {
+ case HelpMode:
+ case InstallMode:
+ case UninstallMode:
+ break;
+ default:
+ if (argProcessId == 0) {
+ *errorMessage = QString::fromLatin1("Please specify the process-id.");
+ return false;
+ }
}
return true;
}
@@ -154,10 +166,12 @@ static void usage(const QString &binary, const QString &message = QString())
str << "" << message << "";
}
str << ""
- << "Usage: " << QFileInfo(binary).baseName() << "[-wow] [-help|-?|qtcreator|default] <process-id> <event-id>\n"
+ << "Usage: " << QFileInfo(binary).baseName() << "[-wow] [-help|-?|qtcreator|default|install|uninstall] <process-id> <event-id>\n"
<< "Options: -help, -? Display this help\n"
<< " -qtcreator Launch Qt Creator without prompting\n"
<< " -default Launch Default handler without prompting\n"
+ << " -install Install itself (requires administrative privileges)\n"
+ << " -uninstall Uninstall itself (requires administrative privileges)\n"
<< " -wow Indicates Wow32 call\n"
<< ""
<< "To install, modify the registry key HKEY_LOCAL_MACHINE\\" << wCharToQString(debuggerRegistryKeyC)
@@ -169,6 +183,8 @@ static void usage(const QString &binary, const QString &message = QString())
<< ""
<< "
On 64-bit systems, do the same for the key HKEY_LOCAL_MACHINE\\" << wCharToQString(debuggerWow32RegistryKeyC) << ", "
<< "setting the new value to
\"" << QDir::toNativeSeparators(binary) << "\" -wow %ld %ld
"
+ << "How to run a command with administrative privileges:
"
+ << "runas /env /noprofile /user:Administrator \"command arguments\"
"
<< "