gebabbel-0.4+repack/0000755000175000017500000000000011117571025013331 5ustar hannohannogebabbel-0.4+repack/src/0000755000175000017500000000000010645144305014122 5ustar hannohannogebabbel-0.4+repack/src/MyFilterConfigWindow.cpp0000755000175000017500000000330310476376675020724 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "MyFilterConfigWindow.h" MyFilterConfigWindow::MyFilterConfigWindow( QWidget* parent ) : QDialog( parent ) { setupUi( this ); setupConnections(); } void MyFilterConfigWindow::setupConnections() { connect(ButtonCancel, SIGNAL(clicked()), this, SLOT(close())); } gebabbel-0.4+repack/src/TODO0000644000175000017500000000275610645150050014616 0ustar hannohannoListItem.cpp: // TODO: Even in filters, file existence should be checked, but it's difficult to determine files => postponed MyIOConfigWindow.cpp: // TODO: Only show USB ports in the combo if one of the USB devices was selected MyIOConfigWindow.cpp: // TODO: Set tooltips for the combo entries if possible? MyIOConfigWindow.cpp: // TODO: Create human readable file filter popup entries which are i18n'ed MyIOConfigWindow.cpp: // TODO: If the combobox is not empty, then try to use the path of the file it contains MyIOConfigWindow.cpp: // TODO: Distinguish between filters and inputs/outputs MyIOConfigWindow.cpp: // TODO: In case of input files, autoguess the type according to the input file extension MyIOConfigWindow.cpp: // TODO: Append the correct file extension if it hasn't been appended by the user MyMainWindow.cpp: // TODO: Check if it makes sense to use the preference path instead of a static string MyMainWindow.cpp: // TODO: In case of USB inputs, don't disable the process button MyPreferencesConfig.cpp: // TODO: Still buggy. If path only contains "gpsbabel", the selector jumps to the working directory... SettingsManager.cpp: // TODO: contains() is not enough, as it will compose a very long text even in case of 'hdopandvdop' SettingsManager.cpp: // TODO: QSettings treats those devices as config file groups SettingsManager.cpp: // TODO: Recheck these formats and their file extensions SettingsManager.cpp: // TODO: Create cool images for filter types and options gebabbel-0.4+repack/src/MyFilterConfigWindow.h0000755000175000017500000000345010476376602020362 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef MYFILTERCONFIGWINDOW_H #define MYFILTERCONFIGWINDOW_H #include #include "ui_FilterConfig.h" #include using namespace std; class MyFilterConfigWindow: public QDialog, private Ui::FilterConfig { Q_OBJECT private: void setupConnections(); public: MyFilterConfigWindow( QWidget* parent = 0L ); public slots: signals: }; #endif gebabbel-0.4+repack/src/MyIOConfigWindow.cpp0000755000175000017500000003104210645247176017776 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "MyIOConfigWindow.h" MyIOConfigWindow::MyIOConfigWindow( QWidget * parent ) : QDialog( parent ) { setupUi( this ); setupConnections(); } void MyIOConfigWindow::transmitValues() { cerr << "transmitting values..." << endl; } void MyIOConfigWindow::setupConnections() { connect( ButtonCancel, SIGNAL( clicked() ), this, SLOT( close() ) ); connect( ButtonOk, SIGNAL( clicked() ), this, SLOT( accept() ) ); connect( BtnSelectFile, SIGNAL( clicked() ), this, SLOT(selectFile() ) ); connect( ComboBoxType, SIGNAL( editTextChanged( QString ) ), this, SLOT( fillOptionsCombo( QString ) ) ); connect( ComboBoxOptions, SIGNAL( highlighted( QString ) ), this, SLOT( preserveOptionsEdit() ) ); connect( ComboBoxOptions, SIGNAL( activated( QString ) ), this, SLOT( updateOptionsEdit( QString ) ) ); // Attention: Do *not* catch editTextChanged as it also gets emitted when setting the edit text programmatically // This would cause a recursion // connect( ComboBoxOptions, SIGNAL( editTextChanged( QString ) ), this, SLOT( preserveOptionsEdit() ) ); connect( ComboBoxOptions, SIGNAL( editTextChanged( QString ) ), this, SLOT( setupHelp() ) ); connect( ComboBoxCharSet, SIGNAL( editTextChanged( QString ) ), this, SLOT( setupHelp() ) ); } void MyIOConfigWindow::updateOptionsEdit( QString Selection ) { // If the user has chosen an item from the option combo list, don't overwrite the current text // in the lineedit but append the selected text to the current contents if ( TempOptions != "" && TempOptions.endsWith( "," ) == false ) { TempOptions.append( "," ); } TempOptions.append( Selection ); ComboBoxOptions->setEditText( TempOptions ); setupHelp(); } void MyIOConfigWindow::preserveOptionsEdit() { // If the user has chosen an item from the option combo list, don't overwrite the current text // Therefore preserving the text in the edit as soon the user highlights an entry in the combo list TempOptions = ComboBoxOptions->currentText(); } void MyIOConfigWindow::fillOptionsCombo( QString Type ) { // Filling the options combo according to the type of this item ComboBoxOptions->clear(); ComboBoxOptions->addItems( SettingsManager::instance()->Options( DataType, Type ) ); ComboBoxOptions->setEditText( "" ); // TempOptions = ComboBoxOptions->currentText(); setupHelp(); } void MyIOConfigWindow::fillCombos() { // Filling the type combo according to the DataType of this item, preserving the text in the lineedit if ( DataType == "Input" || DataType == "Output" ) { // Otherwise the combo should remain empty. Do this for outputs as well ComboBoxType->addItems( SettingsManager::instance()->deviceTypes() ); ComboBoxType->addItems( SettingsManager::instance()->inputTypes() ); // TODO: Only show USB ports in the combo if one of the USB devices was selected // ComboBoxPath->addItems( SettingsManager::instance()->devicePorts() ); ComboBoxCharSet->addItems( SettingsManager::instance()->characterSets() ); ComboBoxType->setEditText( "" ); ComboBoxPath->setEditText( "" ); ComboBoxCharSet->setEditText( "" ); } else if ( DataType == "Filter" ) { LabelCharSet->hide(); LabelValue->hide(); ComboBoxCharSet->hide(); ComboBoxPath->hide(); BtnSelectFile->hide(); ComboBoxType->addItems( SettingsManager::instance()->filters() ); ComboBoxType->setEditText( "" ); ComboBoxPath->setEditText( "" ); } setupHelp(); } void MyIOConfigWindow::setupHelp() { if ( SettingsManager::instance()->TypeName( DataType, ComboBoxType->currentText() ) == "" ) { if ( DataType == "Input" ) { ComboBoxType->setToolTip( tr( "Edit the type for this input" ) ); ComboBoxType->setWhatsThis( tr( "Edit the type for this input" ) ); ComboBoxType->setStatusTip( tr( "Edit the type for this input" ) ); } if ( DataType == "Output" ) { ComboBoxType->setToolTip( tr( "Edit the type for this output" ) ); ComboBoxType->setWhatsThis( tr( "Edit the type for this output" ) ); ComboBoxType->setStatusTip( tr( "Edit the type for this output" ) ); } if ( DataType == "Filter" ) { ComboBoxType->setToolTip( tr( "Edit the type for this filter" ) ); ComboBoxType->setWhatsThis( tr( "Edit the type for this filter" ) ); ComboBoxType->setStatusTip( tr( "Edit the type for this filter" ) ); } } else { ComboBoxType->setToolTip( SettingsManager::instance()->TypeName( DataType, ComboBoxType->currentText() ) ); ComboBoxType->setWhatsThis( SettingsManager::instance()->TypeName( DataType, ComboBoxType->currentText() ) ); ComboBoxType->setStatusTip( SettingsManager::instance()->TypeName( DataType, ComboBoxType->currentText() ) ); } // Setting the tooltip of the options combo. if ( SettingsManager::instance()->OptionName( DataType, ComboBoxType->currentText(), ComboBoxOptions->currentText() ) == "" ) { ComboBoxOptions->setToolTip( tr( "If necessary, enter options here" ) ); ComboBoxOptions->setWhatsThis( tr( "If necessary, enter options here" ) ); ComboBoxOptions->setStatusTip( tr( "If necessary, enter options here" ) ); } else { ComboBoxOptions->setToolTip( SettingsManager::instance()->OptionName( DataType, ComboBoxType->currentText(), ComboBoxOptions->currentText() ) ); ComboBoxOptions->setWhatsThis( SettingsManager::instance()->OptionName( DataType, ComboBoxType->currentText(), ComboBoxOptions->currentText() ) ); ComboBoxOptions->setStatusTip( SettingsManager::instance()->OptionName( DataType, ComboBoxType->currentText(), ComboBoxOptions->currentText() ) ); } // Setting the tooltip of the charset combo if ( SettingsManager::instance()->CharsetName( ComboBoxCharSet->currentText() ) == "" ) { ComboBoxCharSet->setToolTip( tr( "If necessary, enter a character set here" ) ); ComboBoxCharSet->setWhatsThis( tr( "If necessary, enter a character set here" ) ); ComboBoxCharSet->setStatusTip( tr( "If necessary, enter a character set here" ) ); } else { QString TempString = tr( "This character set also is known as:" ); TempString.append( " " ); TempString.append( SettingsManager::instance()->CharsetName( ComboBoxCharSet->currentText() ) ); ComboBoxCharSet->setToolTip( TempString ); ComboBoxCharSet->setWhatsThis( TempString ); ComboBoxCharSet->setStatusTip( TempString ); } ComboBoxPath->setToolTip( tr( "Enter the path to a file or port of a device here" ) ); ComboBoxPath->setWhatsThis( tr( "Enter the path to a file or port of a device here" ) ); ComboBoxPath->setStatusTip( tr( "Enter the path to a file or port of a device here" ) ); setHelpText(); // TODO: Set tooltips for the combo entries if possible? } void MyIOConfigWindow::setHelpText() { if ( ComboBoxType->currentText() == "" ) { HelpLabel->setText( "" ); } else if ( ComboBoxOptions->currentText() == "" ) { HelpLabel->setText( ComboBoxType->whatsThis() ); } else { HelpLabel->setText( ComboBoxOptions->whatsThis() ); } } void MyIOConfigWindow::setDataType( QString Text ) { DataType = Text; fillCombos(); } void MyIOConfigWindow::setData( QString Type, QStringList OptionList, QString CharacterSet, QString Value ) { // Filling the options combo according to Type, even if it is empty fillOptionsCombo( Type ); // Type: Selecting the passed Type in the combo if it exists int Index = ComboBoxType->findText( Type ); if ( Index == -1 ) { ComboBoxType->setEditText( Type ); } else { ComboBoxType->setCurrentIndex( Index ); } // Options: ComboBoxOptions->setEditText( OptionList.join( "," ) ); // TempOptions = ComboBoxOptions->currentText(); // CharSet: Selecting the passed CharSet in the combo if it exists Index = ComboBoxCharSet->findText( CharacterSet ); if ( Index == -1 ) { ComboBoxCharSet->setEditText( CharacterSet ); } else { ComboBoxCharSet->setCurrentIndex( Index ); } // Value/FilePath: Selecting the passed Value in the combo if it exists Index = ComboBoxPath->findText( Value ); if ( Index == -1 ) { ComboBoxPath->setEditText( Value ); } else { ComboBoxPath->setCurrentIndex( Index ); } } QString MyIOConfigWindow::Type() { return ComboBoxType->currentText(); } QString MyIOConfigWindow::Value() { return ComboBoxPath->currentText(); } QString MyIOConfigWindow::data() { QString Data; if ( DataType == "Input" ) { Data.append( " -i " ); } else if ( DataType == "Output" ) { Data.append( " -o " ); } else if ( DataType == "Filter" ) { Data.append( " -x " ); } // The type always needs to be set Data.append( ComboBoxType->currentText() ); if ( ComboBoxOptions->currentText() != "" ) { Data.append( "," ); Data.append( ComboBoxOptions->currentText() ); } if ( ComboBoxCharSet->currentText() != "" ) { Data.append( " -c " ); Data.append( ComboBoxCharSet->currentText() ); } if ( ComboBoxPath->currentText() != "" && DataType == "Input" ) { Data.append( " -f " ); Data.append( ComboBoxPath->currentText() ); Data.append( " " ); } else if ( ComboBoxPath->currentText() != "" && DataType == "Output" ) { Data.append( " -F " ); Data.append( ComboBoxPath->currentText() ); Data.append( " " ); } return Data; } void MyIOConfigWindow::selectFile() { QString Path = ""; QStringList FileTypes = SettingsManager::instance()->fileTypes(); FileTypes.prepend( tr( "Any filetype" ).append( " ( * )" ) ); QString Types = FileTypes.join( ";;" ); // There's another heavily overloaded file select dialog with even more features, // but I didn't manage to pass it multiple file filters. Needs further investigation if ( DataType == "Input" ) { Path = QFileDialog::getOpenFileName(this, tr("Select Source"), SettingsManager::instance()->pathInput(), Types); } if ( DataType == "Output" ) { Path = QFileDialog::getSaveFileName(this, tr("Select Destination"), SettingsManager::instance()->pathOutput(), Types); } if ( DataType == "Filter" ) { Path = QFileDialog::getOpenFileName(this, tr("Select Filter File"), SettingsManager::instance()->pathFilter(), Types); } if ( Path != "" ) { // In case of a filter dont't setEditText() but append the file path to eventually existing text if ( DataType == "Filter" ) { QString TempString = ComboBoxPath->lineEdit()->text(); TempString.append( "file=" ); TempString.append( Path ); ComboBoxPath->setEditText( TempString ); SettingsManager::instance()->setPathFilter( Path ); } // What about a function which does this job? // TODO: In case of input files, autoguess the type according to the input file extension else if ( DataType == "Output" ) { // TODO: Append the correct file extension if it hasn't been appended by the user // Problem: I have no relation yet between datatypes and extensions ComboBoxPath->setEditText( Path ); SettingsManager::instance()->setPathOutput( Path ); } else if ( DataType == "Input" ) { ComboBoxPath->setEditText( Path ); SettingsManager::instance()->setPathInput( Path ); } } } gebabbel-0.4+repack/src/MyMainWindow.cpp0000755000175000017500000013723010674032211017213 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "Versioning.h" #include "MyMainWindow.h" MyMainWindow::MyMainWindow( QWidget * parent ) : QMainWindow( parent ) { // Create those before running checkForConfigs() resp. restoreDefaults() PreferencesEditWindow = new MyPreferencesConfig( this ); // PresetSavingWindow = new MySavePresetWindow( this ); ProgressDialog = new QProgressDialog( this ); InputItems = new QList; OutputItems = new QList; FilterItems = new QList; ActiveItem = 0L; TempListItem = 0L; initGpsBabel(); setupUi( this ); this->setupMenus(); this->setupConnections(); // Automatically create default app settings if no config file exists checkForConfigs(); QCoreApplication::setOrganizationName("Gebabbel"); QCoreApplication::setOrganizationDomain("christeck.de"); QCoreApplication::setApplicationName("Gebabbel"); QIcon AppIcon( ":/icons/AppIcon.png" ); setWindowIcon( AppIcon ); ProcessWaypoints = false; ProcessRoutes = false; ProcessTracks = false; RealtimeTracking = false; SynthesizeShortnames = false; SmartIcons = false; InputList->setColumnCount( 2 ); OutputList->setColumnCount( 2 ); FilterList->setColumnCount( 2 ); InputList->setRootIsDecorated( false ); OutputList->setRootIsDecorated( false ); FilterList->setRootIsDecorated( false ); InputHeaders.append( tr("Intype") ); InputHeaders.append( tr("Source") ); OutputHeaders.append( tr("Outtype") ); OutputHeaders.append( tr("Destination") ); FilterHeaders.append( tr("Filter") ); FilterHeaders.append( tr( "Options" ) ); InputList->setHeaderLabels( InputHeaders ); OutputList->setHeaderLabels( OutputHeaders ); FilterList->setHeaderLabels( FilterHeaders ); InputList->resizeColumnToContents( 0 ); InputList->resizeColumnToContents( 1 ); OutputList->resizeColumnToContents( 0 ); OutputList->resizeColumnToContents( 1 ); FilterList->resizeColumnToContents( 0 ); FilterList->resizeColumnToContents( 1 ); CheckboxWaypoints->setCheckState( Qt::Unchecked ); CheckboxRoutes->setCheckState( Qt::Unchecked ); CheckboxTracks->setCheckState( Qt::Unchecked ); CheckboxRealtimeTracking->setCheckState( Qt::Unchecked ); CheckboxShortnames->setCheckState( Qt::Unchecked ); CheckboxSmartIcons->setCheckState( Qt::Unchecked ); // Invoke this after setupUi(), otherwise it seems to overwrite window size setAppGeometry(); // Reload the last used settings // The first element in the combo is the special element tr( "Last used settings" ) loadPreset( comboPresets->itemText( 0 ) ); checkUsageCount(); } void MyMainWindow::displayAboutBox() { AboutBox = new QMessageBox(this); QString AboutText; AboutText.append( tr( "This is %1, version %2.\n\n" ).arg( APPNAME ).arg( VERSION ) ); AboutText.append( tr( "It was created and published in %1 by\n%2.\n" ).arg( YEARS ).arg( AUTHOR ) ); AboutText.append( tr( "It has been released under the following terms and conditions:\n%1.\n").arg( LICENSE ) ); AboutText.append( tr( "All rights, including the copyright, belong to %1.").arg( COPYRIGHTHOLDER ) ); AboutBox->setText( AboutText ); AboutBox->show(); } void MyMainWindow::displayHelpDialog() { HelpBox = new QMessageBox( this ); HelpBox->setText( tr( "There is no real manual, but you can consult the following resources:\nThe excellent gpsbabel documentation as found on\n%1\nThe Gebabbel-FAQ as found on\n%2\nIf questions remain, don't hesitate to contact the author\n%3" ).arg( GPSBABELHOMEPAGE ).arg( HOMEPAGE ).arg( AUTHOR) ); HelpBox->show(); } void MyMainWindow::displayWarning( QString Caption, QString WarningMessage ) { QMessageBox::warning( this, Caption, WarningMessage ); } void MyMainWindow::displayComment( QString PresetName ) { setStatusbarText( SettingsManager::instance()->comment( PresetName ), 5000 ); } void MyMainWindow::setStatusbarText( QString Text, unsigned int Time ) { statusBar()->showMessage( Text, Time ); } // this function gets invoced by the constructor of the main window void MyMainWindow::setupConnections() { // Preset combobox connect( comboPresets, SIGNAL( activated( QString ) ), this, SLOT( loadPreset( QString ) ) ); connect( comboPresets, SIGNAL( highlighted( QString ) ), this, SLOT( displayComment( QString ) ) ); // Catching RMB clicks in the lists: connect( InputList, SIGNAL( customContextMenuRequested( QPoint ) ), this, SLOT( showInputContextMenu( QPoint ) ) ); connect( OutputList, SIGNAL( customContextMenuRequested( QPoint ) ), this, SLOT( showOutputContextMenu( QPoint ) ) ); connect( FilterList, SIGNAL( customContextMenuRequested( QPoint ) ), this, SLOT( showFilterContextMenu( QPoint ) ) ); connect( CheckboxWaypoints, SIGNAL( stateChanged( int ) ), this, SLOT( setProcessWaypoints( int ) ) ); connect( CheckboxWaypoints, SIGNAL( stateChanged( int ) ), this, SLOT( finetuneGui() ) ); connect( CheckboxRoutes, SIGNAL( stateChanged( int ) ), this, SLOT( setProcessRoutes( int ) ) ); connect( CheckboxRoutes, SIGNAL( stateChanged( int ) ), this, SLOT( finetuneGui() ) ); connect( CheckboxTracks, SIGNAL( stateChanged( int ) ), this, SLOT( setProcessTracks( int ) ) ); connect( CheckboxTracks, SIGNAL( stateChanged( int ) ), this, SLOT( finetuneGui() ) ); connect( CheckboxRealtimeTracking, SIGNAL( stateChanged( int ) ), this, SLOT( setRealtimeTracking( int ) ) ); connect( CheckboxRealtimeTracking, SIGNAL( stateChanged( int ) ), this, SLOT( finetuneGui() ) ); connect( CheckboxShortnames, SIGNAL( stateChanged( int ) ), this, SLOT( setSynthesizeShortnames( int ) ) ); connect( CheckboxSmartIcons, SIGNAL( stateChanged( int ) ), this, SLOT( setSmartIcons( int ) ) ); connect( InputList, SIGNAL( itemDoubleClicked( QTreeWidgetItem *, int ) ), this, SLOT( doubleClickedInput( QTreeWidgetItem *, int ) ) ); connect( OutputList, SIGNAL( itemDoubleClicked( QTreeWidgetItem *, int ) ), this, SLOT( doubleClickedOutput( QTreeWidgetItem *, int ) ) ); connect( FilterList, SIGNAL( itemDoubleClicked( QTreeWidgetItem *, int ) ), this, SLOT( doubleClickedFilter( QTreeWidgetItem *, int ) ) ); connect( QCoreApplication::instance(), SIGNAL( aboutToQuit() ), this, SLOT( saveAppGeometry() ) ); connect( QCoreApplication::instance(), SIGNAL( aboutToQuit() ), this, SLOT( saveLastUsedSettings() ) ); // The QActions are connected in setupMenus() } // I need an instance of gpsbabel to display the current working directory in the UI void MyMainWindow::initGpsBabel() { ExecGpsBabel = new QProcess; // The error output always should be english so I can provide i18n'ed error messages QStringList environment = QProcess::systemEnvironment(); environment.replaceInStrings(QRegExp("^LANG=(.*)", Qt::CaseInsensitive), "LANG="); environment.replaceInStrings(QRegExp("^LC_ALL=(.*)", Qt::CaseInsensitive), "LC_ALL="); ExecGpsBabel->setEnvironment( environment ); QDir WorkingDir; WorkingDir.setPath( QDir::homePath() ); // If the Desktop dir doesn't exist, WorkingDir remains in the previous path WorkingDir.cd( "Desktop" ) ; connect( ExecGpsBabel, SIGNAL( started() ), this, SLOT( processingStarted() ) ); connect( ExecGpsBabel, SIGNAL( finished( int, QProcess::ExitStatus ) ), this, SLOT( processingStopped() ) ); // Attention: This returns an error of the *QProcess*, not if the executed application reported an error connect( ExecGpsBabel, SIGNAL( error( QProcess::ProcessError ) ), this, SLOT( externalCallFailed() ) ); connect( ProgressDialog, SIGNAL( canceled() ), ExecGpsBabel, SLOT( terminate() ) ); ExecGpsBabel->setWorkingDirectory( WorkingDir.absolutePath() ); } // This function gets invoked by the constructor of the main window void MyMainWindow::setupMenus() { // Creating the menus MenuFile = menuBar()->addMenu(tr( "&File") ); MenuEdit = menuBar()->addMenu(tr( "&Edit") ); MenuHelp = menuBar()->addMenu(tr( "&Help") ); InputContextMenu = new QMenu; OutputContextMenu = new QMenu; FilterContextMenu = new QMenu; // Creating the toolbar MainToolBar = addToolBar( tr( "Main Toolbar" ) ); MainToolBar->setIconSize( QSize::QSize( 16, 16 ) ); MainToolBar->setAllowedAreas( Qt::TopToolBarArea ); MainToolBar->setMovable( false ); // Creating the actions ActionFileClear = new QAction(QIcon(":/icons/Delete.png"), tr("&Clear"), this); ActionFileClear->setShortcut( Qt::Key_Delete ); ActionFileClear->setStatusTip(tr("Clears all currently loaded data") ); ActionFileClear->setWhatsThis( tr("Clears all currently loaded data") ); ActionFileClear->setEnabled(true); connect(ActionFileClear, SIGNAL(triggered() ), this, SLOT( wipeData() ) ); ActionFileDeletePreset = new QAction(QIcon(":/icons/FileDelete.png"), tr("&Delete Preset..."), this); ActionFileDeletePreset->setShortcut( Qt::Key_Backspace ); ActionFileDeletePreset->setStatusTip(tr("Delete the current preset")); ActionFileDeletePreset->setWhatsThis( tr("Delete the current preset. Attention: There is no undo!") ); ActionFileDeletePreset->setEnabled(true); connect(ActionFileDeletePreset, SIGNAL(triggered()), this, SLOT(deletePreset())); ActionFileSavePreset = new QAction(QIcon(":/icons/FileSave.png"), tr("&Save Preset..."), this); ActionFileSavePreset->setShortcut(tr("Ctrl+S")); ActionFileSavePreset->setStatusTip(tr("Save the current settings as new preset")); ActionFileSavePreset->setWhatsThis( tr("Save the current settings as new preset for later usage") ); ActionFileSavePreset->setEnabled(true); connect(ActionFileSavePreset, SIGNAL(triggered()), this, SLOT(saveNamedPreset())); ActionFileProcess = new QAction(QIcon(":/icons/FileConvert.png"), tr("&Process"), this); ActionFileProcess->setShortcut(tr("Ctrl+X")); ActionFileProcess->setStatusTip(tr("Execute gpsbabel")); ActionFileProcess->setWhatsThis( tr("Invokes gpsbabel according to your settings") ); ActionFileProcess->setEnabled(true); connect(ActionFileProcess, SIGNAL(triggered()), this, SLOT(processData())); connect(BtnProcess, SIGNAL(clicked()), this, SLOT(processData())); ActionFileQuit = new QAction(QIcon(":/icons/FileQuit.png"), tr("&Quit"), this); ActionFileQuit->setShortcut(tr("Ctrl+Q")); ActionFileQuit->setStatusTip(tr("Quit this application")); ActionFileQuit->setWhatsThis( tr("Quits this application without further confirmation.") ); ActionFileQuit->setEnabled(true); connect( QCoreApplication::instance(), SIGNAL( aboutToQuit() ), this, SLOT( saveAppGeometry() ) ); connect(ActionFileQuit, SIGNAL(triggered()), this, SLOT(close())); ActionEditEditCommand = new QAction(QIcon(":/icons/EditEditCommand.png"), tr("Edit &Command..."), this); ActionEditEditCommand->setShortcut(tr("Ctrl+E")); ActionEditEditCommand->setStatusTip(tr("Edit command")); ActionEditEditCommand->setWhatsThis( tr("Allows to edit the command to be executed") ); ActionEditEditCommand->setEnabled(true); connect(ActionEditEditCommand, SIGNAL(triggered()), this, SLOT(editCommand())); ActionEditEditPreferences = new QAction(QIcon(":/icons/EditEditPreferences.png"), tr("Edit &Preferences..."), this); ActionEditEditPreferences->setShortcut(tr("Ctrl+P")); ActionEditEditPreferences->setStatusTip(tr("Edit preferences")); ActionEditEditPreferences->setWhatsThis( tr("Opens a dialog to modify the preferences") ); ActionEditEditPreferences->setEnabled(true); connect(ActionEditEditPreferences, SIGNAL(triggered()), this, SLOT(editPreferences())); ActionHelpManual = new QAction(QIcon(":/icons/HelpManual.png"), tr("&Manual"), this); ActionHelpManual->setShortcut(tr("Ctrl+M")); ActionHelpManual->setStatusTip(tr("Display the online help")); ActionHelpManual->setWhatsThis( tr("Shows the online help") ); ActionHelpManual->setEnabled(true); connect(ActionHelpManual, SIGNAL(triggered() ), this, SLOT( displayHelpDialog() ) ); ActionHelpAbout = new QAction(QIcon(":/icons/HelpAbout.png"), tr("&About"), this); ActionHelpAbout->setShortcut(tr("Ctrl+A")); ActionHelpAbout->setStatusTip(tr("Display information about the application") ); ActionHelpAbout->setWhatsThis( tr("Display information about the application") ); ActionHelpAbout->setEnabled(true); connect(ActionHelpAbout, SIGNAL(triggered() ), this, SLOT( displayAboutBox() ) ); ActionHelpWhatsThis = QWhatsThis::createAction( this ); ActionInputAdd = new QAction(QIcon(":/icons/Add.png"), tr("&Add"), this); ActionInputAdd->setShortcut(tr("Ctrl+A")); ActionInputAdd->setStatusTip(tr("Add an input source") ); ActionInputAdd->setWhatsThis( tr("Add an input source") ); ActionInputAdd->setEnabled(true); connect(ActionInputAdd, SIGNAL(triggered() ), this, SLOT( AddOrEditInput() ) ); ActionInputEdit = new QAction(QIcon(":/icons/Edit.png"), tr("&Edit"), this); ActionInputEdit->setShortcut(tr("Ctrl+E")); ActionInputEdit->setStatusTip(tr("Edit the selected input source") ); ActionInputEdit->setWhatsThis( tr("Edit the selected input source") ); ActionInputEdit->setEnabled(true); connect(ActionInputEdit, SIGNAL(triggered() ), this, SLOT( AddOrEditInput() ) ); ActionInputRemove = new QAction(QIcon(":/icons/Delete.png"), tr("&Remove"), this); ActionInputRemove->setShortcut(tr("Ctrl+R")); ActionInputRemove->setStatusTip(tr("Remove the selected input source") ); ActionInputRemove->setWhatsThis( tr("Remove the selected input source") ); ActionInputRemove->setEnabled(true); connect(ActionInputRemove, SIGNAL(triggered() ), this, SLOT( removeInput() ) ); ActionOutputAdd = new QAction(QIcon(":/icons/Add.png"), tr("&Add"), this); ActionOutputAdd->setShortcut(tr("Ctrl+A")); ActionOutputAdd->setStatusTip(tr("Add an output destination") ); ActionOutputAdd->setWhatsThis( tr("Add an output destination") ); ActionOutputAdd->setEnabled(true); connect(ActionOutputAdd, SIGNAL(triggered() ), this, SLOT( AddOrEditOutput() ) ); ActionOutputEdit = new QAction(QIcon(":/icons/Edit.png"), tr("&Edit"), this); ActionOutputEdit->setShortcut(tr("Ctrl+E")); ActionOutputEdit->setStatusTip(tr("Edit the selected output destination") ); ActionOutputEdit->setWhatsThis( tr("Edit the selected output destination") ); ActionOutputEdit->setEnabled(true); connect(ActionOutputEdit, SIGNAL(triggered() ), this, SLOT( AddOrEditOutput() ) ); ActionOutputRemove = new QAction(QIcon(":/icons/Delete.png"), tr("&Remove"), this); ActionOutputRemove->setShortcut(tr("Ctrl+R")); ActionOutputRemove->setStatusTip(tr("Remove the selected output destination") ); ActionOutputRemove->setWhatsThis( tr("Remove the selected output destination") ); ActionOutputRemove->setEnabled(true); connect(ActionOutputRemove, SIGNAL(triggered() ), this, SLOT( removeOutput() ) ); ActionFilterAdd = new QAction(QIcon(":/icons/Add.png"), tr("&Add"), this); ActionFilterAdd->setShortcut(tr("Ctrl+A")); ActionFilterAdd->setStatusTip(tr("Add a filter") ); ActionFilterAdd->setWhatsThis( tr("Add a filter") ); ActionFilterAdd->setEnabled(true); connect(ActionFilterAdd, SIGNAL(triggered() ), this, SLOT( AddOrEditFilter() ) ); ActionFilterEdit = new QAction(QIcon(":/icons/Edit.png"), tr("&Edit"), this); ActionFilterEdit->setShortcut(tr("Ctrl+E")); ActionFilterEdit->setStatusTip(tr("Edit the selected filter") ); ActionFilterEdit->setWhatsThis( tr("Edit the selected filter") ); ActionFilterEdit->setEnabled(true); connect(ActionFilterEdit, SIGNAL(triggered() ), this, SLOT( AddOrEditFilter() ) ); ActionFilterRemove = new QAction(QIcon(":/icons/Delete.png"), tr("&Remove"), this); ActionFilterRemove->setShortcut(tr("Ctrl+R")); ActionFilterRemove->setStatusTip(tr("Remove the selected filter") ); ActionFilterRemove->setWhatsThis( tr("Remove the selected filter") ); ActionFilterRemove->setEnabled(true); connect(ActionFilterRemove, SIGNAL(triggered() ), this, SLOT( removeFilter() ) ); // Populating the menus MenuFile->addAction( ActionFileSavePreset ); MenuFile->addAction( ActionFileProcess ); MenuFile->addAction( ActionFileClear ); MenuFile->addAction( ActionFileDeletePreset ); // Don't create the separator on Mac OS because Quit automatically gets moved to another menu #ifndef MACINTOSH MenuFile->addSeparator(); #endif MenuFile->addAction( ActionFileQuit ); MenuEdit->addAction( ActionEditEditCommand ); MenuEdit->addAction( ActionEditEditPreferences ); MenuHelp->addAction(ActionHelpManual); MenuHelp->addAction(ActionHelpAbout); MenuHelp->addAction(ActionHelpWhatsThis); // Populating the context menus InputContextMenu->addAction( ActionInputAdd ); InputContextMenu->addAction( ActionInputEdit ); InputContextMenu->addAction( ActionInputRemove ); OutputContextMenu->addAction( ActionOutputAdd ); OutputContextMenu->addAction( ActionOutputEdit ); OutputContextMenu->addAction( ActionOutputRemove ); FilterContextMenu->addAction( ActionFilterAdd ); FilterContextMenu->addAction( ActionFilterEdit ); FilterContextMenu->addAction( ActionFilterRemove ); // Populating the toolbar // MainToolBar->addAction( ActionFileQuit ); MainToolBar->addAction( ActionEditEditCommand ); MainToolBar->addAction( ActionFileSavePreset ); MainToolBar->addAction( ActionFileProcess ); MainToolBar->addAction( ActionFileClear ); MainToolBar->addAction( ActionFileDeletePreset ); MainToolBar->addSeparator(); // Creating the preset popup comboPresets = new QComboBox(); comboPresets->setEditable ( false ); comboPresets->setMinimumWidth( 250 ); comboPresets->setToolTip( tr( "Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset" ) ); comboPresets->setStatusTip( tr( "Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset" ) ); comboPresets->setWhatsThis( tr( "Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset" ) ); fillPresetPopup(); // adjustSize() adjusts the size of the widget to fit the contents comboPresets->adjustSize(); MainToolBar->addWidget ( comboPresets ); // Some eye candy :) InputList->setAlternatingRowColors( true ); OutputList->setAlternatingRowColors( true ); FilterList->setAlternatingRowColors( true ); // Last but not least waking up the status bar statusBar()->showMessage(tr("I am pleased to be used by you :)"), 8000); } void MyMainWindow::saveLastUsedSettings() { savePreset( comboPresets->itemText( 0 ), tr( "Settings at last quit or before choosing another preset" ) ); } void MyMainWindow::saveNamedPreset() { // This function saves the current settings as a new preset including an optional comment MySavePresetWindow PresetSavingWindow; if ( PresetSavingWindow.exec() ) { if ( PresetSavingWindow.tellName() != "" ) { savePreset( PresetSavingWindow.tellName(), PresetSavingWindow.tellComment() ); } } } void MyMainWindow::savePreset( QString PresetName, QString Comment ) { if ( PresetName != "" ) { SettingsManager::instance()->savePreset( PresetName, assembleCommand().join( " " ) ); fillPresetPopup(); loadPreset( PresetName ); comboPresets->setCurrentIndex( comboPresets->findText( PresetName ) ); } if ( Comment != "" ) { SettingsManager::instance()->saveComment( PresetName, Comment ); } } void MyMainWindow::deletePreset() { // This function deletes the currently loaded preset from the config file if ( !QMessageBox::information (this, tr( "About to delete preset" ), tr( "This will delete the current preset, and there is no undo." ), tr( "&OK" ), tr( "&Cancel" ), 0, 1 ) ) { SettingsManager::instance()->deletePreset( comboPresets->currentText() ); wipeData(); fillPresetPopup(); // Set the combo to the special entry 0 ("Last used settings") comboPresets->setCurrentIndex( 0 ); // Load last used settings loadPreset( comboPresets->itemText( 0 ) ); } } void MyMainWindow::processData() { // Maybe I should disable the process button in case the executable wasn't found; // But this way an error message will appear, which I find more useful QStringList ArgumentList = assembleCommand(); // The first element contains the path to gpsbabel and was written // to the class attribute GpsBabelPath by assembleCommand() // It needs to be removed from the argument list ArgumentList.removeAt( 0 ); // Using a QProcess to determine if gpsbabel can be run successfully // ExecGpsBabel is *not* used here as its error() signal will trigger an alert dialog QProcess SearchGpsbabel; QString ExecutablePath = searchGpsBabel(); SearchGpsbabel.start( ExecutablePath ); int Timeout = 500; if ( !SearchGpsbabel.waitForStarted( Timeout ) ) { SearchGpsbabel.waitForFinished( Timeout ); QMessageBox ErrorDisplay; QString ErrorMessage = ""; ErrorMessage.append( tr( "The file \"%1\" cannot be executed.\n\nPlease enter the complete path to it in the command line or the preferences." ).arg( GpsBabelPath ) ); ErrorDisplay.setText( ErrorMessage ); if ( ErrorDisplay.exec() ) { return; } } // SearchGpsbabel has done its job SearchGpsbabel.waitForFinished( Timeout ); // Finally running gpsbabel. // Managing its status is done by catching its signals error(), started() and finished() ExecGpsBabel->start( ExecutablePath, ArgumentList ); } void MyMainWindow::processingStarted() { ProgressDialog->setLabelText( tr( "Please wait while gpsbabel is processing data..." ) ); ProgressDialog->setMinimum( 0 ); ProgressDialog->setMaximum( 0 ); ProgressDialog->exec(); ProgressDialog->setValue( 0 ); } void MyMainWindow::processingStopped() { ProgressDialog->hide(); // Returning if no error occured if ( ExecGpsBabel->exitCode() == 0 ) { setStatusbarText( tr( "The operation was successfully finished" ), 20000 ); return; } setStatusbarText( tr( "The operation failed" ), 20000 ); // The config file even contains some i18n'ed error message strings QMessageBox ErrorDisplay; QString GpsBabelErrorMessage = ExecGpsBabel->readAllStandardError(); QString ErrorMessage = ""; ErrorMessage.append( tr( "A problem was detected by gpsbabel." ) ); ErrorMessage.append( "\n" ); ErrorMessage.append( SettingsManager::instance()->humanReadableGpsBabelError( GpsBabelErrorMessage ) ); ErrorMessage.append( "\n\n" ); ErrorMessage.append( tr( "The original error message reported by gpsbabel was:" ) ); ErrorMessage.append( "\n" ); ErrorMessage.append( GpsBabelErrorMessage ); ErrorDisplay.setText( ErrorMessage ); if ( ErrorDisplay.exec() ) { return; } } void MyMainWindow::externalCallFailed() { // Attention: This function even gets invoked if the user pressed cancel during processing // Maybe I should remove output files from disk automatically, but better save than sorry QMessageBox ErrorDisplay; QString ErrorMessage = tr( "gpsbabel was unexpectedly quit during its operation.\nCreated files should not get used but deleted." ); ErrorDisplay.setText( ErrorMessage ); if ( ErrorDisplay.exec() ) { return; } } void MyMainWindow::checkUsageCount() { // I wanted to create a dialog which asks the user for feedback. // But what we learned is that the users don't want to provide feedback // Thus this function still is here but I doubt it will be resurrected // after he used the application a certain amount of times // int count = SettingsManager::instance()->incrementUsageCount(); /* // SettingsManager::instance()->disableUsageCount(); if ( count > 0 && count % 2 == 0 ) { cerr << "Gebabbel was used an equal amount of times" << endl; } else if ( count > 0 && count % 2 != 0 ) { cerr << "Gebabbel was used an unequal amount of times" << endl; } else if ( count == 0 ) { cerr << "UsageCounter is disabled" << endl; } */ } QString MyMainWindow::searchGpsBabel() { // QProcess segfaults if it gets passed an empty string // Hopefully this won't happen :) // QProcess SearchGpsbabel; QFileInfo PathInfo; int Timeout = 100; QStringList PossiblePaths; PossiblePaths.append( GpsBabelPath ); // The path in the preferences gets used if the executable as specified in the command line was not found PossiblePaths.append( SettingsManager::instance()->pathGpsBabel() ); #ifndef LINUX for ( int i = 0; i < PossiblePaths.size(); i++ ) { PathInfo.setFile( PossiblePaths.at( i ) ); if ( PathInfo.isRelative() ) { QString TempString; TempString = PossiblePaths.at( i ); TempString.prepend( "/" ); TempString.prepend( QCoreApplication::applicationDirPath() ); PossiblePaths.replace( i, TempString ); } } #endif for ( int i = 0; i < PossiblePaths.size(); i++ ) { SearchGpsbabel.start( PossiblePaths.at( i ) ); if ( SearchGpsbabel.waitForStarted( Timeout ) ) { SearchGpsbabel.waitForFinished( Timeout ); return PossiblePaths.at( i ); } } // If all of the above paths failed, return GpsBabelPath as specified by the user, even that it wasn't found return GpsBabelPath; } QStringList MyMainWindow::assembleCommand() { QStringList CommandElements; // Ensuring GpsBabelPath is never empty, otherwise qprocess will crash // In case the user starts from scratch, it will be empty and therefore get filled here // TODO: Check if it makes sense to use the preference path instead of a static string if ( GpsBabelPath == "" ) { GpsBabelPath = "gpsbabel"; #ifdef WINDOWS GpsBabelPath.append( ".exe" ); #endif } // GpsBabelPath now shouldn't be empty CommandElements.append( GpsBabelPath ); // If the user has a gpsbabel configuration file installed, it shouldn't get read // See http://www.gpsbabel.org/htmldoc-development/inifile.html for details CommandElements.append( "-p" ); // Yes, an empty qstringlist element to pass an "empty file" to the -p option CommandElements.append( "" ); // The realtime tracking option -T is exclusive to -wrtsN if ( RealtimeTracking ) { CommandElements.append( "-T" ); } else { if ( ProcessWaypoints ) { CommandElements.append( "-w" ); } if ( ProcessRoutes ) { CommandElements.append( "-r" ); } if ( ProcessTracks ) { CommandElements.append( "-t" ); } if ( SynthesizeShortnames ) { CommandElements.append( "-Sn" ); } if ( SmartIcons ) { CommandElements.append( "-Si" ); } } QStringList Items; for ( int i = 0; i < InputItems->count(); i++ ) { CommandElements.append( "-i" ); Items = InputItems->at( i )->content(); for ( int i = 0; i < Items.count(); i++ ) { CommandElements.append( Items.at( i ) ); } } for ( int i = 0; i < FilterItems->count(); i++ ) { CommandElements.append( "-x" ); Items = FilterItems->at( i )->content(); for ( int i = 0; i < Items.count(); i++ ) { CommandElements.append( Items.at( i ) ); } } for ( int i = 0; i < OutputItems->count(); i++ ) { CommandElements.append( "-o" ); Items = OutputItems->at( i )->content(); for ( int i = 0; i < Items.count(); i++ ) { CommandElements.append( Items.at( i ) ); } } return CommandElements; } void MyMainWindow::editCommand() { QString NewCommand = assembleCommand().join( " " ); // For displaying the command to the user, the -p option should be removed to avoid confusion NewCommand = NewCommand.remove( "-p " ); bool OKpressed = false; NewCommand = QInputDialog::getText( this, tr("Command Editor"), tr("The current command looks as follows. Please use the syntax\ngpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt:"), QLineEdit::Normal, NewCommand, &OKpressed); if ( OKpressed == true ) { splitData( NewCommand ); } } void MyMainWindow::fillPresetPopup() { // This function fills the preset popup with all pressets that exist in the config file QStringList PresetNames = SettingsManager::instance()->presetNames(); // "Last Used Settings" is a special entry which contains the last used settings PresetNames.prepend( tr( "Last Used Settings" ) ); comboPresets->clear(); comboPresets->addItems( PresetNames ); finetuneGui(); } void MyMainWindow::loadPreset( QString PresetName ) { // Load the preset, either as selected by the user or last used settings during startup. // Even after deleting a preset, the combo's special entry at( 0 ) will get autoselected // and trigger to load the special preset "last used settings" QString Command = SettingsManager::instance()->preset( PresetName ); QString Comment = SettingsManager::instance()->comment( PresetName ); setStatusbarText( Comment, 20000 ); splitData( Command ); // This isn't necessarily needed as the combo itself keeps the last selected item comboPresets->setCurrentIndex( comboPresets->findText( PresetName ) ); // Ensure all items are completely visible // Will lead to a horizontal scrollbar in case of long options InputList->resizeColumnToContents( 0 ); InputList->resizeColumnToContents( 1 ); OutputList->resizeColumnToContents( 0 ); OutputList->resizeColumnToContents( 1 ); FilterList->resizeColumnToContents( 0 ); FilterList->resizeColumnToContents( 1 ); } void MyMainWindow::splitData( QString Command ) { // Some very basic error checking :) if ( Command == "" ) { return; } // Unloading all currently loaded data wipeData(); // Removing whitespace at the beginning and the end Command = Command.trimmed(); // Using a QRegExp to find separators // First looking for separators which can follow directly after the executable name to separate it QRegExp Separators; // The options -Si and -Sn replace -s and -N since gpsbabel-1.3.3 Separators.setPattern( " -[pwrtTixoS][in]? " ); // Command must start with the path to the gpsbabel executable, // which can be an absolute path or only consist of the executable name // GpsBabelPath is a QString class member GpsBabelPath = Command.split( Separators ).at( 0 ); // Removing the executable path from Command Command = Command.remove( GpsBabelPath ); // Removing whitespace at the beginning and the end GpsBabelPath = GpsBabelPath.trimmed(); // Attention: *Never* trim "Command" here, because it needs a leading blank for the separators to work properly! // Command ! Command.trimmed(); // The option -p "" causes gpsbabel to not read any configuration file // As this gets appended statically in assembleCommand(), dropping it here if it exists if( Command.contains( " -p " ) ) { Command = Command.remove( " -p" ); } if( Command.contains( " \"\" " ) ) { Command = Command.remove( " \"\"" ); } // Extracting the switches -wrtTsN if( Command.contains( " -w " ) ) { ProcessWaypoints = true; Command = Command.remove( " -w" ); } if( Command.contains( " -r " ) ) { ProcessRoutes = true; Command = Command.remove( " -r" ); } if( Command.contains( " -t " ) ) { ProcessTracks = true; Command = Command.remove( " -t" ); } if( Command.contains( " -T " ) ) { RealtimeTracking = true; Command = Command.remove( " -T" ); } // Since gpsbabel 1.3.3, -Sn and -Si replace -s and -N to adapt names and icons if( Command.contains( " -Sn " ) ) { SynthesizeShortnames = true; Command = Command.remove( " -Sn" ); } if( Command.contains( " -Si " ) ) { SmartIcons = true; Command = Command.remove( " -Si" ); } // Preparing to split inputs, filters and outputs Separators.setPattern( " -[ixo] " ); QStringList Inputs; QStringList Outputs; QStringList Filters; // I'd prefer using split(), but split removes the separators so there's no chance // to determine by 100% which elements are inputs, filters or outputs while ( Command.lastIndexOf( " -o " ) != -1 ) { Outputs.prepend( Command.right( Command.size() - Command.lastIndexOf( " -o " ) ) ); Command.remove( Outputs.at( 0 ) ); } while ( Command.lastIndexOf( " -x " ) != -1 ) { Filters.prepend( Command.right( Command.size() - Command.lastIndexOf( " -x " ) ) ); Command.remove( Filters.at( 0 ) ); } while ( Command.lastIndexOf( " -i " ) != -1 ) { Inputs.prepend( Command.right( Command.size() - Command.lastIndexOf( " -i " ) ) ); Command.remove( Inputs.at( 0 ) ); } Command.clear(); // Creating the items for ( int i = 0; i < Inputs.count(); i++ ) { TempListItem = new ListItem( InputList ); TempListItem->setup( Inputs.at( i ), ExecGpsBabel->workingDirectory() ); InputItems->append( TempListItem ); } for ( int i = 0; i < Outputs.count(); i++ ) { TempListItem = new ListItem( OutputList ); TempListItem->setup( Outputs.at( i ), ExecGpsBabel->workingDirectory() ); OutputItems->append( TempListItem ); } for ( int i = 0; i < Filters.count(); i++ ) { TempListItem = new ListItem( FilterList ); TempListItem->setup( Filters.at( i ), ExecGpsBabel->workingDirectory() ); FilterItems->append( TempListItem ); } finetuneGui(); } void MyMainWindow::wipeData() { GpsBabelPath = ""; for ( int i = 0; i < InputItems->count(); i++ ) { delete InputItems->at( i ); } InputItems->clear(); for ( int i = 0; i < OutputItems->count(); i++ ) { delete OutputItems->at( i ); } OutputItems->clear(); for ( int i = 0; i < FilterItems->count(); i++ ) { delete FilterItems->at( i ); } FilterItems->clear(); ProcessWaypoints = false; ProcessRoutes = false; ProcessTracks = false; RealtimeTracking = false; SynthesizeShortnames = false; SmartIcons = false; finetuneGui(); } void MyMainWindow::finetuneGui() { // I had the idea to display gpsbabel version of the current data in the GUI // Currently this is postponed due to laziness :) // The special entry at 0 must not be deleted if( comboPresets->currentIndex() == 0 ) { ActionFileDeletePreset->setDisabled( true ); } else { ActionFileDeletePreset->setEnabled( true ); } if( ProcessWaypoints ) { CheckboxWaypoints->setChecked( true ); } else { CheckboxWaypoints->setChecked( false ); } if( ProcessRoutes ) { CheckboxRoutes->setChecked( true ); } else { CheckboxRoutes->setChecked( false ); } if( ProcessTracks ) { CheckboxTracks->setChecked( true ); } else { CheckboxTracks->setChecked( false ); } if( RealtimeTracking ) { CheckboxRealtimeTracking->setChecked( true ); } else { CheckboxRealtimeTracking->setChecked( false ); } if( SynthesizeShortnames ) { CheckboxShortnames->setChecked( true ); } else { CheckboxShortnames->setChecked( false ); } if( SmartIcons ) { CheckboxSmartIcons->setChecked( true ); } else { CheckboxSmartIcons->setChecked( false ); } // The option -T is exclusive, so doing some Gui magic to visualize this to the user if ( CheckboxRealtimeTracking->checkState() == Qt::Checked ) { CheckboxWaypoints->setEnabled( false ); CheckboxRoutes->setEnabled( false ); CheckboxTracks->setEnabled( false ); CheckboxShortnames->setEnabled( false ); CheckboxSmartIcons->setEnabled( false ); } else { CheckboxWaypoints->setEnabled( true ); CheckboxRoutes->setEnabled( true ); CheckboxTracks->setEnabled( true ); CheckboxShortnames->setEnabled( true ); CheckboxSmartIcons->setEnabled( true ); } setProcessButton(); } void MyMainWindow::setProcessButton() { // This function does some rudimentary checks and disables the process button if necessary // TODO: In case of USB inputs, don't disable the process button BtnProcess->setEnabled( false ); // If there is no input or output at all, the button should remain disabled if ( InputItems->count() == 0 || OutputItems->count() == 0 ) { return; } // ListItems provide isAlright() to check if something is wrong for ( int i = 0; i < InputItems->count(); i++ ) { if ( InputItems->at( i )->isAlright() == false ) { return; } } for ( int i = 0; i < OutputItems->count(); i++ ) { if ( OutputItems->at( i )->isAlright() == false ) { return; } } for ( int i = 0; i < FilterItems->count(); i++ ) { if ( FilterItems->at( i )->isAlright() == false ) { return; } } // One of the checks should be set. Actually if none was checked, the -w option gets silently used by GPSbabel // But as this seems to be a bit confusing to the user, the GUI will force him to set one if ( CheckboxWaypoints->checkState() == Qt::Unchecked && CheckboxRoutes->checkState() == Qt::Unchecked && CheckboxTracks->checkState() == Qt::Unchecked && CheckboxRealtimeTracking->checkState() == Qt::Unchecked ) { return; } // As all checks have been passed successfully, it seems that processing is possible BtnProcess->setEnabled( true ); } void MyMainWindow::editPreferences() { PreferencesEditWindow->getSettings(); PreferencesEditWindow->show(); } // Three helper methods to catch the signal sent by Qt // I never use the passed parameters, thus the compiler comlains... void MyMainWindow::doubleClickedInput( QTreeWidgetItem *, int ) { AddOrEditItem( "Input" ); } void MyMainWindow::doubleClickedOutput( QTreeWidgetItem *, int ) { AddOrEditItem( "Output" ); } void MyMainWindow::doubleClickedFilter( QTreeWidgetItem *, int ) { AddOrEditItem( "Filter" ); } void MyMainWindow::AddOrEditInput() { AddOrEditItem( "Input" ); } void MyMainWindow::AddOrEditOutput() { AddOrEditItem( "Output" ); } void MyMainWindow::AddOrEditFilter() { AddOrEditItem( "Filter" ); } void MyMainWindow::AddOrEditItem( QString DataType ) { // Creating a new edit window. MyIOConfigWindow IOConfigWindow( this ); IOConfigWindow.setDataType( DataType ); // Helper variables TempListItem = 0L; ActiveItem = 0L; if ( DataType == "Input" ) { CurrentItems = InputItems; CurrentList = InputList; IOConfigWindow.setWindowTitle( tr( "Configure Input" ) ); } if ( DataType == "Output" ) { CurrentItems = OutputItems; CurrentList = OutputList; IOConfigWindow.setWindowTitle( tr( "Configure Output" ) ); } if ( DataType == "Filter" ) { CurrentItems = FilterItems; CurrentList = FilterList; IOConfigWindow.setWindowTitle( tr( "Configure Filter" ) ); } // This function is used for adding and editing items. // So first determining if the user wants to add or edit // If there's no active item in the lists, it's adding // Otherwise edit the active item bool Editing = false; if ( CurrentList->selectedItems().count() > 0 ) { Editing = true; // If there is more than one item, the first one gets edited // I'd prefer to set the list to single selection, but then it's not possible to deselect an item // So currently the user can select more than one item by shift or ctrl clicking ActiveItem = CurrentList->selectedItems().at( 0 ); // Determining the data object counterpart of ActiveItem for ( int i = 0; i < CurrentItems->count(); i++ ) { if ( CurrentItems->at( i )->tellListViewItem() == ActiveItem ) { TempListItem = CurrentItems->at( i ); } } IOConfigWindow.setData( TempListItem->tellType(), TempListItem->tellOptions(), TempListItem->tellCharSet(), TempListItem->tellValue() ); } else { Editing = false; } // Showing the dialog and closing it if the user discards it if( IOConfigWindow.exec() == false ) { return; } // Return if there is no text in one of the edits. // In case of inputs or outputs, both need to contain text // In case of a filter, only type must contain text if( DataType != "Filter" ) { if ( IOConfigWindow.Type() == "" || IOConfigWindow.Value() == "" ) { return; } } if( DataType == "Filter" ) { if ( IOConfigWindow.Type() == "" ) { return; } } if ( TempListItem == 0L ) { TempListItem = new ListItem( CurrentList ); CurrentItems->append( TempListItem ); } // An item gets setup by passing it its complete data as a string and the gpsbabel working dir TempListItem->setup( IOConfigWindow.data(), ExecGpsBabel->workingDirectory() ); TempListItem = 0L; // This call seems to be unnecessary, but it helps debugging the program as the data always passes the command splitter // Thus errors will be immediately visible in the GUI // splitData() will first wipeData() and then reload it splitData( assembleCommand().join( " " ) ); } // The following three functions only are helper functions to catch the three QActions // and pass them to removeItem() void MyMainWindow::removeInput() { removeItem( "Input" ); } void MyMainWindow::removeOutput() { removeItem( "Output" ); } void MyMainWindow::removeFilter() { removeItem( "Filter" ); } void MyMainWindow::removeItem( QString DataType ) { if ( DataType == "Input" ) { CurrentItems = InputItems; CurrentList = InputList; } if ( DataType == "Output" ) { CurrentItems = OutputItems; CurrentList = OutputList; } if ( DataType == "Filter" ) { CurrentItems = FilterItems; CurrentList = FilterList; } ActiveItem = CurrentList->currentItem(); for (int i = 0; i < CurrentItems->count(); i++ ) { if ( CurrentItems->at( i )->tellListViewItem() == ActiveItem ) { delete CurrentItems->at( i ); CurrentItems->removeAt( i ); } } finetuneGui(); } void MyMainWindow::showInputContextMenu( QPoint Position ) { // Due to the signal/slot concept, this function needs to take a QPoint // Actually, it contains global screen coordinates, and unaccording to the Qt docs, // I didn't manage to translate it to the expected results by using mapFromGlobal() etc. // So, finally, the next line is a dirty hack to avoid compiler warnings :) : Position = QCursor::pos(); // Disabling menu entries. if ( InputList->selectedItems().count() > 0 ) { ActionInputAdd->setEnabled( false ); ActionInputEdit->setEnabled( true ); ActionInputRemove->setEnabled( true ); } else { ActionInputAdd->setEnabled( true ); ActionInputEdit->setEnabled( false ); ActionInputRemove->setEnabled( false ); } InputContextMenu->exec( Position ); } void MyMainWindow::showOutputContextMenu( QPoint Position ) { Position = QCursor::pos(); if ( OutputList->selectedItems().count() > 0 ) { ActionOutputAdd->setEnabled( false ); ActionOutputEdit->setEnabled( true ); ActionOutputRemove->setEnabled( true ); } else { ActionOutputAdd->setEnabled( true ); ActionOutputEdit->setEnabled( false ); ActionOutputRemove->setEnabled( false ); } OutputContextMenu->exec( Position ); } void MyMainWindow::showFilterContextMenu( QPoint Position ) { Position = QCursor::pos(); if ( FilterList->selectedItems().count() > 0 ) { ActionFilterAdd->setEnabled( false ); ActionFilterEdit->setEnabled( true ); ActionFilterRemove->setEnabled( true ); } else { ActionFilterAdd->setEnabled( true ); ActionFilterEdit->setEnabled( false ); ActionFilterRemove->setEnabled( false ); } FilterContextMenu->exec( Position ); } void MyMainWindow::showProgress() { cerr << "gpsbabel is running..." << endl; } // Needed because the QCheckBox emits int but bool void MyMainWindow::setProcessWaypoints( int ProcessWPs ) { if ( ProcessWPs == 2 ) { ProcessWaypoints = true; } else { ProcessWaypoints = false; } } void MyMainWindow::setProcessRoutes( int ProcessRTs ) { if ( ProcessRTs == 2 ) { ProcessRoutes = true; } else { ProcessRoutes = false; } } void MyMainWindow::setProcessTracks( int ProcessTKs ) { if ( ProcessTKs == 2 ) { ProcessTracks = true; } else { ProcessTracks = false; } } void MyMainWindow::setRealtimeTracking( int RealtimeTrkg ) { if ( RealtimeTrkg == 2 ) { RealtimeTracking = true; } else { RealtimeTracking = false; } } void MyMainWindow::setSynthesizeShortnames( int SynthShorts ) { if ( SynthShorts == 2 ) { SynthesizeShortnames = true; } else { SynthesizeShortnames = false; } } void MyMainWindow::setSmartIcons( int SmIcons ) { if ( SmIcons == 2 ) { SmartIcons = true; } else { SmartIcons = false; } } void MyMainWindow::saveAppGeometry() { // See the Qt4 docs: Window Geometry // Doesn't save anything if connected to aboutToClose() :( SettingsManager::instance()->saveWindowGeometry( this->pos(), this->size() ); } void MyMainWindow::setAppGeometry() { // See the Qt4 docs: Window Geometry this->move( SettingsManager::instance()->AppPos() ); this->resize( SettingsManager::instance()->AppSize() ); } void MyMainWindow::checkForConfigs() { // During application start, default config files should be created if they don't exist // The SystemConfig will automatically get recreated after an update, as the version number got appended to the file name // The user config will be kept after an update to preserve the user's settings (including presets) // The user config only will be recreated if the user requests to restore defaults via the preferences dialog QFileInfo FileInfoUserConfig( SettingsManager::instance()->UserConfigFileName() ); QFileInfo FileInfoSystemConfig( SettingsManager::instance()->SystemConfigFileName() ); if ( !FileInfoUserConfig.exists() ) { SettingsManager::instance()->restoreUserDefaults(); } if ( !FileInfoSystemConfig.exists() ) { SettingsManager::instance()->restoreSystemDefaults(); } fillPresetPopup(); } void MyMainWindow::restoreDefaults() { // Display a warning, but only if config files already exist QFileInfo FileInfoUserConfig( SettingsManager::instance()->UserConfigFileName() ); QFileInfo FileInfoSystemConfig( SettingsManager::instance()->SystemConfigFileName() ); if ( FileInfoUserConfig.exists() || FileInfoSystemConfig.exists() ) { QMessageBox MessageBox( tr( "Restore Default Settings" ), tr( "Restoring default settings will reset all your current settings.\nDo you really want to continue?" ), QMessageBox::Question, QMessageBox::Yes | QMessageBox::Default, QMessageBox::No | QMessageBox::Escape, QMessageBox::NoButton ); if ( MessageBox.exec() == QMessageBox::No ) { return; } } SettingsManager::instance()->restoreUserDefaults(); SettingsManager::instance()->restoreSystemDefaults(); // Refilling the preset combo with the new preset names fillPresetPopup(); // In case this function was run from the preferences dialog, refresh its contents PreferencesEditWindow->getSettings(); setAppGeometry(); } gebabbel-0.4+repack/src/MySavePresetWindow.h0000755000175000017500000000363010537355507020067 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef MYPRESETCONFIG_H #define MYPRESETCONFIG_H #include #include "ui_SavePresetWindow.h" #include #include "SettingsManager.h" using namespace std; class MySavePresetWindow: public QDialog, private Ui::SavePresetWindow { Q_OBJECT private: void setupConnections(); void setupGui(); public: MySavePresetWindow( QWidget* parent = 0L ); public slots: void setCommentText( QString ); QString tellName(); QString tellComment(); }; #endif gebabbel-0.4+repack/src/MyPreferencesConfig.cpp0000755000175000017500000001045510645240305020530 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "MyPreferencesConfig.h" MyPreferencesConfig::MyPreferencesConfig( QWidget* parent ) : QDialog( parent ) { setupUi( this ); setupConnections(); getSettings(); // Temporarily disabling this feature as I guess noone needs it // LabelGpsbabelPath->hide(); // InputGpsbabelPath->hide(); // ButtonGpsbabelPath->hide(); } void MyPreferencesConfig::setupConnections() { connect( ButtonCancel, SIGNAL( clicked() ), this, SLOT( close() ) ); connect( ButtonOk, SIGNAL( clicked() ), this, SLOT( saveSettings() ) ); connect( ButtonGpsbabelPath, SIGNAL( clicked() ), this, SLOT( selectGpsbabel() ) ); connect( ButtonRestoreDefaults, SIGNAL( clicked() ), parent(), SLOT( restoreDefaults() ) ); } void MyPreferencesConfig::getSettings() { QString GpsbabelPath = ""; if ( SettingsManager::instance()->pathGpsBabel() == "" ) { GpsbabelPath = "gpsbabel"; #ifdef WINDOWS GpsbabelPath.append( ".exe" ); #endif } else { GpsbabelPath = SettingsManager::instance()->pathGpsBabel(); } InputGpsbabelPath->setText( GpsbabelPath ); DisplayUserSettingsPath->setText( SettingsManager::instance()->UserConfigFileName() ); DisplaySystemSettingsPath->setText( SettingsManager::instance()->SystemConfigFileName() ); // It was planned to make the locale setting accessible via the preferences // If so, the language also needs to be set in MyPreferencesConfig::saveSettings() // Filling the language combo with the filenames present in :/translations/ QDir ResourceDir( ":/" ); ResourceDir.cd( "translations" ); ComboLanguage->hide(); LabelLanguage->hide(); ComboLanguage->addItems( ResourceDir.entryList() ); ComboLanguage->insertItem( 0, tr( "Automatic" ) ); // Displaying the current locale QLocale DefaultLocale; QString Locale = DefaultLocale.name(); DisplayLocale->setText( Locale ); } void MyPreferencesConfig::saveSettings() { SettingsManager::instance()->setPathGpsBabel( InputGpsbabelPath->text() ); this->close(); } void MyPreferencesConfig::selectGpsbabel() { // TODO: Still buggy. If path only contains "gpsbabel", the selector jumps to the working directory... QString SearchPath = SettingsManager::instance()->pathGpsBabel(); if ( SearchPath == "" ) { #ifdef LINUX SearchPath = QDir::homePath(); #endif #ifdef MACINTOSH SearchPath = "/Applications"; #endif #ifdef WINDOWS SearchPath = "c:"; #endif } else { QFileInfo FileInfo( SearchPath ); SearchPath = FileInfo.absolutePath(); } QString GpsbabelPath = ""; #ifndef WINDOWS GpsbabelPath = QFileDialog::getOpenFileName(this, tr("Select Gpsbabel binary"), SearchPath, tr( "Any file (*)" )); #endif #ifdef WINDOWS GpsbabelPath = QFileDialog::getOpenFileName(this, tr("Select Gpsbabel binary"), SearchPath, tr( "Executable files (*.exe);;Any file (*)" )); #endif if ( GpsbabelPath != "" ) { InputGpsbabelPath->setText( GpsbabelPath ); } } gebabbel-0.4+repack/src/SettingsManager.h0000644000175000017500000000656510560760555017411 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef SETTINGSMANAGER_h #define SETTINGSMANAGER_h #include #include #include #include using namespace std; class SettingsManager : public QObject { Q_OBJECT protected: SettingsManager(); private: static SettingsManager* StaticInstancePointer; QSettings * UserSettings; QSettings * SystemSettings; public: ~SettingsManager(); static SettingsManager* instance(); QString UserConfigFileName(); QString SystemConfigFileName(); QString pathGpsBabel(); QString pathInput(); QString pathOutput(); QString pathFilter(); QString inputFilter(); QString outputFilter(); QString filterFilter(); void setPathInput( QString ); void setPathOutput( QString ); void setPathFilter( QString ); void setFilterInput( QString ); void setFilterOutput( QString ); void setFilterFilter( QString ); void setPathGpsBabel( QString ); void saveWindowGeometry( QPoint, QSize ); QPoint AppPos(); QSize AppSize(); QStringList deviceTypes(); QStringList devicePorts(); QStringList inputTypes(); QStringList outputTypes(); QStringList filters(); QStringList fileTypes(); QStringList characterSets(); QStringList Options( QString, QString ); QString TypeName( QString, QString ); QString OptionName( QString, QString, QString ); QString CharsetName( QString ); QString OptionExample( QString, QString, QString ); QString humanReadableGpsBabelError( QString ); QString preset( QString PresetName ); QString comment( QString PresetName ); QStringList presetNames(); QStringList commentNames(); int incrementUsageCount(); void disableUsageCount(); QString language(); // signals: public slots: void restoreSystemDefaults(); void restoreUserDefaults(); void savePreset( QString, QString ); void saveComment( QString, QString ); void deletePreset( QString ); void setLanguage( QString ); }; #endif gebabbel-0.4+repack/src/Versioning.h0000755000175000017500000000346311120017075016417 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef VERSIONING_H #define VERSIONING_H #define APPNAME "Gebabbel" #define VERSION "0.4" #define AUTHOR "Christoph Eckert " #define COPYRIGHTHOLDER "Christoph Eckert" #define YEARS "2006-2008" #define LICENSE "GNU general public license, version 2 or later" #define HOMEPAGE "http://gebabbel.sourceforge.net" #define GPSBABELHOMEPAGE "http://www.gpsbabel.org" #endif gebabbel-0.4+repack/src/MyIOConfigWindow.h0000755000175000017500000000454410645235400017435 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef MYIOCONFIGWINDOW_H #define MYIOCONFIGWINDOW_H #include #include "ui_IOConfig.h" #include #include "ListItem.h" #include "SettingsManager.h" using namespace std; class MyIOConfigWindow: public QDialog, private Ui::IOConfig { Q_OBJECT private: QDir * RequestDir; void setupConnections(); bool isDevice; QString DataType; QString TempOptions; public: MyIOConfigWindow( QWidget* parent = 0L ); public slots: void setData( QString, QStringList, QString, QString ); void setDataType( QString ); void fillCombos(); void fillOptionsCombo( QString ); void updateOptionsEdit( QString ); void preserveOptionsEdit(); void setupHelp(); void setHelpText(); QString data(); // Those are not obsolete as used to check if one of the two combos is empty QString Type(); QString Value(); void transmitValues(); void selectFile(); signals: }; #endif gebabbel-0.4+repack/src/MyMainWindow.h0000755000175000017500000001217010645140555016664 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef MYMAINWINDOW_h #define MYMAINWINDOW_h #include #include #include #include #include "ui_MainWindow.h" #include "MyIOConfigWindow.h" #include "MyFilterConfigWindow.h" #include "MyPreferencesConfig.h" #include "MySavePresetWindow.h" #include "ListItem.h" #include "SettingsManager.h" using namespace std; class MyMainWindow: public QMainWindow, private Ui::MainWindow { Q_OBJECT public: MyMainWindow( QWidget* parent = 0 ); private: QProcess * ExecGpsBabel; MyPreferencesConfig * PreferencesEditWindow; QTreeWidgetItem * ActiveItem; QMenu * MenuFile; QMenu * MenuEdit; QMenu * MenuHelp; QMenu * InputContextMenu; QMenu * OutputContextMenu; QMenu * FilterContextMenu; QComboBox * comboPresets; QToolBar * MainToolBar; QMessageBox * AboutBox; QMessageBox * HelpBox; QProgressDialog * ProgressDialog; QString FilePath; QString GpsBabelPath; QStringList InputHeaders; QStringList OutputHeaders; QStringList FilterHeaders; QAction * ActionFileSavePreset; QAction * ActionFileDeletePreset; QAction * ActionFileProcess; QAction * ActionFileClear; QAction * ActionFileQuit; QAction * ActionEditEditCommand; QAction * ActionEditEditPresetFile; QAction * ActionEditEditPreferences; QAction * ActionHelpManual; QAction * ActionHelpAbout; QAction * ActionHelpWhatsThis; QAction * ActionInputAdd; QAction * ActionInputEdit; QAction * ActionInputRemove; QAction * ActionOutputAdd; QAction * ActionOutputEdit; QAction * ActionOutputRemove; QAction * ActionFilterAdd; QAction * ActionFilterEdit; QAction * ActionFilterRemove; ListItem * TempListItem; bool ProcessWaypoints; bool ProcessRoutes; bool ProcessTracks; bool RealtimeTracking; bool SynthesizeShortnames; bool SmartIcons; QList * InputItems; QList * OutputItems; QList * FilterItems; QList * CurrentItems; QTreeWidget * CurrentList; void setupMenus(); void setupConnections(); signals: public slots: void initGpsBabel(); void displayAboutBox(); void displayHelpDialog(); void displayWarning( QString, QString ); void setStatusbarText( QString, unsigned int ); void displayComment( QString ); void showProgress(); void saveLastUsedSettings(); void saveNamedPreset(); void savePreset( QString, QString ); void deletePreset(); void processData(); void fillPresetPopup(); void loadPreset( QString ); void splitData( QString ); void wipeData(); void finetuneGui(); void setProcessButton(); QString searchGpsBabel(); QStringList assembleCommand(); void editCommand(); void showInputContextMenu( QPoint ); void showOutputContextMenu( QPoint ); void showFilterContextMenu( QPoint ); void doubleClickedInput( QTreeWidgetItem *, int ); void doubleClickedOutput( QTreeWidgetItem *, int ); void doubleClickedFilter( QTreeWidgetItem *, int ); void AddOrEditInput(); void AddOrEditOutput(); void AddOrEditFilter(); void AddOrEditItem( QString ); void removeInput(); void removeOutput(); void removeFilter(); void removeItem( QString ); void editPreferences(); // QCheckBox emits int but bool void setProcessWaypoints( int ); void setProcessRoutes( int ); void setProcessTracks( int ); void setRealtimeTracking( int ); void setSynthesizeShortnames( int ); void setSmartIcons( int ); void saveAppGeometry(); void setAppGeometry(); void checkForConfigs(); void restoreDefaults(); void processingStarted(); void processingStopped(); void externalCallFailed(); void checkUsageCount(); }; #endif gebabbel-0.4+repack/src/main.cpp0000755000175000017500000000520010645146032015551 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "Versioning.h" #include #include "MyMainWindow.h" #include "SettingsManager.h" int main( int argc, char *argv[] ) { QApplication app( argc, argv ); app.setQuitOnLastWindowClosed( true ); // See http://web.mit.edu/qt/www/i18n.html#internationalization // The translation .qm files are included in the application binary // Maybe the locale should be configurable via the GUI. Anyway, at least it's possible via the config file QTranslator Translator( &app ); // qDebug() << SettingsManager::instance()->language(); Translator.load( SettingsManager::instance()->language() ); app.installTranslator( &Translator ); QMainWindow * MainForm = new MyMainWindow(); if ( argc > 1 ) { QString FileName ( argv[1] ); QFileInfo FileInfo( FileName ); cerr << "\n"; cerr << APPNAME << " " << "doesn't accept commandline arguments."; cerr << "\n\n"; cerr << APPNAME << " " << VERSION << ", (c) by " << AUTHOR << " " << YEARS << "."; cerr << "\n"; cerr << APPNAME << " was released under terms and conditions of the GPL license, V2."; cerr << "\n"; cerr << "For further information visit http://gebabbel.sourceforge.net"; cerr << "\n\n"; } MainForm->show(); return app.exec(); } gebabbel-0.4+repack/src/MySavePresetWindow.cpp0000755000175000017500000000626610645147750020431 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "MySavePresetWindow.h" MySavePresetWindow::MySavePresetWindow( QWidget* parent ) : QDialog( parent ) { setupUi( this ); setupConnections(); setupGui(); } void MySavePresetWindow::setupConnections() { connect( ButtonCancel, SIGNAL( clicked() ), this, SLOT( close() ) ); connect( ButtonOk, SIGNAL( clicked() ), this, SLOT( accept() ) ); connect( ComboName, SIGNAL( activated( QString ) ), this, SLOT( setCommentText( QString ) ) ); } void MySavePresetWindow::setupGui() { // As this window is a persistent window, the last saved preset name reappeared when saving a preset // Meanwhile seems to be gone setWindowTitle( tr( "Save Preset" ) ); TextLabel->setText( tr( "Please enter a name for the new preset.\nChoosing the name of an existing preset will overwrite the existing preset.\nThe comment is optional:" ) ); ComboName->addItems( SettingsManager::instance()->presetNames() ); QStringList AllCommentNames = SettingsManager::instance()->commentNames(); for ( int i = 0; i < AllCommentNames.count(); i++ ) { if ( SettingsManager::instance()->comment( AllCommentNames.at( i ) ) != "" ) { ComboComment->addItem( SettingsManager::instance()->comment( AllCommentNames.at( i ) ) ); } } ComboName->setEditText( tr( "Enter new name here" ) ); ComboComment->setEditText( "" ); } void MySavePresetWindow::setCommentText( QString PresetName ) { if ( SettingsManager::instance()->comment( PresetName ) != "" ) { ComboComment->setEditText( SettingsManager::instance()->comment( PresetName ) ); } else { ComboComment->setEditText( "" ); } } QString MySavePresetWindow::tellName() { return ComboName->currentText(); } QString MySavePresetWindow::tellComment() { return ComboComment->currentText(); } gebabbel-0.4+repack/src/SettingsManager.cpp0000644000175000017500000062302510645364311017732 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "Versioning.h" #include "SettingsManager.h" SettingsManager * SettingsManager::StaticInstancePointer = 0L; SettingsManager * SettingsManager::instance() { if ( StaticInstancePointer == 0L ) { StaticInstancePointer = new SettingsManager(); } return StaticInstancePointer; } // A QObject always needs a pointer, even if it's a nullpointer SettingsManager::SettingsManager() : QObject( 0L ) { QString UserSettingsFileName = ""; QString SystemSettingsFileName = ""; UserSettingsFileName.append( APPNAME ); SystemSettingsFileName.append( APPNAME ); UserSettingsFileName.append( "UserSettings" ); SystemSettingsFileName.append( "SystemSettings" ); SystemSettingsFileName.append( "-" ); SystemSettingsFileName.append( VERSION ); UserSettings = new QSettings( QSettings::IniFormat, QSettings::UserScope, APPNAME, UserSettingsFileName ); SystemSettings = new QSettings( QSettings::IniFormat, QSettings::UserScope, APPNAME, SystemSettingsFileName ); } SettingsManager::~SettingsManager() { StaticInstancePointer = 0L; // Ensuring the config file gets written to disc at application quit UserSettings->sync(); SystemSettings->sync(); } /* QString SettingsManager::guiName( QString Type, QString Format ) { SystemSettings->beginGroup( Type ); QStringList Types = SystemSettings->allKeys(); for ( int i = 0; i < Types.count(); i++ ) { if ( Types.at( i ) == Format ) { return SystemSettings->value( Types.at( i ), "" ).toString(); } } SystemSettings->endGroup(); } */ /* QString SettingsManager::format( QString Type, QString GuiName ) { } */ QString SettingsManager::UserConfigFileName() { return UserSettings->fileName(); } QString SettingsManager::SystemConfigFileName() { return SystemSettings->fileName(); } QStringList SettingsManager::deviceTypes() { SystemSettings->beginGroup( "DeviceFormats" ); QStringList AllKeys = SystemSettings->childGroups(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::devicePorts() { SystemSettings->beginGroup( "DevicePorts" ); QStringList AllKeys = SystemSettings->childKeys(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::inputTypes() { SystemSettings->beginGroup( "Input" ); QStringList AllKeys = SystemSettings->childGroups(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::outputTypes() { SystemSettings->beginGroup( "Output" ); QStringList AllKeys = SystemSettings->childGroups(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::filters() { SystemSettings->beginGroup( "Filter" ); QStringList AllKeys = SystemSettings->childGroups(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::fileTypes() { SystemSettings->beginGroup( "FileTypes" ); QStringList AllKeys = SystemSettings->childKeys(); for ( int i = 0; i < AllKeys.size(); i++ ) { QString Item = SystemSettings->value( AllKeys.at( i ) ).toString(); Item.append( " (" ); Item.append( AllKeys.at( i ) ); Item.append( ")" ); AllKeys.replace( i, Item ); } SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::characterSets() { SystemSettings->beginGroup( "CharacterSets" ); QStringList AllKeys = SystemSettings->childKeys(); SystemSettings->endGroup(); return AllKeys; } QStringList SettingsManager::Options( QString DataType, QString Type ) { // Helper variables QStringList AllKeys; QStringList TempList; SystemSettings->beginGroup( DataType ); // The current group is either Input, Filter or Output // Check if there is a subgroup named "Type" and if there is a subgroup "Options" // In case a group named "Type" or a subgroup "Options" does not exist, return an empty stringlist TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == Type ) { SystemSettings->beginGroup( Type ); TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == "Options" ) { SystemSettings->beginGroup( "Options" ); AllKeys = SystemSettings->childKeys(); SystemSettings->endGroup(); } } SystemSettings->endGroup(); } } // Don't forget to return to the top level of the config file's hierarchy SystemSettings->endGroup(); return AllKeys; } QString SettingsManager::TypeName( QString DataType, QString Type ) { QString TempString; SystemSettings->beginGroup( DataType ); QStringList TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == Type ) { SystemSettings->beginGroup( Type ); TempString = SystemSettings->value( "Name", "" ).toString(); SystemSettings->endGroup(); } } // Don't forget to return to the top level of the config file's hierarchy SystemSettings->endGroup(); return TempString; } QString SettingsManager::OptionName( QString DataType, QString Type, QString Option ) { // Attention: "Option" contains the complete content of the current option combobox // Therefore do not only compare, but search for options in it // Helper variables QString TempString; QStringList TempList; SystemSettings->beginGroup( DataType ); // The current group is either Input, Filter or Output // Check if there is a subgroup named "Type" and if there is a subgroup "Options" // In case a group named "Type" or a subgroup "Options" does not exist, return an empty stringlist TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == Type ) { SystemSettings->beginGroup( Type ); TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == "Options" ) { SystemSettings->beginGroup( "Options" ); TempList = SystemSettings->childKeys(); for ( int i = 0; i < TempList.count(); i++) { // TODO: contains() is not enough, as it will compose a very long text even in case of 'hdopandvdop' if ( Option.contains( TempList.at( i ) ) ) { if ( TempString != "" ) { TempString.append( "; " ); } TempString.append( SystemSettings->value( TempList.at( i ) ).toString() ); } } SystemSettings->endGroup(); } } SystemSettings->endGroup(); } } // Don't forget to return to the top level of the config file's hierarchy SystemSettings->endGroup(); return TempString; } QString SettingsManager::CharsetName( QString CharSet ) { QString TempString; SystemSettings->beginGroup( "CharacterSets" ); TempString = SystemSettings->value( CharSet, "" ).toString(); SystemSettings->endGroup(); return TempString; } QString SettingsManager::OptionExample( QString DataType, QString Type, QString Option ) { // Attention: "option" contains the complete content of the current option combobox // Therefore do not only compare, but search for options in it // Helper variables QString TempString; QStringList TempList; SystemSettings->beginGroup( DataType ); // The current group is either Input, Filter or Output // Check if there is a subgroup named "Type" and if there is a subgroup "Options" // In case a group named "Type" or a subgroup "Options" does not exist, return an empty stringlist TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == Type ) { SystemSettings->beginGroup( Type ); TempList = SystemSettings->childGroups(); for ( int i = 0; i < TempList.size(); i++ ) { if ( TempList.at( i ) == "Options" ) { SystemSettings->beginGroup( "Options" ); TempList = SystemSettings->childKeys(); for ( int i = 0; i < TempList.count(); i++) { if ( Option.contains( TempList.at( i ) ) ) { TempString.append( SystemSettings->value( TempList.at( i ) ).toString() ); TempString.append( ", " ); } } SystemSettings->endGroup(); } } SystemSettings->endGroup(); } } // Don't forget to return to the top level of the config file's hierarchy SystemSettings->endGroup(); return TempString; } QString SettingsManager::humanReadableGpsBabelError( QString Error ) { SystemSettings->beginGroup( "GpsBabelErrorMessages" ); QStringList AllKeys = SystemSettings->childKeys(); QString TempString = ""; for ( int i = 0; i < AllKeys.count(); i++ ) { if ( Error.contains( AllKeys.at( i ), Qt::CaseInsensitive ) ) { TempString = SystemSettings->value( AllKeys.at( i ), "Error" ).toString(); } } SystemSettings->endGroup(); return TempString; } void SettingsManager::savePreset( QString PresetName, QString Command ) { UserSettings->beginGroup( "Presets" ); UserSettings->setValue( PresetName, Command ); UserSettings->endGroup(); // The sync() is very important. // Otherwise LastUsedSetting doesn't get written to disc at application quit UserSettings->sync(); } void SettingsManager::saveComment( QString PresetName, QString Comment ) { UserSettings->beginGroup( "Comments" ); UserSettings->setValue( PresetName, Comment ); UserSettings->endGroup(); } void SettingsManager::deletePreset( QString PresetName ) { UserSettings->beginGroup( "Presets" ); UserSettings->remove( PresetName ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->remove( PresetName ); UserSettings->endGroup(); } QString SettingsManager::pathGpsBabel() { #ifndef WINDOWS return UserSettings->value( "GpsbabelPath", "gpsbabel" ).toString(); #endif #ifdef WINDOWS return UserSettings->value( "GpsbabelPath", "gpsbabel.exe" ).toString(); #endif } QStringList SettingsManager::presetNames() { UserSettings->beginGroup( "Presets" ); QStringList AllKeys = UserSettings->allKeys(); UserSettings->endGroup(); return AllKeys; } QStringList SettingsManager::commentNames() { UserSettings->beginGroup( "Comments" ); QStringList AllKeys = UserSettings->allKeys(); UserSettings->endGroup(); return AllKeys; } QString SettingsManager::preset( QString PresetName ) { UserSettings->beginGroup( "Presets" ); QString Command = UserSettings->value( PresetName, "" ).toString(); UserSettings->endGroup(); return Command; } QString SettingsManager::comment( QString PresetName ) { UserSettings->beginGroup( "Comments" ); QString Comment = UserSettings->value( PresetName, "" ).toString(); UserSettings->endGroup(); return Comment; } QString SettingsManager::pathInput() { // The default path is the user's home directory // In case Desktop is writable, it gets set to Desktop QString Path = UserSettings->value( "LastInputPath", "" ).toString(); if ( Path == "" ) { QFileInfo DesktopCheck; Path = QDir::homePath().append( "/Desktop" ); DesktopCheck.setFile( Path ); if ( !DesktopCheck.isWritable() ) { Path = QDir::homePath(); } } return Path; } QString SettingsManager::pathOutput() { // The default path is the user's home directory // In case Desktop is writable, it gets set to Desktop QString Path = UserSettings->value( "LastOutputPath", "" ).toString(); if ( Path == "" ) { QFileInfo DesktopCheck; Path = QDir::homePath().append( "/Desktop" ); DesktopCheck.setFile( Path ); if ( !DesktopCheck.isWritable() ) { Path = QDir::homePath(); } } return Path; } QString SettingsManager::pathFilter() { // The default path is the user's home directory // In case Desktop is writable, it gets set to Desktop QString Path = UserSettings->value( "LastFilterPath", "" ).toString(); if ( Path == "" ) { QFileInfo DesktopCheck; Path = QDir::homePath().append( "/Desktop" ); DesktopCheck.setFile( Path ); if ( !DesktopCheck.isWritable() ) { Path = QDir::homePath(); } } return Path; } QString SettingsManager::inputFilter() { return UserSettings->value( "LastInputFilter" ).toString(); } QString SettingsManager::outputFilter() { return UserSettings->value( "LastOutputFilter" ).toString(); } QString SettingsManager::filterFilter() { return UserSettings->value( "LastFilterFilter" ).toString(); } void SettingsManager::setPathInput( QString Path ) { UserSettings->setValue( "LastInputPath", Path ); } void SettingsManager::setPathOutput( QString Path ) { UserSettings->setValue( "LastOutputPath", Path ); } void SettingsManager::setPathFilter( QString Path ) { UserSettings->setValue( "LastFilterPath", Path ); } void SettingsManager::setFilterInput( QString Filter ) { UserSettings->setValue( "LastInputFilter", Filter ); } void SettingsManager::setFilterOutput( QString Filter ) { UserSettings->setValue( "LastOutputFilter", Filter ); } void SettingsManager::setFilterFilter( QString Filter ) { UserSettings->setValue( "LastFilterFilter", Filter ); } void SettingsManager::setPathGpsBabel( QString Path ) { // Trying to avoid an empty string as this would cause QProcess to segfault if ( Path == "" ) { UserSettings->setValue( "GpsbabelPath", "gpsbabel" ); } else { UserSettings->setValue( "GpsbabelPath", Path ); } } void SettingsManager::saveWindowGeometry( QPoint Pos, QSize Size ) { SystemSettings->setValue( "WindowPosition", Pos ); SystemSettings->setValue( "WindowSize", Size ); // sync() seems to be important if you want your changes to be saved at application quit SystemSettings->sync(); } QPoint SettingsManager::AppPos() { return SystemSettings->value( "WindowPosition", QPoint( 200,200 ) ).toPoint(); } QSize SettingsManager::AppSize() { return SystemSettings->value( "WindowSize", QSize( 650, 400 ) ).toSize(); } // The main window will call this function and ask the user for feedback if gebabbel was used x times // Of course the user can disable the feedback agent by settign the counter to 0 int SettingsManager::incrementUsageCount() { if ( SystemSettings->value( "UsageCount", "0" ).toInt() > 0 ) { SystemSettings->setValue( "UsageCount", SystemSettings->value( "UsageCount", "0" ).toInt() + 1 ); } return SystemSettings->value( "UsageCount", "0" ).toInt(); } void SettingsManager::disableUsageCount() { SystemSettings->setValue( "UsageCount", "0" ); } QString SettingsManager::language() { QString LanguageName; if ( UserSettings->value( "Language", "auto" ).toString() == "auto" ) { // See http://web.mit.edu/qt/www/i18n.html#internationalization QLocale DefaultLocale; LanguageName = DefaultLocale.name(); } else { LanguageName = UserSettings->value( "Language", "auto" ).toString(); } LanguageName.append( ".qm" ); LanguageName.prepend( ":/translations/" ); return LanguageName; } void SettingsManager::setLanguage( QString Language ) { UserSettings->setValue( "Language", Language ); } void SettingsManager::restoreUserDefaults() { // Try to create a backup of the current configfiles first // Attention: If the destination file exists, rename will return false // It even can happen that the file cannot be removed or the new one cannot be created QFile::rename( UserSettings->fileName(), UserSettings->fileName().append( "-" ).append( QDateTime::currentDateTime().toString( "yyyyMMdd-HHmmss" ) ) ); // DefaultPresets QString TempName, TempCommand, ExecName; #ifndef WINDOWS ExecName = "gpsbabel"; #endif #ifdef WINDOWS ExecName = "gpsbabel.exe"; #endif // Default presets to get the user started immediately UserSettings->beginGroup( "Presets" ); TempName = tr( "Cut Track based on times" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x track,start=2007010110,stop=2007010118 -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "OriginalTrack.gpx" ) ).arg( tr( "TruncatedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Only keep trackpoints between the start and stop time" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Drop all data except track data" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x nuketypes,waypoints,routes -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "HugeFile.gpx" ) ).arg( tr( "TracksOnly.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Keep tracks but drop waypoints and routes" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Fill time gaps in track" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x interpolate,time=10 -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "InputTrack.gpx" ) ).arg( tr( "InterpolatedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Insert points if two adjacent points are more than the given time apart" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Fill distance gaps in track" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x interpolate,distance=2m -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "InputTrack.gpx" ) ).arg( tr( "InterpolatedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Insert points if two adjacent points are more than the given distance apart" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Garmin text format example" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -t -r -N -i garmin_txt,date=\"MM/DD/YYYY\",time=\"hh:mm:ss xx\" -f %1 -o garmin_txt -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "GarminTextInput.txt" ) ).arg( tr( "GarminTextOutput.txt" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Example showing all options of the garmin text format" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Get waypoints from Garmin" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -N -i garmin -f usb: -o gpx -F %1" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "GarminWaypoints.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Get waypoints from a Garmin device" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Get routes from Garmin" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-r -N -i garmin -f usb: -o gpx -F %1" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "GarminRoutes.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Get routes from a Garmin device" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Get tracks from Garmin" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -N -i garmin -f usb: -o gpx -F %1" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "GarminTracks.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Get tracks from a Garmin device" ) ); UserSettings->endGroup(); // See http://www.gpsbabel.org/htmldoc-development/tracking.html UserSettings->beginGroup( "Presets" ); TempName = tr( "Get realtime position from Garmin" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-T -i garmin -f usb: -o kml -F %1" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "PositionLogging.kml" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Get the current position from a Garmin device and stream it to a file" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Get and erase data from WBT" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -r -t -N -i wbt,erase -f %1 -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "/dev/cu.WBT200-SPPslave-1" ) ).arg( tr( "DataFromWBT.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Download data from a WBT device and erase its memory contents afterwards") ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Merge Tracks" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -i gpx -f %2 -x track,merge,title=\"CompleteTrack\" -o gpx -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "JourneyThere.gpx" ) ).arg( tr( "JourneyBack.gpx" ) ).arg( tr( "CompleteJourney.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Merge multiple tracks into one" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge track to 500 points (Garmin)" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x simplify,count=500 -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "HugeTrack.gpx" ) ).arg( tr( "PurgedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Reduce the amount of trackpoints to a maximum of 500 (for Garmin devices)" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge track for openstreetmap.org usage" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x simplify,error=0.001k -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "OriginalTrack.gpx" ) ).arg( tr( "SimplifiedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Remove trackpoints which are less than 1m apart from track" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge close points" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -w -r -N -i geo -f %1 -i geo -f %2 -x position,distance=1m -o mapsend -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "Infile1.loc" ) ).arg( tr( "Infile2.loc" ) ).arg( tr( "Outfile.wpt" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Remove points closer than the given distance to adjacent points" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge waypoints based on a file" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -N -i gpx -f %1 -i csv -f %2 -x duplicate,shortname,all -o gpx -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "WaypointsHuge.gpx" ) ).arg( tr( "WaypointsToDrop.csv" ) ).arg( tr( "WaypointsReduced.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Removes any waypoint from the data if it is in the exclude file" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge data based on polygon and arc files" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -t -r -N -i gpx -f %1 -x stack,push -x polygon,file=%2 -x stack,swap -x arc,file=%3,distance=1k -x stack,pop,append -x duplicate,shortname -o gpx -F %4" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "Points.gpx" ) ).arg( tr( "MyCounty.txt" ) ).arg( tr( "MyCounty.txt" ) ).arg( tr( "OutsideMyCounty.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Drop points according to files describing a polygon resp. an arc" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge track based on a circle" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i geo -f %1 -x radius,distance=1.5M,lat=30.0,lon=-90.0 -o mapsend -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "Input.loc" ) ).arg( tr( "Output.wpt" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Radius Filter" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge trackpoints with an obvious aberration" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x discard,hdop=10,vdop=20,hdopandvdop -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "Infile.gpx" ) ).arg( tr( "Discarded.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Remove points where the GPS device obviously was wrong" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Purge waypoint duplicates" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -N -i gpx -f %1 -x duplicate,location,shortname -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "WaypointsWithDuplicates.gpx" ) ).arg( tr( "WaypointsWithoutDuplicates.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Remove waypoints with the same name or location of another waypoint" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Remove points based on a polygon file" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -t -r -N -i geo -f %1 -x polygon,file=%2 -o mapsend -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "InputFile.loc" ) ).arg( tr( "MyCounty.txt" ) ).arg( tr( "PurgedByPolygon.wpt" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Drop points according to a file describing a polygon" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Remove points based on an arc file" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -t -r -N -i geo -f %1 -x arc,file=%2,distance=1k -o mapsend -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "InputFile.loc" ) ).arg( tr( "MyCounty.txt" ) ).arg( tr( "PurgedByArc.wpt" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Drop points according to a file describing an arc" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Send waypoints, routes or tracks to Garmin" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-w -r -t -N -i gpx -f %1 -o garmin -F usb:" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "GpxData.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Upload GPX data like waypoints, routes or tracks to a Garmin device" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Split routes for Motorrad Routenplaner" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-r -N -i gpx -f %1 -o bcr,index=1,name=\"Route1\",radius=6371012 -F %2 -o bcr,index=2,name=\"Route2\",radius=6371012 -F %3" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "TwoRoutes.gpx" ) ).arg( tr( "Route1.bcr" ) ).arg( tr( "Route2.bcr" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "The BCR format only supports one route per file, so the gpx file gets split" ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Presets" ); TempName = tr( "Timeshift a track" ); TempCommand = ExecName ; TempCommand.append( " " ); TempCommand.append( "-t -i gpx -f %1 -x track,move=+1h -o gpx -F %2" ); UserSettings->setValue( TempName, TempCommand.arg( tr( "OriginalTrack.gpx" ) ).arg( tr( "TimeshiftedTrack.gpx" ) ) ); UserSettings->endGroup(); UserSettings->beginGroup( "Comments" ); UserSettings->setValue( TempName, tr( "Shift trackpoint times by one hour" ) ); UserSettings->endGroup(); } void SettingsManager::restoreSystemDefaults() { // Try to create a backup of the current configfiles first // Attention: If the destination file exists, rename will return false // It even can happen that the file cannot be removed or the new one cannot be created QFile::rename( SystemSettings->fileName(), SystemSettings->fileName().append( "-" ).append( QDateTime::currentDateTime().toString( "yyyyMMdd-HHmmss" ) ) ); // Starting to fill the system config file with general settings SystemSettings->setValue( "GebabbelVersion", VERSION ); // Starting to fill the system config file with general settings SystemSettings->setValue( "UsageCount", "1" ); // Ports SystemSettings->beginGroup( "DevicePorts" ); SystemSettings->setValue( "usb:0", tr( "USB port N 1" ) ); SystemSettings->setValue( "usb:1", tr( "USB port N 2" ) ); SystemSettings->setValue( "usb:2", tr( "USB port N 3" ) ); #ifdef LINUX // TODO: QSettings treats those devices as config file groups // is appears in the config as dev/ttyS0, so seems I need to search another way SystemSettings->setValue( "/dev/ttyS0", tr( "Serial port 1" ) ); SystemSettings->setValue( "/dev/ttyS1", tr( "Serial port 2" ) ); SystemSettings->setValue( "/dev/ttyS2", tr( "Serial port 3" ) ); SystemSettings->setValue( "/dev/ttyUSB0", tr( "USB to serial port 1" ) ); SystemSettings->setValue( "/dev/ttyUSB1", tr( "USB to serial port 2" ) ); SystemSettings->setValue( "/dev/ttyUSB2", tr( "USB to serial port 3" ) ); #endif #ifdef WINDOWS SystemSettings->setValue( "com1", tr( "Serial port 1" ) ); SystemSettings->setValue( "com2", tr( "Serial port 2" ) ); SystemSettings->setValue( "com3", tr( "Serial port 3" ) ); #endif // I have no clue if there are Mac serial ports SystemSettings->endGroup(); // Defining the IO formats which can be used for direct device communication SystemSettings->beginGroup( "DeviceFormats" ); SystemSettings->beginGroup( "garmin" ); SystemSettings->setValue( "Name", tr( "Garmin GPS device" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "magellan" ); SystemSettings->setValue( "Name", tr( "Magellan GPS device" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); // List of all valid formats according to the gpsbabel webpage // Creating one list for inputs and one for outputs is a bit redundant, // but allows to distinguish formats which only can be written or read // Inputs /* Template for adding options to inputs and outputs SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->endGroup(); */ SystemSettings->beginGroup( "Input" ); SystemSettings->beginGroup( "magellan" ); SystemSettings->setValue( "Name", tr( "Magellan GPS device format" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "baud=", tr( "Numeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800" ) ); SystemSettings->setValue( "noack", tr( "Suppress use of handshaking in name of speed" ) ); SystemSettings->setValue( "nukewpt", tr( "Setting this option erases all waypoints in the receiver before doing a transfer" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "baroiq" ); SystemSettings->setValue( "Name", tr( "Brauniger IQ Series Barograph Download" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "cambridge" ); SystemSettings->setValue( "Name", tr( "Cambridge/Winpilot glider software" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "cst" ); SystemSettings->setValue( "Name", tr( "CarteSurTable data file" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "cetus" ); SystemSettings->setValue( "Name", tr( "Cetus for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "coastexp" ); SystemSettings->setValue( "Name", tr( "CoastalExplorer XML" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "csv" ); SystemSettings->setValue( "Name", tr( "Comma separated values" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "compegps" ); SystemSettings->setValue( "Name", tr( "CompeGPS data files (.wpt/.trk/.rte)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "copilot" ); SystemSettings->setValue( "Name", tr( "CoPilot Flight Planner for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "coto" ); SystemSettings->setValue( "Name", tr( "cotoGPS for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "axim_gpb" ); SystemSettings->setValue( "Name", tr( "Dell Axim Navigation System file format (.gpb)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "an1" ); SystemSettings->setValue( "Name", tr( "DeLorme an1 (drawing) file" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpl" ); SystemSettings->setValue( "Name", tr( "DeLorme GPL" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "saplus" ); SystemSettings->setValue( "Name", tr( "DeLorme Street Atlas Plus" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "saroute" ); SystemSettings->setValue( "Name", tr( "DeLorme Street Atlas Route" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "turns_important", tr( "Keep turns. This option only makes sense in conjunction with the 'simplify' filter" ) ); SystemSettings->setValue( "turns_only", tr( "Only read turns but skip all other points. Only keeps waypoints associated with named turns" ) ); SystemSettings->setValue( "split", tr( "Split into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' options" ) ); SystemSettings->setValue( "controls=", tr( "Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is \"none\". Example: controls=waypoint" ) ); SystemSettings->setValue( "times", tr( "Read the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route file" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmap" ); SystemSettings->setValue( "Name", tr( "DeLorme XMap HH Native .WPT" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmap2006" ); SystemSettings->setValue( "Name", tr( "DeLorme XMap/SAHH 2006 Native .TXT" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmapwpt" ); SystemSettings->setValue( "Name", tr( "DeLorme XMat HH Street Atlas USA .WPT (PPC)" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "easygps" ); SystemSettings->setValue( "Name", tr( "EasyGPS binary format" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "igc" ); SystemSettings->setValue( "Name", tr( "FAI/IGC Flight Recorder Data Format" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "fugawi" ); SystemSettings->setValue( "Name", tr( "Fugawi" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin301" ); SystemSettings->setValue( "Name", tr( "Garmin 301 Custom position and heartrate" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "glogbook" ); SystemSettings->setValue( "Name", tr( "Garmin Logbook XML" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gdb" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - gdb" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapsource" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - mps" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_txt" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - txt (tab delimited)" ) ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - txt (tab delimited)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "date=", tr( "Interpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DD" ) ); SystemSettings->setValue( "datum=", tr( "The option datum=\"datum name\" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum=\"NAD27\"" ) ); SystemSettings->setValue( "time=", tr( "This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx'" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "pcx" ); SystemSettings->setValue( "Name", tr( "Garmin PCX5" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_poi" ); SystemSettings->setValue( "Name", tr( "Garmin POI database" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin" ); SystemSettings->setValue( "Name", tr( "Garmin GPS device" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "get_posn", tr( "Return current position as a waypoint" ) ); SystemSettings->setValue( "power_off", tr( "Command unit to power itself down" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "geo" ); SystemSettings->setValue( "Name", tr( "Geocaching.com (.loc)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nuke_placer", tr( "If this option is specified, geocache placer information will not be processed" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gcdb" ); SystemSettings->setValue( "Name", tr( "GeocachingDB for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "geonet" ); SystemSettings->setValue( "Name", tr( "GEOnet Names Server (GNS)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "geoniche" ); SystemSettings->setValue( "Name", tr( "GeoNiche (.pdb)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "kml" ); SystemSettings->setValue( "Name", tr( "Google Earth (Keyhole) Markup Language" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "google" ); SystemSettings->setValue( "Name", tr( "Google Maps XML tracks" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpilots" ); SystemSettings->setValue( "Name", tr( "GpilotS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gtm" ); SystemSettings->setValue( "Name", tr( "GPS TrackMaker" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "arc" ); SystemSettings->setValue( "Name", tr( "GPSBabel arc filter file" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsdrive" ); SystemSettings->setValue( "Name", tr( "GpsDrive Format" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsdrivetrack" ); SystemSettings->setValue( "Name", tr( "GpsDrive Format for Tracks" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsman" ); SystemSettings->setValue( "Name", tr( "GPSman" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpspilot" ); SystemSettings->setValue( "Name", tr( "GPSPilot Tracker for Palm/OS waypoints" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsutil" ); SystemSettings->setValue( "Name", tr( "gpsutil is a simple command line tool dealing with waypoint data" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpx" ); SystemSettings->setValue( "Name", tr( "Universal GPS XML file format" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "hiketech" ); SystemSettings->setValue( "Name", tr( "HikeTech" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "holux" ); SystemSettings->setValue( "Name", tr( "Holux gm-100 waypoints (.wpo)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "hsandv" ); SystemSettings->setValue( "Name", tr( "HSA Endeavour Navigator export File" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "ignrando" ); SystemSettings->setValue( "Name", tr( "IGN Rando track files" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "ktf2" ); SystemSettings->setValue( "Name", tr( "Kartex 5 Track File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "kwf2" ); SystemSettings->setValue( "Name", tr( "Kartex 5 Waypoint File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "psitrex" ); SystemSettings->setValue( "Name", tr( "KuDaTa PsiTrex text" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "lowranceusr" ); SystemSettings->setValue( "Name", tr( "Lowrance USR" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "ignoreicons", tr( "If this option is added, event marker icons are ignored and therefore not converted to waypoints" ) ); SystemSettings->setValue( "break", tr( "This option breaks track segments into separate tracks when reading a .USR file" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapsend" ); SystemSettings->setValue( "Name", tr( "Magellan Mapsend" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "magnav" ); SystemSettings->setValue( "Name", tr( "Magellan NAV Companion for Palm/OS waypoints" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "magellanx" ); SystemSettings->setValue( "Name", tr( "Magellan SD files (as for eXplorist)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tef" ); SystemSettings->setValue( "Name", tr( "Map&Guide 'Tour Exchange Format' XML routes" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "routevia", tr( "Set this option to eliminate calculated route points from the route, only preserving only via stations in route" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mag_pdb" ); SystemSettings->setValue( "Name", tr( "Map&Guide to Palm/OS exported files, containing waypoints and routes (.pdb)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapconverter" ); SystemSettings->setValue( "Name", tr( "Mapopolis.com Mapconverter CSV waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mxf" ); SystemSettings->setValue( "Name", tr( "MapTech Exchange Format waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); // TODO: Recheck these formats and their file extensions SystemSettings->beginGroup( "msroute" ); SystemSettings->setValue( "Name", tr( "Microsoft AutoRoute 2002 resp. Streets and Trips (pin/route reader)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "s_and_t" ); SystemSettings->setValue( "Name", tr( "Microsoft Streets and Trips 2002-2006 waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "bcr" ); SystemSettings->setValue( "Name", tr( "Motorrad Routenplaner/Map&Guide routes (.bcr)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "psp" ); SystemSettings->setValue( "Name", tr( "MS PocketStreets 2002 Pushpin waypoints; not fully supported yet" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tpg" ); SystemSettings->setValue( "Name", tr( "National Geographic Topo waypoints (.tpg)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tpo2" ); SystemSettings->setValue( "Name", tr( "National Geographic Topo 2.x tracks (.tpo)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tpo3" ); SystemSettings->setValue( "Name", tr( "National Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "navicache" ); SystemSettings->setValue( "Name", tr( "Navicache.com XML" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "noretired", tr( "Suppress retired geocaches" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nmn4" ); SystemSettings->setValue( "Name", tr( "Navigon Mobile Navigator (.rte)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "dna" ); SystemSettings->setValue( "Name", tr( "Navitrak DNA marker format" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "netstumbler" ); SystemSettings->setValue( "Name", tr( "NetStumbler Summary File (text)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nseicon=", tr( "Specifies the name of the icon to use for non-stealth, encrypted access points" ) ); SystemSettings->setValue( "nsneicon=", tr( "Specifies the name of the icon to use for non-stealth, non-encrypted access points" ) ); SystemSettings->setValue( "seicon=", tr( "Specifies the name of the icon to use for stealth, encrypted access points" ) ); SystemSettings->setValue( "sneicon=", tr( "Specifies the name of the icon to use for stealth, non-encrypted access points" ) ); SystemSettings->setValue( "snmac", tr( "Use the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint description" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nima" ); SystemSettings->setValue( "Name", tr( "NIMA/GNIS Geographic Names File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "ozi" ); SystemSettings->setValue( "Name", tr( "OziExplorer" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "pathaway" ); SystemSettings->setValue( "Name", tr( "PathAway Database for Palm/OS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "date", tr( "Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDD" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "quovadis" ); SystemSettings->setValue( "Name", tr( "QuoVadis for Palm OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "raymarine" ); SystemSettings->setValue( "Name", tr( "Raymarine Waypoint File (.rwf)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "cup" ); SystemSettings->setValue( "Name", tr( "See You flight analysis data" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "sportsim" ); SystemSettings->setValue( "Name", tr( "Sportsim track files (part of zipped .ssz files)" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "stmsdf" ); SystemSettings->setValue( "Name", tr( "Suunto Trek Manager STM (.sdf) files" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "stmwpp" ); SystemSettings->setValue( "Name", tr( "Suunto Trek Manager STM WaypointPlus files" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "openoffice" ); SystemSettings->setValue( "Name", tr( "Tab delimited fields useful for OpenOffice, Ploticus etc." ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "tomtom" ); SystemSettings->setValue( "Name", tr( "TomTom POI file" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tmpro" ); SystemSettings->setValue( "Name", tr( "TopoMapPro Places File" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "dmtlog" ); SystemSettings->setValue( "Name", tr( "TrackLogs digital mapping (.trl)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tiger" ); SystemSettings->setValue( "Name", tr( "U.S. Census Bureau Tiger Mapping Service" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "unicsv" ); SystemSettings->setValue( "Name", tr( "Universal csv with field structure defined in first line" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "vitosmt" ); SystemSettings->setValue( "Name", tr( "Vito Navigator II tracks" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "wfff" ); SystemSettings->setValue( "Name", tr( "WiFiFoFum 2.0 for PocketPC XML waypoints" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "aicicon=", tr( "Infrastructure closed icon name" ) ); SystemSettings->setValue( "aioicon=", tr( "Infrastructure open icon name" ) ); SystemSettings->setValue( "ahcicon=", tr( "Ad-hoc closed icon name" ) ); SystemSettings->setValue( "ahoicon=", tr( "Ad-hoc open icon name" ) ); SystemSettings->setValue( "snmac", tr( "Create shortname based on the MAC hardware address" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "wbt-bin" ); SystemSettings->setValue( "Name", tr( "Wintec WBT-100/200 data logger format, as created by Wintec's Windows application" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "wbt" ); SystemSettings->setValue( "Name", tr( "Wintec WBT-100/200 GPS logger download" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "erase", tr( "Add this option to erase the data from the device after the download finished" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "yahoo" ); SystemSettings->setValue( "Name", tr( "Yahoo Geocode API data" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "xcsv" ); SystemSettings->setValue( "Name", tr( "Character separated values" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nmea" ); SystemSettings->setValue( "Name", tr( "NMEA 0183 sentences" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "gprmc=", tr( "Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0" ) ); SystemSettings->setValue( "gpgga=", tr( "Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0" ) ); SystemSettings->setValue( "gpvtg=", tr( "Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0" ) ); SystemSettings->setValue( "gpgsa=", tr( "Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0" ) ); SystemSettings->setValue( "get_posn", tr( "Returns the current position as a single waypoint. This option does not require a value" ) ); SystemSettings->setValue( "baud=", tr( "Specifies the baud rate of the serial connection when used with the real-time tracking option -T. Example: baud=4800" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_gpi" ); SystemSettings->setValue( "Name", tr( "Garmin Points of Interest" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "vitovtt" ); SystemSettings->setValue( "Name", tr( "Vito SmartMap tracks" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "ggv_log" ); SystemSettings->setValue( "Name", tr( "Geogrid Viewer tracklogs" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "g7towin" ); SystemSettings->setValue( "Name", tr( "G7ToWin data files" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tomtom_asc" ); SystemSettings->setValue( "Name", tr( "TomTom POI file" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); // Inputs /* Template for adding options to inputs and outputs SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->endGroup(); */ // Outputs SystemSettings->beginGroup( "Output" ); SystemSettings->beginGroup( "magellan" ); SystemSettings->setValue( "Name", tr( "Magellan GPS device format" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "This option specifies the icon or waypoint type to write for each waypoint on output" ) ); SystemSettings->setValue( "maxcmts=", tr( "Max number of comments to write. Example: maxcmts=200" ) ); SystemSettings->setValue( "baud=", tr( "Numeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800" ) ); SystemSettings->setValue( "noack", tr( "Suppress use of handshaking in name of speed" ) ); SystemSettings->setValue( "nukewpt", tr( "Setting this option erases all waypoints in the receiver before doing a transfer" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin" ); SystemSettings->setValue( "Name", tr( "Garmin serial/USB device format" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "snlen=", tr( "Maximum length of generated shortnames" ) ); SystemSettings->setValue( "snwhite", tr( "Set this option to allow whitespace in generated shortnames" ) ); SystemSettings->setValue( "deficon=", tr( "Default icon name" ) ); SystemSettings->setValue( "get_posn", tr( "Return current position as a waypoint" ) ); SystemSettings->setValue( "category=", tr( "This numeric option adds the specified category number to the waypoints" ) ); SystemSettings->setValue( "power_off", tr( "Command unit to power itself down" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "baroiq" ); SystemSettings->setValue( "Name", tr( "Brauniger IQ Series Barograph Download" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "cambridge" ); SystemSettings->setValue( "Name", tr( "Cambridge/Winpilot glider software" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "cst" ); SystemSettings->setValue( "Name", tr( "CarteSurTable data file" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "cetus" ); SystemSettings->setValue( "Name", tr( "Cetus for Palm/OS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->setValue( "appendicon=", tr( "Append icon_descr at the end of a waypoint description" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "coastexp" ); SystemSettings->setValue( "Name", tr( "CoastalExplorer XML" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "csv" ); SystemSettings->setValue( "Name", tr( "Comma separated values" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "compegps" ); SystemSettings->setValue( "Name", tr( "CompeGPS data files (.wpt/.trk/.rte)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "Default icon name. Example: deficon=RedPin" ) ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->setValue( "radius=", tr( "Default radius (proximity)" ) ); SystemSettings->setValue( "snlen=", tr( "Length of the generated shortnames. Default is 16 characters. Example: snlen=16" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "copilot" ); SystemSettings->setValue( "Name", tr( "CoPilot Flight Planner for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "coto" ); SystemSettings->setValue( "Name", tr( "cotoGPS for Palm/OS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "zerocat=", tr( "Specify another name for not categorized data (the default reads as Not Assigned). Example: zerocat=NotAssigned" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "an1" ); SystemSettings->setValue( "Name", tr( "DeLorme an1 (drawing) file" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "type=", tr( "Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypoint" ) ); SystemSettings->setValue( "road=", tr( "Type of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for details" ) ); SystemSettings->setValue( "nogc", tr( "If geocache data is available, do not write it to the output" ) ); SystemSettings->setValue( "deficon=", tr( "Symbol to use for point data. Example: deficon=\"Red Flag\"" ) ); SystemSettings->setValue( "color=", tr( "Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000" ) ); SystemSettings->setValue( "zoom=", tr( "A value of 0 will disable reduced symbols when zooming. The default is 10." ) ); SystemSettings->setValue( "wpt_type=", tr( "Specifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbol" ) ); SystemSettings->setValue( "radius=", tr( "If the waypoint type is circle, this option is used to specify its radius. The default is 0.1 miles (m). Kilometres also can be used (k). Example: wpt_type=circle,radius=0.01k" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpl" ); SystemSettings->setValue( "Name", tr( "DeLorme GPL" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "saplus" ); SystemSettings->setValue( "Name", tr( "DeLorme Street Atlas Plus" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmap" ); SystemSettings->setValue( "Name", tr( "DeLorme XMap HH Native .WPT" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmap2006" ); SystemSettings->setValue( "Name", tr( "DeLorme XMap/SAHH 2006 Native .TXT" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xmapwpt" ); SystemSettings->setValue( "Name", tr( "DeLorme XMat HH Street Atlas USA .WPT (PPC)" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "easygps" ); SystemSettings->setValue( "Name", tr( "EasyGPS binary format" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "igc" ); SystemSettings->setValue( "Name", tr( "FAI/IGC Flight Recorder Data Format" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "timeadj=", tr( "Barograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=auto" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpssim" ); SystemSettings->setValue( "Name", tr( "Franson GPSGate Simulation" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "wayptspd=", tr( "This option specifies the speed of the simulation in knots per hour" ) ); SystemSettings->setValue( "split", tr( "Adding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional file" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "fugawi" ); SystemSettings->setValue( "Name", tr( "Fugawi" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin301" ); SystemSettings->setValue( "Name", tr( "Garmin 301 Custom position and heartrate" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "glogbook" ); SystemSettings->setValue( "Name", tr( "Garmin Logbook XML" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gdb" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - gdb" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "cat=", tr( "This option specifies the default category for gdb output. It should be a number from 1 to 16" ) ); SystemSettings->setValue( "ver=", tr( "Version of gdb file to generate (1 or 2)." ) ); SystemSettings->setValue( "via", tr( "Drop calculated hidden points (route points that do not have an equivalent waypoint." ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapsource" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - mps" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "snlen=", tr( "Maximum length of generated shortnames" ) ); SystemSettings->setValue( "snwhite", tr( "Set this option to allow whitespace in generated shortnames" ) ); SystemSettings->setValue( "mpsverout=", tr( "Version of mapsource file to generate (3, 4 or 5)" ) ); SystemSettings->setValue( "mpsmergeout", tr( "Merges output with an already existing file" ) ); SystemSettings->setValue( "mpsusedepth", tr( "Use depth values on output (the default is to ignore them)" ) ); SystemSettings->setValue( "mpsuseprox", tr( "Use proximity values on output (the default is to ignore them)" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_txt" ); SystemSettings->setValue( "Name", tr( "Garmin MapSource - txt (tab delimited)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "date=", tr( "Interpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DD" ) ); SystemSettings->setValue( "datum=", tr( "The option datum=\"datum name\" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum=\"NAD27\"" ) ); SystemSettings->setValue( "dist=", tr( "This option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles)" ) ); SystemSettings->setValue( "grid=", tr( "This value specifies the grid to be used on write. Idx or short are valid parameters for this option" ) ); SystemSettings->setValue( "prec=", tr( "This option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3" ) ); SystemSettings->setValue( "temp=", tr( "This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for Fahrenheit" ) ); SystemSettings->setValue( "time=", tr( "This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx'" ) ); SystemSettings->setValue( "utc=", tr( "This option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "pcx" ); SystemSettings->setValue( "Name", tr( "Garmin PCX5" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "Default icon name" ) ); SystemSettings->setValue( "cartoexploreur", tr( "Write tracks compatible with Carto Exploreur" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_poi" ); SystemSettings->setValue( "Name", tr( "Garmin POI database" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gtrnctr" ); SystemSettings->setValue( "Name", tr( "Garmin Training Center xml" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "geo" ); SystemSettings->setValue( "Name", tr( "Geocaching.com .loc" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "This option specifies the icon or waypoint type to write for each waypoint" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gcdb" ); SystemSettings->setValue( "Name", tr( "GeocachingDB for Palm/OS" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "geonet" ); SystemSettings->setValue( "Name", tr( "GEOnet Names Server (GNS)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "geoniche" ); SystemSettings->setValue( "Name", tr( "GeoNiche (.pdb)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->setValue( "category=", tr( "This numeric option adds the specified category number to the waypoints" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "kml" ); SystemSettings->setValue( "Name", tr( "Google Earth (Keyhole) Markup Language" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "This option specifies the default name for waypoint icons " ) ); SystemSettings->setValue( "lines=", tr( "Per default lines are drawn between points in tracks and routes. Example to disable line-drawing: lines=0" ) ); SystemSettings->setValue( "points=", tr( "Per default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0" ) ); SystemSettings->setValue( "line_width=", tr( "Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3" ) ); SystemSettings->setValue( "line_color=", tr( "This option specifies the line color as a hexadecimal number in AABBGGRR format, where A is alpha, B is blue, G is green, and R is red" ) ); SystemSettings->setValue( "floating=", tr( "Per default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1" ) ); SystemSettings->setValue( "extrude=", tr( "Specifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1" ) ); SystemSettings->setValue( "trackdata=", tr( "Per default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0" ) ); SystemSettings->setValue( "units=", tr( "Units used when writing comments. Specify 's' for \"statute\" (miles, feet etc.) or 'm' for \"metric\". Example: units=m" ) ); SystemSettings->setValue( "labels=", tr( "Display labels on track and routepoints. Example to switch them off: labels=0" ) ); SystemSettings->setValue( "max_position_points=", tr( "This option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking mode" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpilots" ); SystemSettings->setValue( "Name", tr( "GpilotS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gtm" ); SystemSettings->setValue( "Name", tr( "GPS TrackMaker" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "arc" ); SystemSettings->setValue( "Name", tr( "GPSBabel arc filter file" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsdrive" ); SystemSettings->setValue( "Name", tr( "GpsDrive Format" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsdrivetrack" ); SystemSettings->setValue( "Name", tr( "GpsDrive Format for Tracks" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsman" ); SystemSettings->setValue( "Name", tr( "GPSman" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpspilot" ); SystemSettings->setValue( "Name", tr( "GPSPilot Tracker for Palm/OS waypoints" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpsutil" ); SystemSettings->setValue( "Name", tr( "gpsutil is a simple command line tool dealing with waypoint data" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "gpx" ); SystemSettings->setValue( "Name", tr( "Universal GPS XML file format" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "snlen=", tr( "Length of generated shortnames" ) ); SystemSettings->setValue( "suppresswhite", tr( "Suppress whitespace in generated shortnames" ) ); SystemSettings->setValue( "logpoint", tr( "Create waypoints from geocache log entries" ) ); SystemSettings->setValue( "urlbase=", tr( "Base URL for link tags" ) ); SystemSettings->setValue( "gpxver=", tr( "Target GPX version. The default version is 1.0, but you can even specify 1.1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "hiketech" ); SystemSettings->setValue( "Name", tr( "HikeTech" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "holux" ); SystemSettings->setValue( "Name", tr( "Holux gm-100 waypoints (.wpo)" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "hsandv" ); SystemSettings->setValue( "Name", tr( "HSA Endeavour Navigator export File" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "html" ); SystemSettings->setValue( "Name", tr( "Write waypoints to HTML" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "stylesheet=", tr( "Use this option to specify a CSS style sheet to be used with the resulting HTML file" ) ); SystemSettings->setValue( "encrypt", tr( "Use this option to encrypt hints from Groundspeak GPX files using ROT13" ) ); SystemSettings->setValue( "logs", tr( "Use this option to include Groundspeak cache logs in the created document" ) ); SystemSettings->setValue( "degformat=", tr( "Defines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmm" ) ); SystemSettings->setValue( "altunits", tr( "This option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f'" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "ignrando" ); SystemSettings->setValue( "Name", tr( "IGN Rando track files" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "ktf2" ); SystemSettings->setValue( "Name", tr( "Kartex 5 Track File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "kwf2" ); SystemSettings->setValue( "Name", tr( "Kartex 5 Waypoint File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "psitrex" ); SystemSettings->setValue( "Name", tr( "KuDaTa PsiTrex text" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "lowranceusr" ); SystemSettings->setValue( "Name", tr( "Lowrance USR" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "merge", tr( "This option merges all tracks into a single track with multiple segments" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "maggeo" ); SystemSettings->setValue( "Name", tr( "Magellan Explorist Geocaching waypoints (extension: .gs)." ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapsend" ); SystemSettings->setValue( "Name", tr( "Magellan Mapsend" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "trkver=", tr( "MapSend version TRK file to generate (3 or 4). Example: trkver=3" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "magnav" ); SystemSettings->setValue( "Name", tr( "Magellan NAV Companion for Palm/OS waypoints" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "magellanx" ); SystemSettings->setValue( "Name", tr( "Magellan SD files (as for eXplorist)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "deficon=", tr( "This option specifies the icon or waypoint type to write for each waypoint on output" ) ); SystemSettings->setValue( "maxcmts=", tr( "Max number of comments to write. Example: maxcmts=200" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mapconverter" ); SystemSettings->setValue( "Name", tr( "Mapopolis.com Mapconverter CSV waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "mxf" ); SystemSettings->setValue( "Name", tr( "MapTech Exchange Format waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "s_and_t" ); SystemSettings->setValue( "Name", tr( "Microsoft Streets and Trips 2002-2006 waypoints" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "bcr" ); SystemSettings->setValue( "Name", tr( "Motorrad Routenplaner (Map&Guide) routes (bcr files)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "name=", tr( "Specifies the name of the route to create" ) ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->setValue( "radius=", tr( "Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errors" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "psp" ); SystemSettings->setValue( "Name", tr( "MS PocketStreets 2002 Pushpin waypoints; not fully supported yet" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tpg" ); SystemSettings->setValue( "Name", tr( "National Geographic Topo .tpg (waypoints)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "datum=", tr( "The option datum=\"datum name\" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum=\"NAD27\"" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nmn4" ); SystemSettings->setValue( "Name", tr( "Navigon Mobile Navigator .rte files" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "dna" ); SystemSettings->setValue( "Name", tr( "Navitrak DNA marker format" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "netstumbler" ); SystemSettings->setValue( "Name", tr( "NetStumbler Summary File (text)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nseicon=", tr( "Specifies the name of the icon to use for non-stealth, encrypted access points" ) ); SystemSettings->setValue( "nsneicon=", tr( "Specifies the name of the icon to use for non-stealth, non-encrypted access points" ) ); SystemSettings->setValue( "seicon=", tr( "Specifies the name of the icon to use for stealth, encrypted access points" ) ); SystemSettings->setValue( "sneicon=", tr( "Specifies the name of the icon to use for stealth, non-encrypted access points" ) ); SystemSettings->setValue( "snmac", tr( "Use the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint description" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nima" ); SystemSettings->setValue( "Name", tr( "NIMA/GNIS Geographic Names File" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "ozi" ); SystemSettings->setValue( "Name", tr( "OziExplorer" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "snlen=", tr( "The maximum synthesized shortname length" ) ); SystemSettings->setValue( "snwhite", tr( "Set this option to allow whitespace in generated shortnames" ) ); SystemSettings->setValue( "snupper", tr( "Allow UPPERCASE CHARACTERS in synthesized shortnames" ) ); SystemSettings->setValue( "snunique", tr( "Make synthesized shortnames unique" ) ); SystemSettings->setValue( "wptfgcolor=", tr( "Waypoint foreground color" ) ); SystemSettings->setValue( "wptbgcolor=", tr( "Waypoint background color" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "palmdoc" ); SystemSettings->setValue( "Name", tr( "PalmDoc Output" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nosep", tr( "Use this option to suppress the dashed lines between waypoints" ) ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name. Example: dbname=Unfound" ) ); SystemSettings->setValue( "encrypt", tr( "Use this option to encrypt hints from Groundspeak GPX files with ROT13" ) ); SystemSettings->setValue( "logs", tr( "Use this option to include Groundspeak cache logs in the created document if there are any" ) ); SystemSettings->setValue( "bookmarks_short", tr( "If you would like the generated bookmarks to start with the short name for the waypoint, specify this option" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "pathaway" ); SystemSettings->setValue( "Name", tr( "PathAway Database for Palm/OS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->setValue( "date", tr( "Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDD" ) ); SystemSettings->setValue( "deficon=", tr( "Default icon name" ) ); SystemSettings->setValue( "snlen=", tr( "Length of generated shortnames" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "quovadis" ); SystemSettings->setValue( "Name", tr( "QuoVadis for Palm OS" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "dbname=", tr( "Internal database name of the output file, which is not equal to the file name" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "raymarine" ); SystemSettings->setValue( "Name", tr( "Raymarine Waypoint File (.rwf)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "location", tr( "Default location" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "cup" ); SystemSettings->setValue( "Name", tr( "See You flight analysis data" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "sportsim" ); SystemSettings->setValue( "Name", tr( "Sportsim track files (part of zipped .ssz files)" ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "stmsdf" ); SystemSettings->setValue( "Name", tr( "Suunto Trek Manager (STM) .sdf files" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "stmwpp" ); SystemSettings->setValue( "Name", tr( "Suunto Trek Manager (STM) WaypointPlus files" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "openoffice" ); SystemSettings->setValue( "Name", tr( "Tab delimited fields useful for OpenOffice, Ploticus etc." ) ); // This format is derived from the xcsv format, so it has all of the same options as that format. SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "text" ); SystemSettings->setValue( "Name", tr( "Textual Output" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nosep", tr( "Use this option to suppress the dashed lines between waypoints" ) ); SystemSettings->setValue( "encrypt", tr( "Use this option to encrypt hints from Groundspeak GPX files using ROT13" ) ); SystemSettings->setValue( "logs", tr( "Use this option to include Groundspeak cache logs in the created document" ) ); SystemSettings->setValue( "degformat=", tr( "Defines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmm" ) ); SystemSettings->setValue( "altunits", tr( "This option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f'" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "tomtom" ); SystemSettings->setValue( "Name", tr( "TomTom POI file" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tmpro" ); SystemSettings->setValue( "Name", tr( "TopoMapPro Places File" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "dmtlog" ); SystemSettings->setValue( "Name", tr( "TrackLogs digital mapping (.trl)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "index=", tr( "If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "tiger" ); SystemSettings->setValue( "Name", tr( "U.S. Census Bureau Tiger Mapping Service" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "nolabels", tr( "No labels on the pins are generated, thus the descriptions of the waypoints are dropped" ) ); SystemSettings->setValue( "genurl", tr( "Generate file with lat/lon for centering map. Example: genurl=tiger.ctr" ) ); SystemSettings->setValue( "margin", tr( "Margin for map in degrees or percentage. Only useful in conjunction with the genurl option" ) ); SystemSettings->setValue( "snlen=", tr( "The snlen option controls the maximum length of generated shortnames" ) ); SystemSettings->setValue( "oldthresh=", tr( "Days after which points are considered old" ) ); SystemSettings->setValue( "oldmarker=", tr( "This option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpin" ) ); SystemSettings->setValue( "newmarker=", tr( "This option specifies the pin to be used if a waypoint has a creation time older than specified by the 'oldthresh' option. The default is greenpin" ) ); SystemSettings->setValue( "suppresswhite", tr( "Suppress whitespace in generated shortnames" ) ); SystemSettings->setValue( "unfoundmarker", tr( "Marker type for unfound points" ) ); SystemSettings->setValue( "xpixels", tr( "Lets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' option" ) ); SystemSettings->setValue( "ypixels", tr( "Lets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' option" ) ); SystemSettings->setValue( "iconismarker", tr( "The icon description already is the marker" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "vcard" ); SystemSettings->setValue( "Name", tr( "Vcard Output (for iPod)" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "encrypt", tr( "By default geocaching hints are unencrypted; use this option to encrypt them using ROT13" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "vitosmt" ); SystemSettings->setValue( "Name", tr( "Vito Navigator II tracks" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "yahoo" ); SystemSettings->setValue( "Name", tr( "Yahoo Geocode API data" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "addrsep=", tr( "Street addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=\" - \"" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "xcsv" ); SystemSettings->setValue( "Name", tr( "Character separated values" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "style=", tr( "Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details" ) ); SystemSettings->setValue( "snlen=", tr( "Forbids (0) or allows (1) long names in synthesized shortnames" ) ); SystemSettings->setValue( "snwhite=", tr( "Forbids (0) or allows (1) white spaces in synthesized shortnames" ) ); SystemSettings->setValue( "snupper=", tr( "Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames" ) ); SystemSettings->setValue( "snunique=", tr( "Disables (0) or enables (1) unique synthesized shortnames" ) ); SystemSettings->setValue( "urlbase=", tr( "The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths)" ) ); SystemSettings->setValue( "prefer_shortnames=", tr( "Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames" ) ); SystemSettings->setValue( "datum=", tr( "Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nmea" ); SystemSettings->setValue( "Name", tr( "NMEA 0183 sentences" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "snlen=", tr( "Max length of waypoint name to write" ) ); SystemSettings->setValue( "gprmc=", tr( "Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0" ) ); SystemSettings->setValue( "gpgga=", tr( "Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0" ) ); SystemSettings->setValue( "gpvtg=", tr( "Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0" ) ); SystemSettings->setValue( "gpgsa=", tr( "Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0" ) ); SystemSettings->setValue( "date=", tr( "Complete date-free tracks with given date (YYYYMMDD). Example: date=20071224" ) ); SystemSettings->setValue( "get_posn", tr( "Returns the current position as a single waypoint. This option does not require a value" ) ); SystemSettings->setValue( "pause=", tr( "Decimal seconds to pause between groups of strings. Example for one second: pause=10" ) ); SystemSettings->setValue( "append_positioning", tr( "Append realtime positioning data to the output file instead of truncating. This option does not require a value" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "garmin_gpi" ); SystemSettings->setValue( "Name", tr( "Garmin Points of Interest" ) ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "bitmap=", tr( "Use this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap=\"tux.bmp\"" ) ); SystemSettings->setValue( "category=", tr( "The default category is \"My points\". Example to change this: category=\"Best Restaurants\"" ) ); SystemSettings->setValue( "hide", tr( "Use this if you don't want a bitmap to be shown on the device. This option does not require a value" ) ); SystemSettings->setValue( "descr", tr( "Add descriptions to list views of the device. This option does not require a value" ) ); SystemSettings->setValue( "notes", tr( "Add notes to list views of the device. This option does not require a value" ) ); SystemSettings->setValue( "position", tr( "Add position to the address field as seen in list views of the device. This option does not require a value" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "ggv_log" ); SystemSettings->setValue( "Name", tr( "Geogrid Viewer tracklogs" ) ); SystemSettings->endGroup(); SystemSettings->beginGroup( "tomtom_asc" ); SystemSettings->setValue( "Name", tr( "TomTom POI file" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); // Outputs /* Template for adding options to inputs and outputs SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->setValue( "", tr( "" ) ); SystemSettings->endGroup(); */ // Filters SystemSettings->beginGroup( "Filter" ); // TODO: Create cool images for filter types and options SystemSettings->beginGroup( "arc" ); SystemSettings->setValue( "Name", tr( "Only keep points within a certain distance of the given arc file" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "file=", tr( "File containing the vertices of the polygonal arc (required). Example: file=MyArcFile.txt" ) ); SystemSettings->setValue( "distance=", tr( "Distance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5K" ) ); SystemSettings->setValue( "exclude", tr( "Only keep points outside the given distance instead of including them (optional). Inverts the behaviour of this filter." ) ); SystemSettings->setValue( "points", tr( "Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter)" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "discard" ); SystemSettings->setValue( "Name", tr( "Remove unreliable points with high dilution of precision (horizontal and/or vertical)" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "hdop=", tr( "Remove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10" ) ); SystemSettings->setValue( "vdop=", tr( "Remove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20" ) ); SystemSettings->setValue( "hdopandvdop", tr( "Only remove waypoints with vertical and horizontal dilution of precision higher than the given values. Requires both hdop and vdop to be specified. Example: hdop=10,vdop=20,hdopandvdop" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "duplicate" ); SystemSettings->setValue( "Name", tr( "This filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections file" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "shortname", tr( "Remove duplicated waypoints based on their name. A, B, B and C will result in A, B and C" ) ); SystemSettings->setValue( "location", tr( "Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and C" ) ); SystemSettings->setValue( "all", tr( "Suppress all instances of duplicates. A, B, B and C will result in A and C" ) ); SystemSettings->setValue( "correct", tr( "Keep the first occurence, but use the coordintaes of later points and drop them" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "interpolate" ); SystemSettings->setValue( "Name", tr( "This filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apart" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "time=", tr( "Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10" ) ); SystemSettings->setValue( "distance=", tr( "Adds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2m" ) ); SystemSettings->setValue( "route", tr( "Work on a route instead of a track" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "nuketypes" ); SystemSettings->setValue( "Name", tr( "Remove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracks" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "waypoints", tr( "Remove all waypoints from the data. Example: waypoints" ) ); SystemSettings->setValue( "routes", tr( "Remove all routes from the data. Example: routes" ) ); SystemSettings->setValue( "tracks", tr( "Remove all tracks from the data. Example: tracks" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "polygon" ); SystemSettings->setValue( "Name", tr( "Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txt" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "file=", tr( "File containing the vertices of the polygon (required). Example: file=MyCounty.txt" ) ); SystemSettings->setValue( "exclude", tr( "Adding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,exclude" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "position" ); SystemSettings->setValue( "Name", tr( "Remove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40m" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "distance=", tr( "The distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1m" ) ); SystemSettings->setValue( "all", tr( "This option removes all points that are within the specified distance of one another, rather than leaving just one of them" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "radius" ); SystemSettings->setValue( "Name", tr( "Includes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output file" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "lat=", tr( "Latitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required)" ) ); SystemSettings->setValue( "lon=", tr( "Longitude for center point (D.DDDDD) (required)" ) ); SystemSettings->setValue( "distance=", tr( "Distance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0" ) ); SystemSettings->setValue( "exclude", tr( "Don't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,exclude" ) ); SystemSettings->setValue( "nosort", tr( "Don't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosort" ) ); SystemSettings->setValue( "maxcount=", tr( "Limit the number of kept points. Example: distance=1.5k,lat=30.0,lon=-90.0,maxcount=400" ) ); SystemSettings->setValue( "asroute=", tr( "Create a named route containing the resulting waypoints. Example: distance=1.5k,lat=30.0,lon=-90.0,asroute=MyRoute" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "reverse" ); SystemSettings->setValue( "Name", tr( "Reverse a route or track. Rarely needed as most applications can do this by themselves" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); // This filter doesn't support any options SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "simplify" ); SystemSettings->setValue( "Name", tr( "Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option)" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "count=", tr( "Maximum number of points to keep. Example: count=500" ) ); SystemSettings->setValue( "error=", tr( "Drop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001k" ) ); SystemSettings->setValue( "crosstrack", tr( "Use cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to it" ) ); SystemSettings->setValue( "length", tr( "This disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removed" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "stack" ); SystemSettings->setValue( "Name", tr( "Advanced stack operations on tracks. Please see the gpsbabel docs for details" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "push", tr( "Push waypoint list onto stack" ) ); SystemSettings->setValue( "pop", tr( "Pop waypoint list from stack" ) ); SystemSettings->setValue( "swap", tr( "Swap waypoint list with item on stack (requires the depth option to be set)" ) ); SystemSettings->setValue( "copy", tr( "(push) Copy waypoint list" ) ); SystemSettings->setValue( "append", tr( "(pop) Append list" ) ); SystemSettings->setValue( "discard", tr( "(pop) Discard top of stack" ) ); SystemSettings->setValue( "replace", tr( "(pop) Replace list (default)" ) ); SystemSettings->setValue( "depth", tr( "(swap) Item to use (default=1)" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "sort" ); SystemSettings->setValue( "Name", tr( "Sort waypoints by exactly one of the available options" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "gcid", tr( "Sort by numeric geocache ID" ) ); SystemSettings->setValue( "shortname", tr( "Sort by waypoint short name" ) ); SystemSettings->setValue( "description", tr( "Sort by waypoint description" ) ); SystemSettings->setValue( "time", tr( "Sort waypoints chronologically" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "track" ); SystemSettings->setValue( "Name", tr( "Manipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging)" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "move=", tr( "Correct trackpoint timestamps by a delta. Example: move=+1h" ) ); SystemSettings->setValue( "pack", tr( "Combine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop." ) ); SystemSettings->setValue( "split", tr( "Split by date or time interval. Example to split a single track into separate tracks for each day: split,title=\"ACTIVE LOG # %Y%m%d\". See the gpsbabel docs for more examples" ) ); SystemSettings->setValue( "merge", tr( "Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title=\"COMBINED LOG\"" ) ); SystemSettings->setValue( "name=", tr( "Only use points of tracks whose (non case-sensitive) title matches the given name" ) ); SystemSettings->setValue( "start=", tr( "Only use trackpoints after this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118" ) ); SystemSettings->setValue( "stop=", tr( "Only use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118" ) ); SystemSettings->setValue( "title=", tr( "Base title for newly created tracks" ) ); SystemSettings->setValue( "fix=", tr( "Synthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPS" ) ); SystemSettings->setValue( "course", tr( "Synthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filter" ) ); SystemSettings->setValue( "speed", tr( "Synthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpoints" ) ); SystemSettings->setValue( "sdistance=", tr( "Split track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more details" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->beginGroup( "transform" ); SystemSettings->setValue( "Name", tr( "This filter can be used to convert GPS data between different data types, e.g. convert waypoints to a track" ) ); SystemSettings->setValue( "Image", ".png" ); SystemSettings->beginGroup( "Options" ); SystemSettings->setValue( "wpt=", tr( "Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trk" ) ); SystemSettings->setValue( "rte=", tr( "Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wpt" ) ); SystemSettings->setValue( "trk=", tr( "Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wpt" ) ); SystemSettings->setValue( "del", tr( "Delete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,del" ) ); SystemSettings->endGroup(); SystemSettings->endGroup(); SystemSettings->endGroup(); // Filters // Filetypes SystemSettings->beginGroup( "FileTypes" ); SystemSettings->setValue( "*.an1", tr( "DeLorme" ) ); SystemSettings->setValue( "*.bcr", tr( "Map&Guide/Motorrad Routenplaner" ) ); SystemSettings->setValue( "*.cst", tr( "Carte sur table" ) ); SystemSettings->setValue( "*.csv", tr( "Comma separated values" ) ); SystemSettings->setValue( "*.cup", tr( "See You flight analysis data" ) ); SystemSettings->setValue( "*.dna", tr( "Navitrak DNA marker format" ) ); SystemSettings->setValue( "*.gpb", tr( "Dell Axim Navigation System" ) ); SystemSettings->setValue( "*.geo", tr( "Geocaching.com" ) ); SystemSettings->setValue( "*.gtm", tr( "GPS TrackMaker" ) ); SystemSettings->setValue( "*.gpx", tr( "GPS XML format" ) ); SystemSettings->setValue( "*.gpl", tr( "DeLorme GPL" ) ); SystemSettings->setValue( "*.gtm", tr( "GPS TrackMaker" ) ); SystemSettings->setValue( "*.gdb", tr( "Garmin MapSource" ) ); SystemSettings->setValue( "*.igc", tr( "FAI/IGC Flight Recorder" ) ); SystemSettings->setValue( "*.kml", tr( "Google Earth Keyhole Markup Language" ) ); SystemSettings->setValue( "*.loc", tr( "Geocaching.com or EasyGPS" ) ); SystemSettings->setValue( "*.mps", tr( "Garmin MapSource" ) ); SystemSettings->setValue( "*.mxf", tr( "MapTech Exchange Format" ) ); SystemSettings->setValue( "*.ozi", tr( "OziExplorer" ) ); SystemSettings->setValue( "*.pdb", tr( "Map&Guide to Palm/OS exported files" ) ); SystemSettings->setValue( "*.pcx", tr( "Garmin PCX5" ) ); SystemSettings->setValue( "*.psp", tr( "MS PocketStreets 2002 Pushpin" ) ); SystemSettings->setValue( "*.rte", tr( "CompeGPS & Navigon Mobile Navigator" ) ); SystemSettings->setValue( "*.sdf", tr( "Suunto Trek Manager" ) ); SystemSettings->setValue( "*.tpg", tr( "National Geographic Topo waypoints" ) ); SystemSettings->setValue( "*.trl", tr( "TrackLogs digital mapping" ) ); SystemSettings->setValue( "*.tpo", tr( "National Geographic Topo" ) ); SystemSettings->setValue( "*.txt", tr( "Plain text" ) ); SystemSettings->setValue( "*.trk", tr( "CompeGPS track" ) ); SystemSettings->setValue( "*.wbt", tr( "Wintec WBT" ) ); SystemSettings->setValue( "*.wpt", tr( "CompeGPS waypoints" ) ); SystemSettings->endGroup(); // Character sets SystemSettings->beginGroup( "CharacterSets" ); SystemSettings->setValue( "CP1250", "1250, ms-ee, windows-1250, WIN-CP1250" ); SystemSettings->setValue( "CP1251", "1251, ms-cyrl, windows-1251, WIN-CP1251" ); SystemSettings->setValue( "CP1252", "1252, ms-ansi, windows-1252, WIN-CP1252" ); SystemSettings->setValue( "CP1253", "1253, ms-greek, windows-1253, WIN-CP1253" ); SystemSettings->setValue( "CP1254", "1254, ms-turk, windows-1254, WIN-CP1254" ); SystemSettings->setValue( "CP1255", "1255, ms-hebr, windows-1255, WIN-CP1255" ); SystemSettings->setValue( "CP1256", "1256, ms-arab, windows-1256, WIN-CP1256" ); SystemSettings->setValue( "CP1257", "1257, WinBaltRim, windows-1257, WIN-CP1257" ); SystemSettings->setValue( "IBM437", "437, CP437" ); SystemSettings->setValue( "IBM850", "850, CP850, csPC850Multilingual" ); SystemSettings->setValue( "IBM851", "851, CP851" ); SystemSettings->setValue( "IBM852", "852, CP852, pcl2, pclatin2" ); SystemSettings->setValue( "IBM855", "855, CP855" ); SystemSettings->setValue( "IBM857", "857, CP857" ); SystemSettings->setValue( "IBM860", "860, CP860" ); SystemSettings->setValue( "IBM861", "861, CP861, cp-is" ); SystemSettings->setValue( "IBM862", "862, CP862" ); SystemSettings->setValue( "IBM863", "863, CP863" ); SystemSettings->setValue( "IBM864", "864, CP864" ); SystemSettings->setValue( "IBM865", "865, CP865" ); SystemSettings->setValue( "IBM868", "868, CP868, cp-ar" ); SystemSettings->setValue( "IBM869", "869, CP869, cp-gr" ); SystemSettings->setValue( "ISO-8859-1", "819, CP819, csISOLatin1, IBM819, ISO8859-1, iso-ir-100, ISO_8859-1, ISO_8859-1:1987, l1, lat1, latin1, Latin-1" ); SystemSettings->setValue( "ISO-8859-10", "csISOLatin6, ISO8859-10, iso-ir-157, ISO_8859-10, ISO_8859-10:1992, ISO_8859-10:1993, l6, lat6, latin6" ); SystemSettings->setValue( "ISO-8859-13", "ISO8859-13, iso-baltic, ISO-IR-179, iso-ir-179a, ISO_8859-13, ISO_8859-13:1998, l7, lat7, latin7" ); SystemSettings->setValue( "ISO-8859-14", "ISO8859-14, iso-celtic, iso-ir-199, ISO_8859-14, ISO_8859-14:1998, l8, lat8, latin8" ); SystemSettings->setValue( "ISO-8859-15", "ISO8859-15, iso-ir-203, ISO_8859-15, ISO_8859-15:1998, l9, lat9, latin9" ); SystemSettings->setValue( "ISO-8859-2", "912, CP912, csISOLatin2, IBM912, ISO8859-2, iso-ir-101, ISO_8859-2, ISO_8859-2:1987, l2, lat2, latin2" ); SystemSettings->setValue( "ISO-8859-3", "csISOLatin3, ISO8859-3, iso-ir-109, ISO_8859-3, ISO_8859-3:1988, l3, lat3, latin3" ); SystemSettings->setValue( "ISO-8859-4", "csISOLatin4, ISO8859-4, iso-ir-110, ISO_8859-4, ISO_8859-4:1988, l4, lat4, latin4" ); SystemSettings->setValue( "ISO-8859-5", "csISOLatinCyrillic, cyrillic, ISO8859-5, iso-ir-144, ISO_8859-5, ISO_8859-5:1988" ); SystemSettings->setValue( "ISO-8859-6", "arabic, ASMO-708, csISOLatinArabic, ECMA-114, ISO8859-6, iso-ir-127, ISO_8859-6, ISO_8859-6:1987" ); SystemSettings->setValue( "ISO-8859-7", "csISOLatinGreek, ECMA-118, ELOT_928, greek, greek8, ISO8859-7, iso-ir-126, ISO_8859-7, ISO_8859-7:1987" ); SystemSettings->setValue( "ISO-8859-8", "csISOLatinHebrew, hebrew, ISO8859-8, iso-ir-138, ISO_8859-8, ISO_8859-8:1988" ); SystemSettings->setValue( "ISO-8859-9", "csISOLatin5, ISO8859-9, iso-ir-148, ISO_8859-9, ISO_8859-9:1989, l5, lat5, latin5" ); SystemSettings->setValue( "KOI-8", "GOST_19768-74" ); SystemSettings->setValue( "KOI8-R", "csKOI8R" ); SystemSettings->setValue( "KOI8-RU", "KOI8-RU" ); SystemSettings->setValue( "Latin-greek-1", "iso-ir-27" ); SystemSettings->setValue( "macintosh", "csMacintosh, mac, MacRoman" ); SystemSettings->setValue( "US-ASCII", "ANSI_X3.4-1968, 367, ANSI_X3.4-1986, ASCII, CP367, csASCII, IBM367, ISO646-US, ISO646.1991-IRV, iso-ir-6, ISO_646.irv:1991, us" ); SystemSettings->setValue( "UTF-8", "utf8" ); SystemSettings->endGroup(); // Error messages of gpsbabel // Expects that gpsbabel outputs english messages // The search strings often are not complete because they often contain placeholders like %filename% SystemSettings->beginGroup( "GpsBabelErrorMessages" ); SystemSettings->setValue( "error reading an1 file. Perhaps this isn't really an an1 file.", tr( "This file does not seem to be an an1 file." ) ); SystemSettings->setValue( "Sorry, the radius should be greater than zero!", tr( "The radius should be greater than zero." ) ); SystemSettings->setValue( "Can't open port", tr( "The port could not be opened." ) ); SystemSettings->setValue( "Can't configure port", tr( "The port could not be configured." ) ); SystemSettings->setValue( "Could not synchronise", tr( "The syncronisation failed." ) ); SystemSettings->setValue( "Bad internal state", tr( "Bad internal state detected." ) ); SystemSettings->setValue( "Serial error", tr( "Serial error detected." ) ); SystemSettings->setValue( "Incomplete download", tr( "The download was not complete." ) ); SystemSettings->setValue( /*Inva*/"id track data or unsupported version", tr( "This track data is invalid or the format is an unsupported version." ) ); SystemSettings->setValue( "Invalid track header", tr( "The track header is invalid." ) ); SystemSettings->setValue( "pdb_Read failed", tr( "Failed to perform pdb_Read." ) ); SystemSettings->setValue( "Not a Cetus file", tr( "The file is not a Cetus file." ) ); SystemSettings->setValue( "libpdb couldn't create record", tr( "libpdb could not create record." ) ); SystemSettings->setValue( "libpdb couldn't append record", tr( "libpdb could not append record." ) ); SystemSettings->setValue( "Unknown character set", tr( "The character set is unknown." ) ); SystemSettings->setValue( "link-table unsorted", tr( "The link table is unsorted." ) ); SystemSettings->setValue( "extra-table unsorted", tr( "The extra table is unsorted." ) ); SystemSettings->setValue( "Unsupported character set", tr( "The character set is unsupported." ) ); SystemSettings->setValue( "cet_disp_character_set_names", tr( "An internal error in cet_disp_character_set_names occured." ) ); SystemSettings->setValue( "Internal error", tr( "An internal error occured." ) ); SystemSettings->setValue( "Unsupported character set", tr( "The character set is unsupported." ) ); SystemSettings->setValue( "This build excluded CoastalExplorer support because expat was not installed", tr( "There is no CoastalExplorer support because expat was not installed." ) ); SystemSettings->setValue( "Cannot create XML parser", tr( "Unable to create an XML parser." ) ); SystemSettings->setValue( "Parse error at", tr( "A parse error occured." ) ); SystemSettings->setValue( "Unsupported datum", tr( "The datum is unsupported." ) ); SystemSettings->setValue( "Sorry, UTM is not supported yet", tr( "UTM is not supported yet." ) ); SystemSettings->setValue( "Invalid system of coordinates", tr( "The system of coordinates is invalid." ) ); SystemSettings->setValue( "No waypoint data before", tr( "A problem with waypoint data occured." ) ); SystemSettings->setValue( "nvalid length for generated shortnames", tr( "The length for generated shortnames is invalid." ) ); SystemSettings->setValue( "Invalid value for radius", tr( "The value for radius is invalid." ) ); SystemSettings->setValue( "Realtime positioning not supported", tr( "Realtime positioning is not supported." ) ); SystemSettings->setValue( "pdb_Read failed", tr( "pdb_Read failed." ) ); SystemSettings->setValue( "Not a CoPilot file", tr( "The file is not a CoPilot file." ) ); SystemSettings->setValue( "libpdb couldn't create record", tr( "libpdb could not create record." ) ); SystemSettings->setValue( "libpdb couldn't append record", tr( "libpdb could not append record." ) ); SystemSettings->setValue( "Not a cotoGPS file", tr( "The file is not a cotoGPS file." ) ); SystemSettings->setValue( "Unexpected end of file", tr( "Unexpected end of file." ) ); SystemSettings->setValue( "Number of points expected", tr( "A different number of points was expected." ) ); SystemSettings->setValue( "Could not interprete line", tr( "The line could not be interpreted." ) ); SystemSettings->setValue( "too many format specifiers", tr( "There are too many format specifiers." ) ); SystemSettings->setValue( "invalid format specifier", tr( "The format specifier is invalid." ) ); SystemSettings->setValue( "gpl_point is", tr( "The value for gpl_point is wrong." ) ); SystemSettings->setValue( "Unsupported file version", tr( "The version of the file is unsupported." ) ); SystemSettings->setValue( "Unsupported combination of datum", tr( "The combination of datum and grid is unsupported." ) ); SystemSettings->setValue( "Unknown or invalid track file", tr( "The track file is unknown or invalid." ) ); SystemSettings->setValue( "Zlib was not included in this build", tr( "Zlib is not available in this build of gpsbabel." ) ); SystemSettings->setValue( "Unknown or unsupported file type", tr( "The file type is unknown or unsupported." ) ); SystemSettings->setValue( "is not an EasyGPS file", tr( "This is not an EasyGPS file." ) ); SystemSettings->setValue( "String too long at", tr( "The string is to long." ) ); SystemSettings->setValue( "Can't init", tr( "Cannot init." ) ); SystemSettings->setValue( "does not support waypoint xfer", tr( "The Garmin unit does not support waypoint xfer." ) ); SystemSettings->setValue( "Can't get waypoint from", tr( "The waypoints cannot be read from the interface." ) ); SystemSettings->setValue( "Fatal error reading position", tr( "An error occured while trying to read positioning data. Maybe the device has no satellite fix yet." ) ); SystemSettings->setValue( "Nothing to do", tr( "There is nothing to do." ) ); SystemSettings->setValue( "not enough memory", tr( "There is not enough memory." ) ); SystemSettings->setValue( "communication error sending wayoints", tr( "A communication error occured while sending wayoints." ) ); SystemSettings->setValue( "unknown garmin format", tr( "This garmin format is unknown." ) ); SystemSettings->setValue( "Invalid precision", tr( "The precision is invalid." ) ); SystemSettings->setValue( "Invalid or unknown gps datum", tr( "The GPS datum is unknown or invalid." ) ); SystemSettings->setValue( "Unknown distance unit", tr( "The distance unit is unknown." ) ); SystemSettings->setValue( "Invalid date or/and time", tr( "Either date or time is invalid." ) ); SystemSettings->setValue( "Unknown temperature unit", tr( "The temperature unit is unknown." ) ); SystemSettings->setValue( "Invalid temperature", tr( "The temperature is invalid." ) ); SystemSettings->setValue( "Incomplete or invalid file header", tr( "The file header is incomplete or invalid." ) ); SystemSettings->setValue( "Unsupported grid", tr( "The grid is unsupported." ) ); SystemSettings->setValue( "Missing grid headline", tr( "The grid headline is missing." ) ); SystemSettings->setValue( "Unsupported GPS datum", tr( "The GPS datum is unsupported." ) ); SystemSettings->setValue( "Missing GPS datum headline", tr( "The GPS datum headline is missing." ) ); SystemSettings->setValue( "Route waypoint without name", tr( "A waypoint without name has been found." ) ); SystemSettings->setValue( "not in waypoint list", tr( "A waypoint which is not in the waypoint list was found." ) ); SystemSettings->setValue( "Unknwon identifier", tr( "An unknwon identifier was found." ) ); SystemSettings->setValue( "zlib returned error", tr( "Zlib reported an error." ) ); SystemSettings->setValue( "occured during read of file", tr( "An error occured while reading the file." ) ); SystemSettings->setValue( "Could not write", tr( "Could not write data." ) ); SystemSettings->setValue( "Unsupported serial speed", tr( "The given serial speed is unsupported." ) ); SystemSettings->setValue( "Unsupported bits setting", tr( "The given bit setting is unsupported." ) ); SystemSettings->setValue( "Unsupported parity setting", tr( "The given parity setting is unsupported." ) ); SystemSettings->setValue( "Unsupported stop setting", tr( "The given stop setting is unsupported." ) ); SystemSettings->setValue( "Not a GeocachingDB file", tr( "The file is not a GeocachingDB file." ) ); SystemSettings->setValue( "libpdb couldn't create record", tr( "libpdb couldn't create record." ) ); SystemSettings->setValue( "libpdb couldn't append record", tr( "libpdb couldn't append record." ) ); SystemSettings->setValue( "unexpected end of file", tr( "An unexpected end of file occured." ) ); SystemSettings->setValue( "I/O error occured during read", tr( "An I/O error occured during read." ) ); SystemSettings->setValue( "local buffer overflow detected", tr( "A local buffer overflow was detected." ) ); SystemSettings->setValue( "Internal error", tr( "An internal error occured." ) ); SystemSettings->setValue( "unsupported bit count", tr( "An error was detected in the data." ) ); SystemSettings->setValue( "Invalid file", tr( "The file is invalid." ) ); SystemSettings->setValue( "Non supported GDB version", tr( "This GDB version is not supported." ) ); SystemSettings->setValue( "Empty routes are not allowed", tr( "Empty routes are not allowed." ) ); SystemSettings->setValue( "Unexpected end of route", tr( "Unexpected end of route." ) ); SystemSettings->setValue( "Unsupported data size", tr( "Unsupported data size." ) ); SystemSettings->setValue( "Unsupported category", tr( "Unsupported category." ) ); SystemSettings->setValue( "Unsupported version", tr( "Unsupported version number." ) ); SystemSettings->setValue( "This build excluded GEO support because expat was not installed", tr( "This build excluded GEO support because expat was not installed." ) ); SystemSettings->setValue( "Bad record 0, not a GeoNiche file", tr( "This file is not a GeoNiche file." ) ); SystemSettings->setValue( "Couldn't allocate waypoint", tr( "The waypoint could not be allocated." ) ); SystemSettings->setValue( "Premature EOD processing field 1 (target)", tr( "Premature EOD processing field 1 (target)." ) ); SystemSettings->setValue( "Route record type is not implemented", tr( "This route record type is not implemented." ) ); SystemSettings->setValue( "Unknown record type", tr( "This record type is unknown." ) ); SystemSettings->setValue( "Premature EOD processing field", tr( "Premature EOD processing." ) ); SystemSettings->setValue( "Not a GeoNiche file", tr( "This file is not a GeoNiche file." ) ); SystemSettings->setValue( "Unsupported GeoNiche file", tr( "This file is an unsupported GeoNiche file." ) ); SystemSettings->setValue( "pdb_Read failed", tr( "pdb_Read failed." ) ); SystemSettings->setValue( "libpdb couldn't get record memory", tr( "libpdb could not get record memory." ) ); SystemSettings->setValue( "Reserved database name", tr( "The name is a reserved database name and must not get used." ) ); SystemSettings->setValue( "This build excluded Google Maps support because expat was not installed", tr( "This build excluded Google Maps support because expat was not installed." ) ); SystemSettings->setValue( "Unknown file type", tr( "The file type is unknown." ) ); SystemSettings->setValue( "track point type", tr( "This track point type is unknown." ) ); SystemSettings->setValue( "input record type", tr( "This input record type is unknown." ) ); SystemSettings->setValue( "Not a gpspilot file", tr( "This file is not a gpspilot file." ) ); SystemSettings->setValue( "output file already open", tr( "The output file already is open and cannot get reopened." ) ); SystemSettings->setValue( "This build excluded GPX support because expat was not installed", tr( "This build excluded GPX support because expat was not installed." ) ); SystemSettings->setValue( "Cannot create XML Parser", tr( "Cannot create an XML Parser." ) ); SystemSettings->setValue( "Unable to allocate", tr( "Memory allocation failed." ) ); SystemSettings->setValue( "XML parse error at", tr( "Error while parsing XML." ) ); SystemSettings->setValue( "gpx version number of", tr( "The GPX version number is invalid." ) ); SystemSettings->setValue( "Uncompress the file first", tr( "Please Uncompress the file first." ) ); SystemSettings->setValue( "Invalid file format", tr( "The file format is invalid." ) ); SystemSettings->setValue( "Invalid format version", tr( "The file format version is invalid." ) ); SystemSettings->setValue( "this format does not support reading", tr( "Reading this file format is not supported." ) ); SystemSettings->setValue( "Error reading data from .wpo file", tr( "There was an error while reading data from .wpo file." ) ); SystemSettings->setValue( "Error writing", tr( "There was an error writing to the output file." ) ); SystemSettings->setValue( "This build excluded HSA Endeavour support because expat was not installed", tr( "This build excluded HSA Endeavour support because expat was not installed." ) ); SystemSettings->setValue( "is not an IGC file", tr( "The file is not an IGC file." ) ); SystemSettings->setValue( "record parse error", tr( "There was an error while parsing a record." ) ); SystemSettings->setValue( "record internal error", tr( "There was an internal error while working on a record." ) ); SystemSettings->setValue( "bad date", tr( "A bad date occured." ) ); SystemSettings->setValue( "failure reading file", tr( "Reading the file failed." ) ); SystemSettings->setValue( "Bad waypoint format", tr( "There was a waypoint with bad format." ) ); SystemSettings->setValue( "Bad date format", tr( "There was a date in a bad format." ) ); SystemSettings->setValue( "Bad time of day format", tr( "There was a time of day in bad format." ) ); SystemSettings->setValue( /*Bb*/"ad track timestamp", tr( "There was a bad timestamp in the track ." ) ); SystemSettings->setValue( "Empty task route", tr( "Empty task route." ) ); SystemSettings->setValue( "Too few waypoints in task route", tr( "Too few waypoints in task route." ) ); SystemSettings->setValue( "Bad task route timestamp", tr( "There was a bad timestamp in the task route." ) ); SystemSettings->setValue( "bad timeadj argument", tr( "There was a bad timeadj argument." ) ); SystemSettings->setValue( "input support because expat was not installed", tr( "There is no support for this input type because expat is not available." ) ); SystemSettings->setValue( "Error in XML structure", tr( "There was an error in the XML structure." ) ); SystemSettings->setValue( "nvalid coordinates", tr( "There have been invalid coordinates." ) ); SystemSettings->setValue( "Invalid altitude", tr( "There has been an invalid altitude." ) ); SystemSettings->setValue( "error in vsnprintf.", tr( "There was an error in vsnprintf." ) ); SystemSettings->setValue( "Invalid track index", tr( "There was an invalid track index." ) ); SystemSettings->setValue( "invalid section header", tr( "There was an invalid section header." ) ); SystemSettings->setValue( "Can't interpolate on both time and distance", tr( "Cannot interpolate on both time and distance." ) ); SystemSettings->setValue( "Can't interpolate routes on time", tr( "Cannot interpolate routes on time." ) ); SystemSettings->setValue( "No interval specified", tr( "No interval was specified." ) ); SystemSettings->setValue( "This build excluded KML support because expat was not installed", tr( "This build excluded KML support because expat was not installed." ) ); SystemSettings->setValue( "Units argument", tr( "Argument should be 's' for statute units or 'm' for metrics." ) ); SystemSettings->setValue( "requested to read", tr( "There was an error reading a byte." ) ); SystemSettings->setValue( "input file is from an old version of the USR file and is not supported", tr( "The input file is from an old version of the USR file and is not supported." ) ); SystemSettings->setValue( "eXplorist does not support more than 200 waypoints in one .gs file", tr( "eXplorist does not support more than 200 waypoints in one .gs file.\nPlease decrease the number of waypoints sent." ) ); SystemSettings->setValue( "Reading maggeo is not implemented yet", tr( "Reading the maggeo format is not implemented yet." ) ); SystemSettings->setValue( "Not a Magellan Navigator file", tr( "This is not a Magellan Navigator file." ) ); SystemSettings->setValue( "Unknown receiver type", tr( "The receiver type resp. model version is unknown." ) ); SystemSettings->setValue( "No data received from GPS", tr( "No data was received from the GPS device." ) ); SystemSettings->setValue( "bad communication. Check bit rate.", tr( "The communication was not OK. Please check the bit rate used." ) ); SystemSettings->setValue( "Can't configure port", tr( "There was an error configuring the port." ) ); SystemSettings->setValue( "Could not open serial port", tr( "There was an error opening the serial port." ) ); SystemSettings->setValue( "Read error", tr( "There was an error while reading data." ) ); SystemSettings->setValue( "Write error", tr( "There was an error while writing data." ) ); SystemSettings->setValue( "No acknowledgment from GPS on ", tr( "There was no acknowledgment from the GPS device." ) ); SystemSettings->setValue( "Unexpected response to waypoint delete command", tr( "There was an unexpected error deleting a waypoint." ) ); SystemSettings->setValue( "Unknown objective", tr( "An unknown objective occured." ) ); SystemSettings->setValue( "Invalid point in time to call 'pop_args'", tr( "Invalid point in time to call 'pop_args'." ) ); SystemSettings->setValue( "Unknown filter", tr( "There is an unknown filter type." ) ); SystemSettings->setValue( "Unknown option", tr( "There is an unknown option." ) ); SystemSettings->setValue( "Realtime tracking (-T) is not suppored by this input type", tr( "Realtime tracking (-T) is not suppored by this input type." ) ); SystemSettings->setValue( "Realtime tracking (-T) is exclusive of other modes", tr( "Realtime tracking (-T) is exclusive of other modes." ) ); SystemSettings->setValue( "Not a Magellan Navigator file", tr( "The file is not a Magellan Navigator file." ) ); SystemSettings->setValue( "Unsupported MapSend TRK version", tr( "This version of MapSend TRK is unsupported." ) ); SystemSettings->setValue( "out of data reading", tr( "Out of data reading waypoints." ) ); SystemSettings->setValue( "GPS logs not supported", tr( "GPS logs are not supported." ) ); SystemSettings->setValue( "GPS regions not supported", tr( "GPS regions are not supported." ) ); SystemSettings->setValue( "unknown file type", tr( "The file type is unknown." ) ); SystemSettings->setValue( "Unknown track version", tr( "The track version is unknown." ) ); SystemSettings->setValue( "unknown garmin format", tr( "This garmin format is unknown." ) ); SystemSettings->setValue( "This doesn't look like a mapsource file", tr( "This does not seem to be a MapSource file." ) ); SystemSettings->setValue( "Unsuppported version of mapsource file", tr( "This version of the MapSource file is unsupported." ) ); SystemSettings->setValue( "setshort_defname called without a valid name", tr( "setshort_defname was called without a valid name." ) ); SystemSettings->setValue( "Could not seek file to sector", tr( "Could not seek file." ) ); SystemSettings->setValue( "Read error", tr( "There was a reading error." ) ); SystemSettings->setValue( "not in property catalog", tr( "Not in property catalog." ) ); SystemSettings->setValue( "Broken stream", tr( "The stream was broken." ) ); SystemSettings->setValue( "Error in fat1 chain, sector =", tr( "There was an error in the fat1 chain." ) ); SystemSettings->setValue( "No MS document", tr( "No MS document." ) ); SystemSettings->setValue( "Unsupported byte-order", tr( "This byte-order is unsupported." ) ); SystemSettings->setValue( "Unsupported sector size", tr( "The sector size is unsupported." ) ); SystemSettings->setValue( "Invalid file (no property catalog)", tr( "The file is invalid (no property catalog)." ) ); SystemSettings->setValue( "Invalid or unknown data", tr( "The data is invalid or of unknown type." ) ); SystemSettings->setValue( "Unsupported byte order within data", tr( "An unsupported byte order was detected." ) ); SystemSettings->setValue( "This build excluded GPX support because expat was not installed", tr( "This build excluded GPX support because expat was not installed." ) ); SystemSettings->setValue( "Cannot create XML parser", tr( "The XML parser cannot be created." ) ); SystemSettings->setValue( "Parse error at", tr( "A parse error occured." ) ); SystemSettings->setValue( "Does not support writing Navicache files", tr( "There is no support writing Navicache files." ) ); SystemSettings->setValue( "illegal read_mode", tr( "Illegal read mode." ) ); SystemSettings->setValue( "Invalid date", tr( "There was an invalid date." ) ); SystemSettings->setValue( "is out of range (have to be 19700101 or later)", tr( "The date is out of range. It has to be later than 1970-01-01." ) ); SystemSettings->setValue( "Could not open", tr( "There was an error opening a file." ) ); SystemSettings->setValue( "Unable to set baud rate", tr( "There was an error setting the baud rate." ) ); SystemSettings->setValue( "No data received on", tr( "No data was received." ) ); SystemSettings->setValue( "realtime positioning not supported", tr( "Realtime positioning is not supported." ) ); SystemSettings->setValue( "libpdb couldn't create summary record", tr( "libpdb couldn't create summary record." ) ); SystemSettings->setValue( "libpdb couldn't insert summary record", tr( "libpdb couldn't insert summary record." ) ); SystemSettings->setValue( "ibpdb couldn't create bookmark record", tr( "libpdb couldn't create bookmark record." ) ); SystemSettings->setValue( "libpdb couldn't append bookmark record", tr( "libpdb couldn't append bookmark record." ) ); SystemSettings->setValue( "libpdb couldn't create record", tr( "libpdb couldn't create record." ) ); SystemSettings->setValue( "libpdb couldn't append record", tr( "libpdb couldn't append record." ) ); SystemSettings->setValue( "Error in data structure", tr( "There was an error detected in the data structure." ) ); SystemSettings->setValue( "Unable to convert date", tr( "There was an error converting the date." ) ); SystemSettings->setValue( "pdb_Read failed", tr( "There was an error in pdb_Read." ) ); SystemSettings->setValue( "Not a PathAway pdb file", tr( "This file is not a PathAway .pdb file." ) ); SystemSettings->setValue( "This file is from an untested version", tr( "This file is from an unsupported version of PathAway." ) ); SystemSettings->setValue( "Invalid database subtype", tr( "An invalid database subtype was detected." ) ); SystemSettings->setValue( "It looks like a PathAway pdb, but has no gps magic", tr( "The file looks like a PathAway .pdb file, but it has no gps magic." ) ); SystemSettings->setValue( "Unrecognized track line", tr( "There was an unrecognized track line." ) ); SystemSettings->setValue( "requested to read", tr( "Error while reading the requested amount of bytes." ) ); SystemSettings->setValue( "input file does not appear to be a valid .PSP file", tr( "The input file does not appear to be a valid .psp file." ) ); SystemSettings->setValue( "variable string size", tr( "Variable string size exceeded." ) ); SystemSettings->setValue( "attempt to output too many pushpins", tr( "An attempt to output too many pushpins occured." ) ); SystemSettings->setValue( "Not a QuoVadis file", tr( "This file is not a QuoVadis file." ) ); SystemSettings->setValue( "cannot store more than", tr( "There was an error storing further records." ) ); SystemSettings->setValue( "This filter only works in track", tr( "This filter only can work on tracks." ) ); SystemSettings->setValue( "unrecognized color name", tr( "The color name was unrecognized." ) ); SystemSettings->setValue( "Attempt to read past EOF", tr( "An attempt to read past the end of the file was detected." ) ); SystemSettings->setValue( "ot enough information is known about this format to write it", tr( "This file format cannot be written." ) ); SystemSettings->setValue( "Cannot open shp file", tr( "An error occured opening the .shp file." ) ); SystemSettings->setValue( "Cannot open dbf file", tr( "An error occured opening the .dbf file." ) ); SystemSettings->setValue( "dbf file for ", tr( "A name or field error occured in the .dbf file." ) ); SystemSettings->setValue( "Cannot open", tr( "There was an error opening a file or a port." ) ); SystemSettings->setValue( "Routes are not supported", tr( "Routes are not supported." ) ); SystemSettings->setValue( "Realtime positioning not supported", tr( "Realtime positioning is not supported." ) ); SystemSettings->setValue( "You must specify either count or error, but not both", tr( "You must specify either count or error, but not both." ) ); SystemSettings->setValue( "crosstrack and length may not be used together", tr( "crosstrack and length may not be used together." ) ); SystemSettings->setValue( "stack empty", tr( "The stack was empty." ) ); SystemSettings->setValue( "Unsupported file type", tr( "This file type is unsupported." ) ); SystemSettings->setValue( "Invalid section header", tr( "The section header is invalid." ) ); SystemSettings->setValue( "Invalid GPS datum or not", tr( "Invalid GPS datum or not a WaypointPlus file." ) ); SystemSettings->setValue( "Unknown feature", tr( "The feature is unknown." ) ); SystemSettings->setValue( "Only one feature (route or track) is supported by STM", tr( "Only one of both features (route or track) is supported by STM." ) ); SystemSettings->setValue( "This build excluded TEF support because expat was not installed", tr( "This build excluded TEF support because expat is not available." ) ); SystemSettings->setValue( "error in source file", tr( "An error occured in the source file." ) ); SystemSettings->setValue( "waypoint count differs to internal", tr( "The amount of waypoints differed to the internal item count." ) ); SystemSettings->setValue( "requested to read", tr( "There was an attempt to read an unexpected amount of bytes." ) ); SystemSettings->setValue( "is not recognized", tr( "The datum is not recognized." ) ); SystemSettings->setValue( "input file does not appear to be a valid .TPG file", tr( "The input file does not appear to be a valid .TPG file." ) ); SystemSettings->setValue( "attempt to output too many points", tr( "There was an attempt to output too many points." ) ); SystemSettings->setValue( "The input file does not look like a valid .TPO file", tr( "The input file does not look like a valid .TPO file." ) ); SystemSettings->setValue( "gpsbabel can only read TPO version 2.7.7 or below; this file is", tr( "This TPO file's format is to young (newer than 2.7.7) for gpsbabel." ) ); SystemSettings->setValue( "this file format only supports tracks, not waypoints or routes", tr( "This file format only supports tracks, not waypoints or routes." ) ); SystemSettings->setValue( "gpsbabel can only read TPO versions through 3.x.x", tr( "gpsbabel can only read TPO versions through 3.x.x." ) ); SystemSettings->setValue( "writing ouput for state", tr( "Writing output for this state currently is not supported" ) ); SystemSettings->setValue( "invalid character in time option", tr( "There was an invalid character in the time option." ) ); SystemSettings->setValue( "invalid fix type", tr( "Invalid fix type." ) ); SystemSettings->setValue( "init: Found track point without time", tr( "A track point without timestamp was found." ) ); SystemSettings->setValue( "Track points badly ordered (timestamp)", tr( "Track points are not ordered by timestamp." ) ); SystemSettings->setValue( "title: Missing your title", tr( "Your title was missing." ) ); SystemSettings->setValue( "pack: Tracks overlap in time", tr( "The tracks overlap in time." ) ); SystemSettings->setValue( "No time interval specified", tr( "There was no time interval specified." ) ); SystemSettings->setValue( "invalid time interval specified, must be one a positive number", tr( "The time interval specified was invalid. It must be a positive number." ) ); SystemSettings->setValue( "invalid time interval specified, must be one of [dhms]", tr( "The time interval specified was invalid. It must be one of [dhms]." ) ); SystemSettings->setValue( "No distance specified", tr( "There was no distance specified." ) ); SystemSettings->setValue( "invalid distance specified, must be one a positive number", tr( "The distance specified was invalid. It must be a positive number." ) ); SystemSettings->setValue( "invalid distance specified, must be one of [km]", tr( "The distance specified was invalid. It must be one of [km]." ) ); SystemSettings->setValue( "range: parameter too long", tr( "Parameter for range was to long." ) ); SystemSettings->setValue( "range: invalid character", tr( "There was an invalid character for range." ) ); SystemSettings->setValue( "range-check: Invalid time stamp (stopped at", tr( "There was an invalid time stamp for range-check." ) ); SystemSettings->setValue( "Cannot split more than one track, please pack (or merge) before", tr( "Cannot split more than one track. Please pack or merge before processing." ) ); SystemSettings->setValue( "Invalid option value", tr( "There was an invalid value for the option." ) ); SystemSettings->setValue( "not done yet", tr( "Not available yet." ) ); SystemSettings->setValue( "gpsbabel: Unable to allocate ", tr( "gpsbabel was unable to allocate memory." ) ); SystemSettings->setValue( "must have a filename specified for", tr( "A filename needs to be specified." ) ); SystemSettings->setValue( "cannot open", tr( "There was an error opening a file or a port." ) ); SystemSettings->setValue( "writing output file. Error was", tr( "Error writing the output file." ) ); SystemSettings->setValue( "Invalid character", tr( "There was an invalid character in date or time format." ) ); SystemSettings->setValue( "A format name is required", tr( "A format name needs to be specified." ) ); SystemSettings->setValue( "reading file. Unsupported version", tr( "Unsupported file format version in input file." ) ); SystemSettings->setValue( "reading file. Invalid file header", tr( "There was an invalid header in the input file." ) ); SystemSettings->setValue( "Can't allocate", tr( "There was an error allocating memory." ) ); SystemSettings->setValue( "Comm error", tr( "A communication error occured." ) ); SystemSettings->setValue( "Read error", tr( "A read error occured." ) ); SystemSettings->setValue( "Write error", tr( "A write error occured." ) ); SystemSettings->setValue( "Can't initialise port", tr( "There was an error initialising the port." ) ); SystemSettings->setValue( "Read timout", tr( "A timout occured while attempting to read data." ) ); SystemSettings->setValue( "Can't open file", tr( "There was an error opening the file." ) ); SystemSettings->setValue( "Bad response from unit", tr( "There was a bad response from the unit." ) ); SystemSettings->setValue( "Can't autodetect data format", tr( "There was an error autodetecting the data format." ) ); SystemSettings->setValue( "Internal error: formats not ordered in ascending size order", tr( "An internal error occured: formats are not ordered in ascending size order." ) ); SystemSettings->setValue( "This build excluded WFFF_XML support because expat was not installed", tr( "This build excluded WFFF_XML support because expat is not available." ) ); SystemSettings->setValue( "XCSV input style not declared. Use ... -i xcsv,style=path/to/file.style", tr( "XCSV input style not declared. Use ... -i xcsv,style=path/to/style.file" ) ); SystemSettings->setValue( "XCSV output style not declared. Use ... -o xcsv,style=path/to/file.style", tr( "XCSV output style not declared. Use ... -o xcsv,style=path/to/style.file" ) ); SystemSettings->setValue( "Parse error at", tr( "A parse error occured." ) ); SystemSettings->setValue( "Cannot create XML Parser", tr( "There was an error creating an XML Parser." ) ); SystemSettings->setValue( "This format does not support reading XML files as libexpat was not present", tr( "This format does not support reading XML files as libexpat was not available." ) ); SystemSettings->setValue( "Writing file of type", tr( "Generating such filetypes is not supported." ) ); SystemSettings->setValue( "unknown road type for road changes", tr( "The road type for road changes is unknown." ) ); SystemSettings->setValue( "invalid format for road changes", tr( "The format for road changes is invalid." ) ); SystemSettings->setValue( "Invalid or unsupported file (filesize)", tr( "The file is invalid or unsupported due to its filesize." ) ); SystemSettings->setValue( "structure error at", tr( "There was a coordinates structure error." ) ); SystemSettings->setValue( "invalid route number", tr( "There was an invalid route number." ) ); SystemSettings->setValue( "wpt_type must be", tr( "An error was detected in wpt_type." ) ); SystemSettings->setValue( "type must be", tr( "The type doesn't seem to be correct." ) ); SystemSettings->setValue( "usb_set_configuration failed:", tr( "The USB-Configuration failed." ) ); SystemSettings->setValue( "usb_set_configuration failed, probably because kernel driver", tr( "The USB-Configuration failed. Probably a kernel module blocks the device.\nAs superuser root, try to execute the commands\nrmmod garmin_gps and chmod o+rwx /proc/bus/usb -R\n to solve the problem temporarily." ) ); SystemSettings->setValue( "Found no Garmin USB devices", tr( "No Garmin USB device seems to be connected to the computer." ) ); SystemSettings->endGroup(); SystemSettings->sync(); } gebabbel-0.4+repack/src/MyPreferencesConfig.h0000755000175000017500000000360710645240313020175 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef MYPREFERENCESCONFIG_H #define MYPREFERENCESCONFIG_H #include #include "ui_PreferencesConfig.h" #include #include "SettingsManager.h" using namespace std; class MyPreferencesConfig: public QDialog, private Ui::PreferencesConfig { Q_OBJECT private: void setupConnections(); public: void getSettings(); MyPreferencesConfig( QWidget* parent = 0L ); public slots: void saveSettings(); void selectGpsbabel(); }; #endif gebabbel-0.4+repack/src/ListItem.cpp0000755000175000017500000002023010645145630016362 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #include "ListItem.h" ListItem::ListItem( QTreeWidget * Parent ) { ListViewItem = new QTreeWidgetItem; Parent->addTopLevelItem( ListViewItem ); FileExists = false; IsDevice = false; CharSet == ""; } ListItem::~ListItem() { delete ListViewItem; } void ListItem::setup( QString Data, QString WD ) { // First initializing some data. Type = ""; Value = ""; Options.clear(); GpsBabelWorkingDir = WD; if ( Data.startsWith( " -i " ) ) { DataType = "Input"; Data.remove( " -i " ); } else if ( Data.startsWith( " -o " ) ) { DataType = "Output"; Data.remove( " -o " ); } else if ( Data.startsWith( " -x " ) ) { DataType = "Filter"; Data.remove( " -x " ); } else { return; } // Removing possible whitespace Data = Data.trimmed(); // Splitting Data QRegExp Separators; if ( DataType == "Input" || DataType == "Output" ) { // Splitting the string from right to left // The rightmost part always is a file or an interface Separators.setPattern( " -[fF] " ); Value = Data.split( Separators ).at( 1 ); Data.remove( Value ); Data.remove( Separators ); Data = Data.trimmed(); // Checking if there is a character set if ( Data.contains( " -c " ) ) { Separators.setPattern( " -c " ); CharSet = Data.split( Separators ).at( 1 ); Data.remove( CharSet ); Data.remove( Separators ); } else { CharSet = ""; } } // Removing possibly existing blanks at both ends Data = Data.trimmed(); // That's it for IO specific stuff. The rest is equal for filters, inputs and outputs if ( Data.contains( "," ) ) { Separators.setPattern( "," ); Options = Data.split( Separators ); // The first element contains the type Type = Options.at( 0 ); // Removing Type from the options list Options.removeAt( 0 ); } else { Type = Data; } // Data has done its job Data = ""; // DisplayType is used to feed the first column of the GUI items and is equal for IOs and filters // Currently it equals Type, but future versions will convert DisplayType to something more human readable DisplayType = Type; // Determining if this object is a device, which only makes sense in case of IOs // Devices are read from the config file so users are able to add device types manually IsDevice = false; if ( DataType != "Filter" ) { QStringList DeviceTypes = SettingsManager::instance()->deviceTypes(); for ( int i = 0; i < DeviceTypes.count(); i++ ) { if ( DeviceTypes.at( i ) == Type ) { IsDevice = true; } } } // If "Value" doesn't contain an absolute file path (inputs and outputs only, not filters), // prepend the gpsbabel working dir before checking for the file's existence // TODO: Even in filters, file existence should be checked, but it's difficult to determine files => postponed if ( DataType != "Filter" ) { QFileInfo FileInfo( Value ); if ( !FileInfo.isAbsolute() && !IsDevice ) { // Even on Windows, paths use "/" instead of "\" inside QT Value.prepend( "/" ); Value.prepend( GpsBabelWorkingDir ); FileInfo.setFile( Value ); } FileExists = FileInfo.exists(); // Display value is used to feed the second column of the GUI items and is *not* equal for IOs and filters // For filters it will display the filter options // For files it will display the file name without its path if ( !IsDevice ) { DisplayValue = FileInfo.fileName(); } else { // This if statement mainly is necessary for Windows because fileName() // does treat a colon treat as a path delimiter there. // Thus usb:0 gets displayed as "0" on Windows DisplayValue = Value; } } else if ( DataType == "Filter" ) { DisplayValue = Options.join( "," ); } updateGuiItem(); } QTreeWidgetItem * ListItem::tellListViewItem() { return ListViewItem; } QStringList ListItem::content() { QStringList Contents; QString TempString = Type; if ( Options.size() != 0 && Options.at( 0 ) != "" ) { TempString.append( "," ); TempString.append( Options.join( "," ) ); } Contents.append( TempString ); TempString = ""; if ( DataType != "Filter" && CharSet != "" ) { Contents.append( "-c" ); Contents.append( CharSet ); } if ( DataType == "Input" ) { Contents.append( "-f" ); } else if ( DataType == "Output" ) { Contents.append( "-F" ); } if ( DataType != "Filter" ) { Contents.append( Value ); } return Contents; } QString ListItem::tellType() { return Type; } QStringList ListItem::tellOptions() { return Options; } QString ListItem::tellCharSet() { return CharSet; } QString ListItem::tellValue() { return Value; } void ListItem::updateGuiItem() { ListViewItem->setText( 0, DisplayType ); ListViewItem->setText( 1, DisplayValue ); ListViewItem->setToolTip( 0, SettingsManager::instance()->TypeName( DataType, Type ) ); if ( DataType == "Filter" ) { ListViewItem->setIcon( 0, QIcon( ":/icons/Filter.png" ) ); ListViewItem->setTextColor( 1, QColor( "gray" ) ); if ( Options.count() > 0 ) { ListViewItem->setToolTip( 1, tr( "Values of this filter item") ); } else { ListViewItem->setToolTip( 1, "" ); } return; } else if ( IsDevice == true ) { ListViewItem->setIcon( 0, QIcon( ":/icons/GpsDevice.png" ) ); ListViewItem->setTextColor( 1, QColor( "blue" ) ); ListViewItem->setToolTip( 1, Value ); return; } else if ( DataType == "Output" ) { ListViewItem->setIcon( 0, QIcon( ":/icons/Folder.png" ) ); ListViewItem->setTextColor( 1, QColor( "black" ) ); ListViewItem->setToolTip( 1, Value ); return; } else if ( FileExists == false && DataType == "Input" ) { ListViewItem->setIcon( 0, QIcon( ":/icons/FolderWarning.png" ) ); ListViewItem->setTextColor( 1, QColor( "red" ) ); ListViewItem->setToolTip( 1, tr( "Sorry, but the file %1 was not found" ).arg( Value ) ); return; } else if ( DataType == "Input" ) { ListViewItem->setIcon( 0, QIcon( ":/icons/Folder.png" ) ); ListViewItem->setTextColor( 1, QColor( "black" ) ); ListViewItem->setToolTip( 1, Value ); return; } else { ListViewItem->setIcon( 0, QIcon( ":/icons/Empty.png" ) ); ListViewItem->setTextColor( 1, QColor( "red" ) ); ListViewItem->setToolTip( 1, tr( "Sorry, Gebabbel does not know what this item is all about." ) ); return; } } bool ListItem::isAlright() { // TODO: Consider if there are more occasions than this ones if ( IsDevice == false && DataType == "Input" && FileExists == false ) { return false; } else { return true; } } gebabbel-0.4+repack/src/ListItem.h0000755000175000017500000000431310541273072016030 0ustar hannohanno /************************************************************************* * Copyright (C) 2006 by Christoph Eckert * * ce@christeck.de * * * * This program is free software; you can redistribute it and/or modify * * it under the terms of the GNU General Public License as published by * * the Free Software Foundation; either version 2 of the License, or * * (at your option) any later version. * * * * This program is distributed in the hope that it will be useful, * * but WITHOUT ANY WARRANTY; without even the implied warranty of * * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * * GNU General Public License for more details. * * * * You should have received a copy of the GNU General Public License * * along with this program; if not, write to the * * Free Software Foundation, Inc., * * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. * ***************************************************************************/ #ifndef LISTITEM_H #define LISTITEM_H #include #include #include "SettingsManager.h" using namespace std; class ListItem : public QObject { Q_OBJECT private: QString DataType; QString Type; QString DisplayType; QString Value; QString DisplayValue; QString GpsBabelWorkingDir; QString CharSet; QStringList Options; QTreeWidgetItem * ListViewItem; bool FileExists; bool IsDevice; void updateGuiItem(); public: ListItem( QTreeWidget * ); ~ListItem(); public slots: void setup( QString, QString ); QString tellType(); QStringList tellOptions(); QString tellCharSet(); QString tellValue(); QStringList content(); QTreeWidgetItem * tellListViewItem(); bool isAlright(); signals: }; #endif gebabbel-0.4+repack/LGPL-20000644000175000017500000006130411117566656014173 0ustar hannohanno GNU LIBRARY GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1991 Free Software Foundation, Inc. 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. [This is the first released version of the library GPL. It is numbered 2 because it goes with version 2 of the ordinary GPL.] Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public Licenses are intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This license, the Library General Public License, applies to some specially designated Free Software Foundation software, and to any other libraries whose authors decide to use it. You can use it for your libraries, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the library, or if you modify it. For example, if you distribute copies of the library, whether gratis or for a fee, you must give the recipients all the rights that we gave you. You must make sure that they, too, receive or can get the source code. If you link a program with the library, you must provide complete object files to the recipients so that they can relink them with the library, after making changes to the library and recompiling it. And you must show them these terms so they know their rights. Our method of protecting your rights has two steps: (1) copyright the library, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the library. Also, for each distributor's protection, we want to make certain that everyone understands that there is no warranty for this free library. If the library is modified by someone else and passed on, we want its recipients to know that what they have is not the original version, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that companies distributing free software will individually obtain patent licenses, thus in effect transforming the program into proprietary software. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. Most GNU software, including some libraries, is covered by the ordinary GNU General Public License, which was designed for utility programs. This license, the GNU Library General Public License, applies to certain designated libraries. This license is quite different from the ordinary one; be sure to read it in full, and don't assume that anything in it is the same as in the ordinary license. The reason we have a separate public license for some libraries is that they blur the distinction we usually make between modifying or adding to a program and simply using it. Linking a program with a library, without changing the library, is in some sense simply using the library, and is analogous to running a utility program or application program. However, in a textual and legal sense, the linked executable is a combined work, a derivative of the original library, and the ordinary General Public License treats it as such. Because of this blurred distinction, using the ordinary General Public License for libraries did not effectively promote software sharing, because most developers did not use the libraries. We concluded that weaker conditions might promote sharing better. However, unrestricted linking of non-free programs would deprive the users of those programs of all benefit from the free status of the libraries themselves. This Library General Public License is intended to permit developers of non-free programs to use free libraries, while preserving your freedom as a user of such programs to change the free libraries that are incorporated in them. (We have not seen how to achieve this as regards changes in header files, but we have achieved it as regards changes in the actual functions of the Library.) The hope is that this will lead to faster development of free libraries. The precise terms and conditions for copying, distribution and modification follow. Pay close attention to the difference between a "work based on the library" and a "work that uses the library". The former contains code derived from the library, while the latter only works together with the library. Note that it is possible for a library to be covered by the ordinary General Public License rather than by this special one. GNU LIBRARY GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License Agreement applies to any software library which contains a notice placed by the copyright holder or other authorized party saying it may be distributed under the terms of this Library General Public License (also called "this License"). Each licensee is addressed as "you". A "library" means a collection of software functions and/or data prepared so as to be conveniently linked with application programs (which use some of those functions and data) to form executables. The "Library", below, refers to any such software library or work which has been distributed under these terms. A "work based on the Library" means either the Library or any derivative work under copyright law: that is to say, a work containing the Library or a portion of it, either verbatim or with modifications and/or translated straightforwardly into another language. (Hereinafter, translation is included without limitation in the term "modification".) "Source code" for a work means the preferred form of the work for making modifications to it. For a library, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the library. Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running a program using the Library is not restricted, and output from such a program is covered only if its contents constitute a work based on the Library (independent of the use of the Library in a tool for writing it). Whether that is true depends on what the Library does and what the program that uses the Library does. 1. You may copy and distribute verbatim copies of the Library's complete source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and distribute a copy of this License along with the Library. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Library or any portion of it, thus forming a work based on the Library, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) The modified work must itself be a software library. b) You must cause the files modified to carry prominent notices stating that you changed the files and the date of any change. c) You must cause the whole of the work to be licensed at no charge to all third parties under the terms of this License. d) If a facility in the modified Library refers to a function or a table of data to be supplied by an application program that uses the facility, other than as an argument passed when the facility is invoked, then you must make a good faith effort to ensure that, in the event an application does not supply such function or table, the facility still operates, and performs whatever part of its purpose remains meaningful. (For example, a function in a library to compute square roots has a purpose that is entirely well-defined independent of the application. Therefore, Subsection 2d requires that any application-supplied function or table used by this function must be optional: if the application does not supply it, the square root function must still compute square roots.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Library, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Library, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Library. In addition, mere aggregation of another work not based on the Library with the Library (or with a work based on the Library) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may opt to apply the terms of the ordinary GNU General Public License instead of this License to a given copy of the Library. To do this, you must alter all the notices that refer to this License, so that they refer to the ordinary GNU General Public License, version 2, instead of to this License. (If a newer version than version 2 of the ordinary GNU General Public License has appeared, then you can specify that version instead if you wish.) Do not make any other change in these notices. Once this change is made in a given copy, it is irreversible for that copy, so the ordinary GNU General Public License applies to all subsequent copies and derivative works made from that copy. This option is useful when you wish to copy part of the code of the Library into a program that is not a library. 4. You may copy and distribute the Library (or a portion or derivative of it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange. If distribution of object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place satisfies the requirement to distribute the source code, even though third parties are not compelled to copy the source along with the object code. 5. A program that contains no derivative of any portion of the Library, but is designed to work with the Library by being compiled or linked with it, is called a "work that uses the Library". Such a work, in isolation, is not a derivative work of the Library, and therefore falls outside the scope of this License. However, linking a "work that uses the Library" with the Library creates an executable that is a derivative of the Library (because it contains portions of the Library), rather than a "work that uses the library". The executable is therefore covered by this License. Section 6 states terms for distribution of such executables. When a "work that uses the Library" uses material from a header file that is part of the Library, the object code for the work may be a derivative work of the Library even though the source code is not. Whether this is true is especially significant if the work can be linked without the Library, or if the work is itself a library. The threshold for this to be true is not precisely defined by law. If such an object file uses only numerical parameters, data structure layouts and accessors, and small macros and small inline functions (ten lines or less in length), then the use of the object file is unrestricted, regardless of whether it is legally a derivative work. (Executables containing this object code plus portions of the Library will still fall under Section 6.) Otherwise, if the work is a derivative of the Library, you may distribute the object code for the work under the terms of Section 6. Any executables containing that work also fall under Section 6, whether or not they are linked directly with the Library itself. 6. As an exception to the Sections above, you may also compile or link a "work that uses the Library" with the Library to produce a work containing portions of the Library, and distribute that work under terms of your choice, provided that the terms permit modification of the work for the customer's own use and reverse engineering for debugging such modifications. You must give prominent notice with each copy of the work that the Library is used in it and that the Library and its use are covered by this License. You must supply a copy of this License. If the work during execution displays copyright notices, you must include the copyright notice for the Library among them, as well as a reference directing the user to the copy of this License. Also, you must do one of these things: a) Accompany the work with the complete corresponding machine-readable source code for the Library including whatever changes were used in the work (which must be distributed under Sections 1 and 2 above); and, if the work is an executable linked with the Library, with the complete machine-readable "work that uses the Library", as object code and/or source code, so that the user can modify the Library and then relink to produce a modified executable containing the modified Library. (It is understood that the user who changes the contents of definitions files in the Library will not necessarily be able to recompile the application to use the modified definitions.) b) Accompany the work with a written offer, valid for at least three years, to give the same user the materials specified in Subsection 6a, above, for a charge no more than the cost of performing this distribution. c) If distribution of the work is made by offering access to copy from a designated place, offer equivalent access to copy the above specified materials from the same place. d) Verify that the user has already received a copy of these materials or that you have already sent this user a copy. For an executable, the required form of the "work that uses the Library" must include any data and utility programs needed for reproducing the executable from it. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. It may happen that this requirement contradicts the license restrictions of other proprietary libraries that do not normally accompany the operating system. Such a contradiction means you cannot use both them and the Library together in an executable that you distribute. 7. You may place library facilities that are a work based on the Library side-by-side in a single library together with other library facilities not covered by this License, and distribute such a combined library, provided that the separate distribution of the work based on the Library and of the other library facilities is otherwise permitted, and provided that you do these two things: a) Accompany the combined library with a copy of the same work based on the Library, uncombined with any other library facilities. This must be distributed under the terms of the Sections above. b) Give prominent notice with the combined library of the fact that part of it is a work based on the Library, and explaining where to find the accompanying uncombined form of the same work. 8. You may not copy, modify, sublicense, link with, or distribute the Library except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense, link with, or distribute the Library is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 9. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Library or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Library (or any work based on the Library), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Library or works based on it. 10. Each time you redistribute the Library (or any work based on the Library), the recipient automatically receives a license from the original licensor to copy, distribute, link with or modify the Library subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 11. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Library at all. For example, if a patent license would not permit royalty-free redistribution of the Library by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Library. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply, and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 12. If the distribution and/or use of the Library is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Library under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 13. The Free Software Foundation may publish revised and/or new versions of the Library General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Library specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Library does not specify a license version number, you may choose any version ever published by the Free Software Foundation. 14. If you wish to incorporate parts of the Library into other free programs whose distribution conditions are incompatible with these, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Libraries If you develop a new library, and you want it to be of the greatest possible use to the public, we recommend making it free software that everyone can redistribute and change. You can do so by permitting redistribution under these terms (or, alternatively, under the terms of the ordinary General Public License). To apply these terms, attach the following notices to the library. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This library is free software; you can redistribute it and/or modify it under the terms of the GNU Library General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This library is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Library General Public License for more details. You should have received a copy of the GNU Library General Public License along with this library; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston MA 02110-1301 USA Also add information on how to contact you by electronic and paper mail. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the library, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the library `Frob' (a library for tweaking knobs) written by James Random Hacker. , 1 April 1990 Ty Coon, President of Vice That's all there is to it! gebabbel-0.4+repack/bin/0000755000175000017500000000000010645370722014107 5ustar hannohannogebabbel-0.4+repack/ui/0000755000175000017500000000000010645370010013742 5ustar hannohannogebabbel-0.4+repack/ui/FilterConfig.ui0000755000175000017500000000502410533144355016667 0ustar hannohanno Christoph Eckert FilterConfig 0 0 472 275 Filter Configuration true 8 6 0 6 Enter your filter commands here Enter your filter commands here Enter your filter commands here 0 6 Qt::Horizontal 131 31 OK Cancel ComboBoxFilterType LineEditFilterOptions ButtonOk ButtonCancel gebabbel-0.4+repack/ui/MainWindow.ui0000755000175000017500000003263410645141376016403 0ustar hannohanno Christoph Eckert MainWindow 0 0 848 426 558 332 Gebabbel 9 9 9 9 6 6 0 0 0 0 6 6 Processing tracks can cause long processing times when reading from serial GPS devices Processing tracks can cause long processing times when reading from serial GPS devices Processing tracks can cause long processing times when reading from serial GPS devices Process Tracks true Discards waypoint names and tries to create better ones Discards waypoint names and tries to create better ones Discards waypoint names and tries to create better ones Improve Waypoint Names false Check this option to turn realtime logging on Check this option to turn realtime logging on Check this option to turn realtime logging on Realtime Tracking true Process waypoints Check this option to process waypoints Check this option to process waypoints Process Waypoints true Qt::Vertical 20 16 Qt::Vertical 20 16 Synthesizes geocaching icons Synthesizes geocaching icons Synthesizes geocaching icons Create geocaching icons false Processing routes can cause long processing times when reading from serial GPS devices Processing routes can cause long processing times when reading from serial GPS devices Processing routes can cause long processing times when reading from serial GPS devices Process Routes true true Qt::Vertical 20 21 0 0 0 0 6 6 true Qt::CustomContextMenu true This list contains the output items true true QAbstractItemView::ContiguousSelection QAbstractItemView::SelectRows false false 1 0 0 0 0 6 6 true Qt::CustomContextMenu true This list contains the input items true true QAbstractItemView::ContiguousSelection QAbstractItemView::SelectRows false false 1 0 0 0 0 6 6 true Qt::CustomContextMenu true This list contains the filter items true true QAbstractItemView::ContiguousSelection QAbstractItemView::SelectRows false false 1 Gpsbabel gets invoked by passing the current settings Gpsbabel gets invoked by passing the current settings Gpsbabel gets invoked by passing the current settings Execute InputList FilterList OutputList CheckboxWaypoints CheckboxRoutes CheckboxTracks CheckboxShortnames CheckboxSmartIcons BtnProcess gebabbel-0.4+repack/ui/PresetConfig.ui0000755000175000017500000001054110533144665016710 0ustar hannohanno Christoph Eckert PresetConfig 0 0 472 361 Preset Configuration true 8 6 0 6 This list keeps the available presets This list keeps the available presets This list keeps the available presets 0 6 Add current settings as a new preset Add current settings as a new preset Add current settings as a new preset Add... Edit the selected preset Edit the selected preset Edit the selected preset Edit... Remove the selected preset Remove the selected preset Remove the selected preset Remove 0 6 Qt::Horizontal 131 31 OK Cancel PresetList BtnConfigAdd BtnConfigEdit BtnConfigRemove ButtonOk ButtonCancel gebabbel-0.4+repack/ui/SavePresetWindow.ui0000755000175000017500000001076210533144705017571 0ustar hannohanno Christoph Eckert SavePresetWindow 0 0 422 229 Configuration true 9 6 Qt::Vertical 20 40 0 6 92 0 Comment: 291 0 Short comment for the preset Short comment for the preset Enter a short comment for the preset here true 92 0 Name: 291 0 Name for the preset to save Name for the preset to save Enter a name for the preset to be saved true 0 80 0 6 Qt::Horizontal 131 31 OK Cancel ComboName ComboComment ButtonOk ButtonCancel gebabbel-0.4+repack/ui/IOConfig.ui0000755000175000017500000001406010546015715015752 0ustar hannohanno Christoph Eckert IOConfig 0 0 566 275 Configuration true 9 6 256 64 true 0 6 64 26 true Type: Characterset: Path/Device: 64 26 true 64 26 Click to select a file from your filesystem Click to select a file from your filesystem Click to select a file from your filesystem ... Options: 64 26 true 360 26 true 0 6 Qt::Horizontal 360 31 OK Cancel ComboBoxType ComboBoxOptions ComboBoxCharSet ComboBoxPath BtnSelectFile ButtonOk ButtonCancel gebabbel-0.4+repack/ui/PreferencesConfig.ui0000755000175000017500000002336010552134516017705 0ustar hannohanno Christoph Eckert PreferencesConfig 0 0 538 275 Edit Preferences true 9 6 0 6 150 26 150 16777215 Language: Select the language in which you want to use Gebabbel Select the language in which you want to use Gebabbel Select the language in which you want to use Gebabbel Qt::Vertical 520 20 0 6 150 26 150 16777215 System Configuration: Qt::AlignLeading|Qt::AlignLeft|Qt::AlignVCenter 200 26 true 150 26 150 16777215 User Configuration: Qt::AlignLeading|Qt::AlignLeft|Qt::AlignVCenter 200 26 true 0 6 150 26 150 16777215 Language setting: 200 26 0 6 Cancel Qt::Horizontal 241 31 OK Resets all settings to default values, including presets Resets all settings to default values, including presets Resets all settings to default values, including presets Defaults... false 0 6 0 6 Select path to the gpsbabel executable Select path to the gpsbabel executable ... 16777215 16777215 Gebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executable Gebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executable 150 26 150 16777215 Path to Gpsbabel: InputGpsbabelPath ButtonGpsbabelPath ButtonRestoreDefaults ButtonOk ButtonCancel gebabbel-0.4+repack/obj/0000755000175000017500000000000010645370010014077 5ustar hannohannogebabbel-0.4+repack/Gebabbel.pro0000755000175000017500000000345011110036152015531 0ustar hannohanno# About "universal binaries" see # http://wiki.qtcentre.org/index.php?title=Installing_Qt4_on_Mac_OS_X # http://www.macentwicklerwelt.net/index.php?title=Universal_Binaries # http://blogs.qtdeveloper.net/archives/2005/12/ # http://blogs.qtdeveloper.net/ seems to be cool # http://www.qtcentre.org/forum/f-qt-programming-2/t-application-build-mac-ppcintel-pro-file-2806.html # For a release version, uncomment this to get a non-debug binary CONFIG += qt release # Be careful, as DEBUG overwrites "release": # DEFINES += DEBUG # Platform dependent stuff # # Linux # DEFINES += LINUX TARGET = gebabbel # Macintosh # # The first two lines create a universal binary # QMAKE_MAC_SDK=/Developer/SDKs/MacOSX10.4u.sdk # CONFIG+=x86 ppc # DEFINES += MACINTOSH # TARGET = Gebabbel # ICON = binincludes/icons/AppIcons.icns # Windows # # DEFINES += WINDOWS # TARGET = Gebabbel # RC_FILE = binincludes/WindowsResources.rc TRANSLATIONS += binincludes/translations/de_DE.ts binincludes/translations/en_EN.ts binincludes/translations/fr_FR.ts target path = /usr/local/bin translations.path = :/binincludes/translations translation.files = :/binincludes/translations/*.qm # DEPENDPATH += . # INCLUDEPATH += . # LIBS += TEMPLATE = app RESOURCES += binincludes/binincludes.qrc QMAKE_CXXFLAGS = -O0 -g3 OBJECTS_DIR = obj DESTDIR += bin MOC_DIR += moc UI_DIR += ui FORMS += ui/MainWindow.ui ui/IOConfig.ui ui/FilterConfig.ui ui/PreferencesConfig.ui ui/SavePresetWindow.ui HEADERS += src/MyMainWindow.h src/MyIOConfigWindow.h src/MyFilterConfigWindow.h src/MyPreferencesConfig.h src/ListItem.h src/MySavePresetWindow.h src/SettingsManager.h SOURCES += src/main.cpp src/MyMainWindow.cpp src/MyIOConfigWindow.cpp src/MyFilterConfigWindow.cpp src/MyPreferencesConfig.cpp src/ListItem.cpp src/SettingsManager.cpp src/MySavePresetWindow.cpp gebabbel-0.4+repack/COPYRIGHT0000644000175000017500000000613211120017020014606 0ustar hannohannoCopyright (C) 2008 by Christoph Eckert ce@christeck.de This file is part of Gebabbel, a Qt4 Frontend for the famous gpsbabel, a tool to convert GPS file formats back and forth. Gebabbel is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. Gebabbel is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with Gebabbel; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. --------------------------------------------------------------------------------- This package includes binaries from the gpsbabel project. The gpsbabel source code should be included with the source code of Gebabbel. Otherwise it can be obtained from the following URL: http://www.gpsbabel.org/download.html Gpsbabel Author(s): Robert Lipe Gpsbabel copyright statement: Copyright (C) 2002-2005 Robert Lipe, robertlipe@usa.net This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111 USA Some files also have copyright notices for other authors. ---------------------------------------------------------------------- Gpsbabel links with or includes some code from other projects. Their copyright statements follow: ------------------------------ JEEPS application and data functions Copyright (C) 1999 Alan Bleasby ** This library is free software; you can redistribute it and/or ** modify it under the terms of the GNU Library General Public ** License as published by the Free Software Foundation; either ** version 2 of the License, or (at your option) any later version. ** ** This library is distributed in the hope that it will be useful, ** but WITHOUT ANY WARRANTY; without even the implied warranty of ** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU ** Library General Public License for more details. ** ** You should have received a copy of the GNU Library General Public ** License along with this library; if not, write to the ** Free Software Foundation, Inc., 59 Temple Place - Suite 330, ** Boston, MA 02111-1307, USA. ------------------------------ gebabbel-0.4+repack/BUILDING0000755000175000017500000000357310645254640014472 0ustar hannohanno=== General === If you want to compile from source, you need a development environment installed. First open the text file Gebabbel.pro. Locate the section of your operating section (# Linux #, # Macintosh # or # Windows #). Remove all '#' and the following blank from the lines in your operating system section. Add a '#' to all other operating system sections. Save and close the file. Open a terminal window and cd to the directory containing the file Gebabbel.pro. === Linux === * Run qmake to create the Makefiles. Use Qt 4.3.0. Previous versions won't work * run make to build the application * Move the resulting binary called 'gebabbel' to a directory of your likings * Create a desktop shortcut pointing to the binary * Click on it === Macintosh === * Run qmake to create the Makefiles * run make to build the application * Copy a gpsbabel executable into the application bundle ("Show contents"). Choose the same folder that contains the gebabbel executable * Move the resulting bundle called 'Gebabbel' to a directory of your likings * Create an Alias on your Desktop * Double click on it === Windows === You need mingw installed. While installing Qt4, it offers to automatically download and install it. * Run the Qt4 shell as provided in the menu start * cd to the directory containing the Gebabbel sources * c:\qt4.3.0\bin\qmake.exe to create the Makefiles * c:\mingw\bin\Mingw-make.exe -f Makefile to build the binaries * In the resulting folder called 'release', remove all files except for 'Gebabbel.exe' * Copy the following files to this directory: * c:\mingw\bin\mingwm10.dll * c:\qt\4.3.0\bin\Qt4Core.dll * c:\qt\4.3.0\bin\Qt4Gui.dll * The gpsbabel executable (gpsbabel.exe) * Libexpat (libexpat.dll) * Rename the folder called 'release' to something like Gebabbel * Move it to your preferred directory * Create a link to Gebabbel.exe on your desktop * Double click on it gebabbel-0.4+repack/configure0000755000175000017500000000046110645254432015246 0ustar hannohanno#! /bin/bash echo ""; echo "This application does *not* use the usual ./configure && make."; echo "Instead, read the file BUILDING."; echo ""; echo "In short, run qmake and then make"; echo "Ensure that you use qmake from an Qt 4.3 installation. Previous versions, especially Qt3, won't work."; echo ""; gebabbel-0.4+repack/moc/0000755000175000017500000000000010645370010014103 5ustar hannohannogebabbel-0.4+repack/CREDITS0000644000175000017500000000021611117571206014351 0ustar hannohannoCredits go to: Robert Lipe for gpsbabel Lionel Maraval for a french translation Hanno Stock for help with Debian compliant source packaging gebabbel-0.4+repack/Makefile0000644000175000017500000004024510645370010014772 0ustar hannohanno############################################################################# # Makefile for building: bin/gebabbel # Generated by qmake (2.01a) (Qt 4.3.0) on: Do Jul 12 11:10:31 2007 # Project: Gebabbel.pro # Template: app # Command: /usr/local/Trolltech/Qt-4.3.0/bin/qmake -unix -o Makefile Gebabbel.pro ############################################################################# ####### Compiler, tools and options CC = gcc CXX = g++ DEFINES = -DLINUX -DQT_NO_DEBUG -DQT_GUI_LIB -DQT_CORE_LIB CFLAGS = -pipe -O2 -D_REENTRANT -Wall -W $(DEFINES) CXXFLAGS = -O0 -g3 -O2 -D_REENTRANT -Wall -W $(DEFINES) INCPATH = -I/usr/local/Trolltech/Qt-4.3.0/mkspecs/linux-g++ -I. -I/usr/local/Trolltech/Qt-4.3.0/include/QtCore -I/usr/local/Trolltech/Qt-4.3.0/include/QtCore -I/usr/local/Trolltech/Qt-4.3.0/include/QtGui -I/usr/local/Trolltech/Qt-4.3.0/include/QtGui -I/usr/local/Trolltech/Qt-4.3.0/include -Imoc -Iui LINK = g++ LFLAGS = -Wl,-rpath,/usr/local/Trolltech/Qt-4.3.0/lib LIBS = $(SUBLIBS) -L/usr/local/Trolltech/Qt-4.3.0/lib -lQtGui -L/usr/local/Trolltech/Qt-4.3.0/lib -L/usr/X11R6/lib -lpng -lSM -lICE -pthread -pthread -lXi -lXrender -lXrandr -lXfixes -lXcursor -lXinerama -lfreetype -lfontconfig -lXext -lX11 -lQtCore -lz -lm -pthread -lgthread-2.0 -lglib-2.0 -lrt -ldl -lpthread AR = ar cqs RANLIB = QMAKE = /usr/local/Trolltech/Qt-4.3.0/bin/qmake TAR = tar -cf COMPRESS = gzip -9f COPY = cp -f SED = sed COPY_FILE = $(COPY) COPY_DIR = $(COPY) -r INSTALL_FILE = install -m 644 -p INSTALL_DIR = $(COPY_DIR) INSTALL_PROGRAM = install -m 755 -p DEL_FILE = rm -f SYMLINK = ln -sf DEL_DIR = rmdir MOVE = mv -f CHK_DIR_EXISTS= test -d MKDIR = mkdir -p ####### Output directory OBJECTS_DIR = obj/ ####### Files SOURCES = src/main.cpp \ src/MyMainWindow.cpp \ src/MyIOConfigWindow.cpp \ src/MyFilterConfigWindow.cpp \ src/MyPreferencesConfig.cpp \ src/ListItem.cpp \ src/SettingsManager.cpp \ src/MySavePresetWindow.cpp moc/moc_MyMainWindow.cpp \ moc/moc_MyIOConfigWindow.cpp \ moc/moc_MyFilterConfigWindow.cpp \ moc/moc_MyPreferencesConfig.cpp \ moc/moc_ListItem.cpp \ moc/moc_MySavePresetWindow.cpp \ moc/moc_SettingsManager.cpp \ qrc_binincludes.cpp OBJECTS = obj/main.o \ obj/MyMainWindow.o \ obj/MyIOConfigWindow.o \ obj/MyFilterConfigWindow.o \ obj/MyPreferencesConfig.o \ obj/ListItem.o \ obj/SettingsManager.o \ obj/MySavePresetWindow.o \ obj/moc_MyMainWindow.o \ obj/moc_MyIOConfigWindow.o \ obj/moc_MyFilterConfigWindow.o \ obj/moc_MyPreferencesConfig.o \ obj/moc_ListItem.o \ obj/moc_MySavePresetWindow.o \ obj/moc_SettingsManager.o \ obj/qrc_binincludes.o DIST = /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/g++.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/unix.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/linux.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/qconfig.pri \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_functions.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_config.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/exclusive_builds.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_pre.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/release.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_post.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/unix/thread.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/moc.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/warn_on.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/resources.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/uic.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/yacc.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/lex.prf \ Gebabbel.pro QMAKE_TARGET = gebabbel DESTDIR = bin/ TARGET = bin/gebabbel first: all ####### Implicit rules .SUFFIXES: .o .c .cpp .cc .cxx .C .cpp.o: $(CXX) -c $(CXXFLAGS) $(INCPATH) -o "$@" "$<" .cc.o: $(CXX) -c $(CXXFLAGS) $(INCPATH) -o "$@" "$<" .cxx.o: $(CXX) -c $(CXXFLAGS) $(INCPATH) -o "$@" "$<" .C.o: $(CXX) -c $(CXXFLAGS) $(INCPATH) -o "$@" "$<" .c.o: $(CC) -c $(CFLAGS) $(INCPATH) -o "$@" "$<" ####### Build rules all: Makefile $(TARGET) $(TARGET): ui/ui_MainWindow.h ui/ui_IOConfig.h ui/ui_FilterConfig.h ui/ui_PreferencesConfig.h ui/ui_SavePresetWindow.h $(OBJECTS) @$(CHK_DIR_EXISTS) bin/ || $(MKDIR) bin/ $(LINK) $(LFLAGS) -o $(TARGET) $(OBJECTS) $(OBJCOMP) $(LIBS) Makefile: Gebabbel.pro /usr/local/Trolltech/Qt-4.3.0/mkspecs/linux-g++/qmake.conf /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/g++.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/unix.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/linux.conf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/qconfig.pri \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_functions.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_config.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/exclusive_builds.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_pre.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/release.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_post.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/unix/thread.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/moc.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/warn_on.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/resources.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/uic.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/yacc.prf \ /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/lex.prf \ /usr/local/Trolltech/Qt-4.3.0/lib/libQtGui.prl \ /usr/local/Trolltech/Qt-4.3.0/lib/libQtCore.prl $(QMAKE) -unix -o Makefile Gebabbel.pro /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/g++.conf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/unix.conf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/common/linux.conf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/qconfig.pri: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_functions.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt_config.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/exclusive_builds.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_pre.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/release.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/default_post.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/qt.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/unix/thread.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/moc.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/warn_on.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/resources.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/uic.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/yacc.prf: /usr/local/Trolltech/Qt-4.3.0/mkspecs/features/lex.prf: /usr/local/Trolltech/Qt-4.3.0/lib/libQtGui.prl: /usr/local/Trolltech/Qt-4.3.0/lib/libQtCore.prl: qmake: FORCE @$(QMAKE) -unix -o Makefile Gebabbel.pro dist: @$(CHK_DIR_EXISTS) obj/gebabbel1.0.0 || $(MKDIR) obj/gebabbel1.0.0 $(COPY_FILE) --parents $(SOURCES) $(DIST) obj/gebabbel1.0.0/ && $(COPY_FILE) --parents src/MyMainWindow.h src/MyIOConfigWindow.h src/MyFilterConfigWindow.h src/MyPreferencesConfig.h src/ListItem.h src/MySavePresetWindow.h src/SettingsManager.h obj/gebabbel1.0.0/ && $(COPY_FILE) --parents binincludes/binincludes.qrc obj/gebabbel1.0.0/ && $(COPY_FILE) --parents src/main.cpp src/MyMainWindow.cpp src/MyIOConfigWindow.cpp src/MyFilterConfigWindow.cpp src/MyPreferencesConfig.cpp src/ListItem.cpp src/SettingsManager.cpp src/MySavePresetWindow.cpp obj/gebabbel1.0.0/ && $(COPY_FILE) --parents ui/MainWindow.ui ui/IOConfig.ui ui/FilterConfig.ui ui/PreferencesConfig.ui ui/SavePresetWindow.ui obj/gebabbel1.0.0/ && $(COPY_FILE) --parents binincludes/translations/de_DE.ts binincludes/translations/en_EN.ts obj/gebabbel1.0.0/ && (cd `dirname obj/gebabbel1.0.0` && $(TAR) gebabbel1.0.0.tar gebabbel1.0.0 && $(COMPRESS) gebabbel1.0.0.tar) && $(MOVE) `dirname obj/gebabbel1.0.0`/gebabbel1.0.0.tar.gz . && $(DEL_FILE) -r obj/gebabbel1.0.0 clean:compiler_clean -$(DEL_FILE) $(OBJECTS) -$(DEL_FILE) *~ core *.core ####### Sub-libraries distclean: clean -$(DEL_FILE) $(TARGET) -$(DEL_FILE) Makefile mocclean: compiler_moc_header_clean compiler_moc_source_clean mocables: compiler_moc_header_make_all compiler_moc_source_make_all compiler_moc_header_make_all: moc/moc_MyMainWindow.cpp moc/moc_MyIOConfigWindow.cpp moc/moc_MyFilterConfigWindow.cpp moc/moc_MyPreferencesConfig.cpp moc/moc_ListItem.cpp moc/moc_MySavePresetWindow.cpp moc/moc_SettingsManager.cpp compiler_moc_header_clean: -$(DEL_FILE) moc/moc_MyMainWindow.cpp moc/moc_MyIOConfigWindow.cpp moc/moc_MyFilterConfigWindow.cpp moc/moc_MyPreferencesConfig.cpp moc/moc_ListItem.cpp moc/moc_MySavePresetWindow.cpp moc/moc_SettingsManager.cpp moc/moc_MyMainWindow.cpp: ui/ui_MainWindow.h \ src/MyIOConfigWindow.h \ ui/ui_IOConfig.h \ src/ListItem.h \ src/SettingsManager.h \ src/MyFilterConfigWindow.h \ ui/ui_FilterConfig.h \ src/MyPreferencesConfig.h \ ui/ui_PreferencesConfig.h \ src/MySavePresetWindow.h \ ui/ui_SavePresetWindow.h \ src/MyMainWindow.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/MyMainWindow.h -o moc/moc_MyMainWindow.cpp moc/moc_MyIOConfigWindow.cpp: ui/ui_IOConfig.h \ src/ListItem.h \ src/SettingsManager.h \ src/MyIOConfigWindow.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/MyIOConfigWindow.h -o moc/moc_MyIOConfigWindow.cpp moc/moc_MyFilterConfigWindow.cpp: ui/ui_FilterConfig.h \ src/MyFilterConfigWindow.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/MyFilterConfigWindow.h -o moc/moc_MyFilterConfigWindow.cpp moc/moc_MyPreferencesConfig.cpp: ui/ui_PreferencesConfig.h \ src/SettingsManager.h \ src/MyPreferencesConfig.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/MyPreferencesConfig.h -o moc/moc_MyPreferencesConfig.cpp moc/moc_ListItem.cpp: src/SettingsManager.h \ src/ListItem.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/ListItem.h -o moc/moc_ListItem.cpp moc/moc_MySavePresetWindow.cpp: ui/ui_SavePresetWindow.h \ src/SettingsManager.h \ src/MySavePresetWindow.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/MySavePresetWindow.h -o moc/moc_MySavePresetWindow.cpp moc/moc_SettingsManager.cpp: src/SettingsManager.h /usr/local/Trolltech/Qt-4.3.0/bin/moc $(DEFINES) $(INCPATH) src/SettingsManager.h -o moc/moc_SettingsManager.cpp compiler_rcc_make_all: qrc_binincludes.cpp compiler_rcc_clean: -$(DEL_FILE) qrc_binincludes.cpp qrc_binincludes.cpp: binincludes/binincludes.qrc \ binincludes/translations/de_DE.qm \ binincludes/translations/en_EN.qm \ binincludes/icons/HelpAbout.png \ binincludes/icons/Edit.png \ binincludes/icons/Folder.png \ binincludes/icons/FileSave.png \ binincludes/icons/Delete.png \ binincludes/icons/Blank.png \ binincludes/icons/Filter.png \ binincludes/icons/USBplug.png \ binincludes/icons/AppIcon.png \ binincludes/icons/Floppy.png \ binincludes/icons/FileOpen.png \ binincludes/icons/FolderWarning.png \ binincludes/icons/EditEditCommand.png \ binincludes/icons/FileConvert.png \ binincludes/icons/HelpManual.png \ binincludes/icons/FileQuit.png \ binincludes/icons/GpsDevice.png \ binincludes/icons/Add.png \ binincludes/icons/EditEditPreferences.png \ binincludes/icons/EditPresetFile.png \ binincludes/icons/FileDelete.png /usr/local/Trolltech/Qt-4.3.0/bin/rcc -name binincludes binincludes/binincludes.qrc -o qrc_binincludes.cpp compiler_image_collection_make_all: qmake_image_collection.cpp compiler_image_collection_clean: -$(DEL_FILE) qmake_image_collection.cpp compiler_moc_source_make_all: compiler_moc_source_clean: compiler_uic_make_all: ui/ui_MainWindow.h ui/ui_IOConfig.h ui/ui_FilterConfig.h ui/ui_PreferencesConfig.h ui/ui_SavePresetWindow.h compiler_uic_clean: -$(DEL_FILE) ui/ui_MainWindow.h ui/ui_IOConfig.h ui/ui_FilterConfig.h ui/ui_PreferencesConfig.h ui/ui_SavePresetWindow.h ui/ui_MainWindow.h: ui/MainWindow.ui /usr/local/Trolltech/Qt-4.3.0/bin/uic ui/MainWindow.ui -o ui/ui_MainWindow.h ui/ui_IOConfig.h: ui/IOConfig.ui /usr/local/Trolltech/Qt-4.3.0/bin/uic ui/IOConfig.ui -o ui/ui_IOConfig.h ui/ui_FilterConfig.h: ui/FilterConfig.ui /usr/local/Trolltech/Qt-4.3.0/bin/uic ui/FilterConfig.ui -o ui/ui_FilterConfig.h ui/ui_PreferencesConfig.h: ui/PreferencesConfig.ui /usr/local/Trolltech/Qt-4.3.0/bin/uic ui/PreferencesConfig.ui -o ui/ui_PreferencesConfig.h ui/ui_SavePresetWindow.h: ui/SavePresetWindow.ui /usr/local/Trolltech/Qt-4.3.0/bin/uic ui/SavePresetWindow.ui -o ui/ui_SavePresetWindow.h compiler_yacc_decl_make_all: compiler_yacc_decl_clean: compiler_yacc_impl_make_all: compiler_yacc_impl_clean: compiler_lex_make_all: compiler_lex_clean: compiler_clean: compiler_moc_header_clean compiler_rcc_clean compiler_uic_clean ####### Compile obj/main.o: src/main.cpp src/Versioning.h \ src/MyMainWindow.h \ ui/ui_MainWindow.h \ src/MyIOConfigWindow.h \ ui/ui_IOConfig.h \ src/ListItem.h \ src/SettingsManager.h \ src/MyFilterConfigWindow.h \ ui/ui_FilterConfig.h \ src/MyPreferencesConfig.h \ ui/ui_PreferencesConfig.h \ src/MySavePresetWindow.h \ ui/ui_SavePresetWindow.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/main.o src/main.cpp obj/MyMainWindow.o: src/MyMainWindow.cpp src/Versioning.h \ src/MyMainWindow.h \ ui/ui_MainWindow.h \ src/MyIOConfigWindow.h \ ui/ui_IOConfig.h \ src/ListItem.h \ src/SettingsManager.h \ src/MyFilterConfigWindow.h \ ui/ui_FilterConfig.h \ src/MyPreferencesConfig.h \ ui/ui_PreferencesConfig.h \ src/MySavePresetWindow.h \ ui/ui_SavePresetWindow.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/MyMainWindow.o src/MyMainWindow.cpp obj/MyIOConfigWindow.o: src/MyIOConfigWindow.cpp src/MyIOConfigWindow.h \ ui/ui_IOConfig.h \ src/ListItem.h \ src/SettingsManager.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/MyIOConfigWindow.o src/MyIOConfigWindow.cpp obj/MyFilterConfigWindow.o: src/MyFilterConfigWindow.cpp src/MyFilterConfigWindow.h \ ui/ui_FilterConfig.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/MyFilterConfigWindow.o src/MyFilterConfigWindow.cpp obj/MyPreferencesConfig.o: src/MyPreferencesConfig.cpp src/MyPreferencesConfig.h \ ui/ui_PreferencesConfig.h \ src/SettingsManager.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/MyPreferencesConfig.o src/MyPreferencesConfig.cpp obj/ListItem.o: src/ListItem.cpp src/ListItem.h \ src/SettingsManager.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/ListItem.o src/ListItem.cpp obj/SettingsManager.o: src/SettingsManager.cpp src/Versioning.h \ src/SettingsManager.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/SettingsManager.o src/SettingsManager.cpp obj/MySavePresetWindow.o: src/MySavePresetWindow.cpp src/MySavePresetWindow.h \ ui/ui_SavePresetWindow.h \ src/SettingsManager.h $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/MySavePresetWindow.o src/MySavePresetWindow.cpp obj/moc_MyMainWindow.o: moc/moc_MyMainWindow.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_MyMainWindow.o moc/moc_MyMainWindow.cpp obj/moc_MyIOConfigWindow.o: moc/moc_MyIOConfigWindow.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_MyIOConfigWindow.o moc/moc_MyIOConfigWindow.cpp obj/moc_MyFilterConfigWindow.o: moc/moc_MyFilterConfigWindow.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_MyFilterConfigWindow.o moc/moc_MyFilterConfigWindow.cpp obj/moc_MyPreferencesConfig.o: moc/moc_MyPreferencesConfig.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_MyPreferencesConfig.o moc/moc_MyPreferencesConfig.cpp obj/moc_ListItem.o: moc/moc_ListItem.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_ListItem.o moc/moc_ListItem.cpp obj/moc_MySavePresetWindow.o: moc/moc_MySavePresetWindow.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_MySavePresetWindow.o moc/moc_MySavePresetWindow.cpp obj/moc_SettingsManager.o: moc/moc_SettingsManager.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/moc_SettingsManager.o moc/moc_SettingsManager.cpp obj/qrc_binincludes.o: qrc_binincludes.cpp $(CXX) -c $(CXXFLAGS) $(INCPATH) -o obj/qrc_binincludes.o qrc_binincludes.cpp ####### Install install: FORCE uninstall: FORCE FORCE: gebabbel-0.4+repack/GPL-20000644000175000017500000004310311117566652014050 0ustar hannohanno GNU GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1989, 1991 Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Lesser General Public License instead.) You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. The precise terms and conditions for copying, distribution and modification follow. GNU GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. Also add information on how to contact you by electronic and paper mail. If the program is interactive, make it output a short notice like this when it starts in an interactive mode: Gnomovision version 69, Copyright (C) year name of author Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, the commands you use may be called something other than `show w' and `show c'; they could even be mouse-clicks or menu items--whatever suits your program. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the program, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the program `Gnomovision' (which makes passes at compilers) written by James Hacker. , 1 April 1989 Ty Coon, President of Vice This General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. gebabbel-0.4+repack/CHANGELOG0000644000175000017500000000216210645160141014542 0ustar hannohanno=== V 0.1, 20061224 === Initial release. Released as a beta version, it remained as it is as no bugs have been known === V 0.2, 20070212 === * Changed source tree structure * Internal rewrites and bug fixes * Improved search for the gpsbabel executable * Statically using the -p "" option so gpsbabel does never read a config file * Improved presets, completely i18n'ed * Split config files to user and system configuration so future updates will preserve user presets * Improved option editing. Selecting an entry from the combo will be appended to the current line edit's contents and will not overwrite it * Added options for all file and filter formats and options. Options are offered dependent of the format chosen * Added help texts for all formats and options * Disabling the process button if processing seems senseless (input file not found, no output specified etc.) * Support for the realtime tracking option -T * Disabling all checkboxes as soon as the realtime tracking option is chosen === V 0.3, 200707 === * Gebabbel now requires gpsbabel 1.1.3 or later, due to changing -s and -N to -Sn and -Si * Minor adjustments gebabbel-0.4+repack/binincludes/0000755000175000017500000000000011120541713015623 5ustar hannohannogebabbel-0.4+repack/binincludes/WindowsResources.rc0000755000175000017500000000005710531142105021500 0ustar hannohannoIDI_ICON1 ICON DISCARDABLE "icons/AppIcon.ico" gebabbel-0.4+repack/binincludes/icons/0000755000175000017500000000000010544336237016752 5ustar hannohannogebabbel-0.4+repack/binincludes/icons/FileConvert.png0000755000175000017500000000161610347127644021710 0ustar hannohannoPNG  IHDRabKGDC pHYs ,tIME AIDATxmk\ew93Kf&䦉6 FC5]HZD. .Dn\w',.DHdE%f6Igng\" =jNh8^ʆŕm~T,C-fG>zC v;4=B@_WiZbm_չqaj?8Y44QK18nӣ16D%R쥒͓=m?1B*ף4]r|,; r{3UGd&^m ^j]uH$Jr)6Ed˝xYp -}@҉<G2#Tp}p.vMq+m.B@J f Y3y()Fr>jMG$]X;JyF$R e6$7VN]CE.Rz'ݑ3uE:-eqmvinw-v  Tt {LkQ \hT.ܭ87j.kgv=xڃFRcģ{k5cg,KXYY\R_mUjNَF޾ɯ7;{![Bfmwb-8%TI\X;9N_Pib_`='Z_IENDB`gebabbel-0.4+repack/binincludes/icons/HelpManual.png0000755000175000017500000000212710347127644021514 0ustar hannohannoPNG  IHDRagAMA7tEXtSoftwareAdobe ImageReadyqe<IDATxbe;_ L  VV|İ_o~002 cP95WG]\ϟ 2" &~.& )~m 䳀ˑ嬨c+&Xci +l*&ҕl @1kK112|pW32Y@L?疠/ -$x e@ ""),#k %bdצ㷿 _4dy%DExAWd`raz ׭xAS]D _ b *B "Pf  K=z;߿޼ ?2|AH \ z ~;3|@Le`ӗV}gs=Ý4А <@WAEVAAEǛ_&b~ƛ>ū@@?w?89X$E9dxT% @/VGO>3 r2<}_@W}AA}).+  3#'Ý$>o8, @,j $ OGNM^>v``22|ș /dx× Wog FC tTtěfax o1po[~ܺv?- F&M/`?C~E'3 ~39痟6wL`%JgXؙT4EsEݓm d}L; KK|UjIENDB`gebabbel-0.4+repack/binincludes/icons/FolderWarning.png0000755000175000017500000000065410543265552022231 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<NIDAT8O@?TܒGd5`H&X2Ò \P$ 8pMB@jĒM4ى&ѱvkW |K޻wJD*e3%]U^AD !"O YWV7fCoX*Q[m }Q?īuGUZ;  .:+,+:IwYI`85]iP*AgZ0LU vR0 k ċ>\pTJ'=tiwLEa?gҗ {3جvs>H %7e bCN*Ŀ7_.PwIENDB`gebabbel-0.4+repack/binincludes/icons/Filter.png0000755000175000017500000000053010527630774020712 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<IDAT8=j@?-&E R *XgRS҅"X(^'S,3023?b`݌ReU}ki^,zTTˊP8aн ΑQ'O&[yqd{OqSqT :qƓf~dDd"Np r=`F0ZVN點M I7_+?{muIENDB`gebabbel-0.4+repack/binincludes/icons/Floppy.png0000755000175000017500000000065610522111373020727 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<PIDAT81kA?e9-2BT֩B@-R` " λb.1fvPUgRƒÌt xDX!nC1Hq22[R'`Y:mF " @BĎ^w\tQAAUX"Bf2+< ?X]K5- o(bqiu(TY,ᆪ$&Yd:!K3(S;=)o|g=Q{FEg܊!&X{vWM$hp<N >CIIENDB`gebabbel-0.4+repack/binincludes/icons/FileQuit.png0000755000175000017500000000147610347127644021216 0ustar hannohannoPNG  IHDRasBIT|dtEXtSoftwarewww.inkscape.org<IDAT81lWo[H. v F$!20w #+HV !ni넄qؿX]9:s'cnP*=̥Ry:~{ms<57],-рhQJ)s:zm2dS.s8=1{&Ov:(Ɛi4{" ˌ2i6(Ϟ%ekm Y]%Z=F̙3Lܸə~}2YRt\("XYAE{u>)\/O"/^p:ћĴ*^1u";aXP9֌ul?~LjQvɅ<{F둮T&9ϟgg}ﶷv:H.(}Ztu 2(zqΑAD/_F>GVpΡbkIΝ$h="8΀N&IW*|`<" ~M2ĝ;YYᏥ%rF)R0U6ZњVcKԓ'{HyO6#}pa*!$Ẕ5*n1~IƄ!UG(%(#Gr>-/-- uJA  2F}^]EbL$BjmQf! Z;m></4IENDB`gebabbel-0.4+repack/binincludes/icons/GpsDevice.png0000755000175000017500000000061010527631076021331 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<*IDAT8JPJ] *4`@Rt>O.Bd3C0gls3ܟ{[6I4(9E\ZYU7:G:: ~~Z*;u`x^v bȝNCtVvud0)V.& .$DkhOm'gx}RJ^^s@ݽOܔD`4T6Oq7e=_r,e <P*FHKٰ7IENDB`gebabbel-0.4+repack/binincludes/icons/Add.png0000755000175000017500000000125610531432534020150 0ustar hannohannoPNG  IHDRabKGD pHYs  tIMEl-;IDAT8ˍMkAM)1mEz((E/?1'ңŋz\DJmmi7m&&5m?0xb͆![!CfiٚiMt8: uU%-#pPU!1h]uBwK2H(_ !M9_ vŒ_h*}X 0*pJT9r+0D#ᨉqM]-ǧqW aM~:~-Li 4AklJ(@ TXaT=Jk|c}unxWjNoA&70#d7|&׭bH3m R/2֦(TCw= <_9>IENDB`gebabbel-0.4+repack/binincludes/icons/AppIcons.icns0000755000175000017500000013055510531140510021337 0ustar hannohannoicnsmics#H??????is32 /I|I|AOԀ nb Sǡp$b{ݱ{^⾕E ygYV~p >~@Wiw7g5va79on+:jp%=bm"8bd{|5`mr >.6"  /Fup<9_8MXwL>j⅕L_w_H}{Ҝrm3 ^n]QNtW 0f=Vgv6Qt5l^69fk*:am$=[k8[byy5Yjp :-6! 3&63 +G5A 1\:3kup(#Ev}9Hhg ;izG7_^|7YeJ\U&FTvOdB "eW#cs2(Z9Z5< g+<j%Ag"=\{|<er ! (7" s8mkAW< # Ű'n\;J1!D*EP%ICN#??????????????il32,10* :M=Hk͜EOCPY/3Z;Յ8/˔hvhHHtbpTj9͆ `֓7Ӈc% )rCރ%tօʟWÒy½~pٶӨtiBh}睭֬fuذѻ⨻eCJ $ch띆E&ӛsJ%:Q]jvnA9M9;/2/E~ 2Au*s1Bk9h.EfE])HdGS'K|`FK+Nt[EC$Oo[@< Po[;4 Po[8tosk^s+ MmZ9pdfiw KiW> >dUAhF>T # ,10* 9L $|xYú<$:O\htl;h,wA:4$&/Et|2Bj)q1B|a8g.Fz]D\)HxZFR&JqVFJ)NjRDC$OgS@< PgR;3 PhR7rlqj]q* MfR9nbdhu KcO> =`M@fE:L #,6:4$ 9RA#EU  /43]' dxX> \Fy@KR r`Ba3LZhc}YCO{gh rx9~p4S<~oCZu) VON ~DNvu  A yVsHsp`rKk[tRz ceEw=&v>g\v^ ExV^=cMLFOy u<'n,u;=iq}\C<(;Q]jvo R!c[8F 3P ~2L4s1LCh.PO])SQS'V PK+XOC$XJ< XE4 W'Btosk^s+ T,Bpdfiw Q-G C/JhF#l8mk!+,Xwy %&keFaz+@ohGk(7' VD2vW0" roQ_N(8Ỹ4&-ich#Hooih32 u #-,# /ANL@1!# CYW:#2QyS%U[@$eaWZ74̉-0 <; NYN'ًTV aޛ%ZY1} (NP ZD+>WX"Ō S} }ߖSP, njd iۆk^BN k؝ b9{ m  #g0 i7z y8o.ˆ gWĞSP[t5ޛoöGJCGÀy@ĥthD Dh~MlƀDžsmwcG @gpoPt} Ƥrk#ď #lVsZ ًtY[|<  tw'u n3\e4 r .=FTajsD[4E1r'k}[RdUR RAZA"tmkje][HlE F5!9VW! @rae ahurRO* XRdOQiSZCG Uz |]9o Vrna0U+^{^+f.TCz@q'n>|Gi2߯ɓ[f79'47dj>{Ɨ_Q4 &5QmIfǂ^T[M7$1PWUpLnx[To#hxSrPŽ[Fdd"k ZEoVp7  j^rf[ Vp(yL\/o i -I2 WBF 4UFA 4zUJ; 3tQP63nNR4 .h KT5)cIV7$ZEY; PAY?!riihc]ZGjD;Y@%~vPLV^[cSr=3Z>$zsu}#.Z<% (\;'h1 E6&uhU;   9 #-,$ /AOQH;) CYYD$%U[FWZ>  $$ NYR U~zs3 9tu[ 'ZY:ld./ 4)an9XY 5oWIM| ~JOZl]TT >g?M= >O?aYL 7g^ _j x\C 7Zll kgT^9 2g Ibf f]H ea1 .3vs^1W U0_st5d& D1 1eOsl*+ (*lsKie$o4=pf)u q(fp=f5{6mAvF;+ $=CwBih2O:@n`uT Oy\p@i >6L L S D5cAWOFAW]FM |p#.=FTajsDrSNm5> 'k}[ ;a^ UZ1TF[K#[Cs<"ZA .Z=$Z=YC,YF6 XI7WM6}VQ 5wRV5pOW1j LY,cIZ!&[E\*#RA\1%tmkje][HlE<\7'yQMY`]eTu?5\8&|vv$/\9( (^:*j2 H7)wjW<   h8mk  ?l V]BB(|^"] FWSvE1MIz@M CP0 2N8ba2 a>Dwvvvvwl\%&#,%Y&A"ߖB'T檏E it32J 11911)  1ARRZRZRZRZRZRZRJA1 19RRZRZRZRZRZRJ1))ARZRZRZRZRZRJ9)ARZRZRZRZRZJ9  Ajj1AZRZRZRZRZR19Zފb 1RZRZRZRZRA 1jŒ) ARZRZRZRZJ 9{ŗ JRZRZRZRR)j͛JRZRZRZR9Z՞{ ARZRZRZR191RZRZRZRAAj RZRZRZRR1JހZ JZRZRZRZ))) 惁)s{{b)ZRZRZRZJ Zմ{jRRZRZRZR11))̀9 RZRZRZRZ{AރJ{AZRZRZRZJ9Z)19)sARZRZRZR1J){A 洀1jA ZRZRZRZ{JjJZZZss{ŤZ RZRZRZRj{R) )# ZRRZRZRJsAb Zŀ ZZRZRZ11 Z)ssA#9bsRZRZR)jR)R{{ހ9 ZRZRZ JRJޜ #)RZRZRժJ̀RZRZRR 9#9{RZRZJJ9ZJAj̀ZRZR9j 1sZZRs#本9jZZRZ11j{b{)RbbRZR) sͽ1R#jb{sZRZ լ  jAŀ 9AR)s{RZR  ́ŀ JbZb)ZRZ9 ){ bs1 RZRZ{b{ ))A惽{Jb A9ZRR޴ō)Ab))1 ARjsRZ9R ZjR {11JsA AJRZR9ŅsZAZ91 1A{ RRZ ARZ1AJ1{ bރ)9 1 Aj JZR1 9A1 J 1)jARZ )sj)jRJ1j{ )ZR 19Ղ b b9s1 RA { sRZA ދ )ފ1{ RbAՀ) 9A1RZRJAZލbs {Zs {ARZZͤ͜Z j  ) 11bRbjZJ 11ŀbRj jZA b sA{ 椋jR1  )19ARZsՁ s)ZA ހ )s9j9)sZss1{A 9 s9ހbJ1J{ZJ9)bJ1Ճ R{s Z 11A j9s1 ł 1AJRZjsZJ1Zł) 1JZjZ1ARRŁ )ARj{J1{ ZRZJAJssA ))ZRZR! 1Z{))ZRZRZނ9)99 9RZRZR!RJj 9ZRZRZjb) 9RZRZR  9ZRZRZs{ 9RZRZRj!)s 1ZRZRZbJb 1RZRZRZ!ZZ 1ZRZRRRjJ 1RZRZJJ!sA )ZRZRJ{99 )RZRZJ{1") )ZRZRZs) )RZRZRs "  )ZRZRZj ) )RZRZRb !9 ZRZRZZA RZRZR Z!Js ZRZRZ RAs RZRZR)R!Jb ZRZRZ)JAb RZRZR1A!JR ZRZRZ91AR RZRZR9)!AA ZRZRZA AA RZRZRJ!A1 ZRZRZRA1 JZRZRZ!A JRZRZRA AZRZRZ!9 ARZRZR1 9ZRZRZ!1 9RZRZR)) 1ZRZRZ) ) 1RZRZR9 )ZRZRZ9 { )RZRZRA{ ZRZRZJ s RZRZRZ{j ZRZRZRs 9j RZRZRZjA )9j Z )9JJAsb{b ZRZRZRZ {Z sjJ AJA{b1jjsb RZRZRZ Z 9bj1J{JsR1 )J)J RRZRZR)J 1jJ  ) ) JjjR9 JZRZRZ)J Zj99Z{b 1 ARZRZR)9 J))RbssjJ1J 9ZRZRZ)9 {ZJRJj{ 9RZRZR)1 R 1ZRZRZ)11 )RZRZR1   ZRZRZ)  b RZRZR1 s1 ZRZRZ1 bA JZRZR)){bA) JZRZ  {jJ1 AZR){sbZA9  9Z) 1ZA 04840($  0Պr12(J ~*e ?`&/wU1f?11 R, >aXx-/;P?Ͽ@?ç9dn_,!*Fr(\XBdb&&&F+A^;(0 p0R?c߿~12^zۍQZ#()PХ, t-3#` /#ä 782f2 @ (]Y Xع02&#.V`] bPP1!  @:(Aӗ_ ?.@,@=IQFQ~&^n&NVf6Ff_@3tF_L,`00|/^w e  b /=Xk&a D\Vv.\t@U Px\=ŵ/"l 4 04fTNv!BZtV)HN۴k<8WrخtD+'=}Gn~Ngca`gg[ ,.Abfd`eafabaOow0v_~vEVf6.nVf`ز `f Ͽ007ȵ@@`c@@F`g716H!3'0>74|[?10r2Hs!BPR&5vVF.`qfM/'~== @woU4.3 UfPPaWcb߀.,pS&bK3D>_/Bl |@AA" L* L(n`x=|25h+D~Ȗo>s,럟@oF&0t7`/˷2ѥ_l2`#jC։O3(UXV\QERRBI \n|7>G^{@G6 \L*̜RZ2 l|L7?><}@w b$n4020ڀ  ~{nIENDB`gebabbel-0.4+repack/binincludes/icons/EditEditCommand.png0000755000175000017500000000173610527672731022467 0ustar hannohannoPNG  IHDRagAMA7tEXtSoftwareAdobe ImageReadyqe<pIDATxb?IedA|Kab/cKcdINGO/8'/' @, PǗ,1srVLAapfԁg`d\7 y  LR/}Ϯggc୚;YopY*݅23؀eb%׬]w9?]:T-@7lVY+,n^/^02 kv"W3Ebep/'2}ܰUP+ETP300s1(2ܛ1?, ֽ۸]2PkX3c.0|}A]// (~}.5~UNو @}M0A L05    md!OkX A03F Ǿ.QCA?aAϤށ  ;,<ݤ3<_1>31ʊTqh׀#8=C;;#vZ}|g ],Y’ .yGXYNsȵ?o%6uCČ䀻IENDB`gebabbel-0.4+repack/binincludes/icons/FileDelete.png0000755000175000017500000000126410527674007021471 0ustar hannohannoPNG  IHDRagAMA7kIDATxmka_=3ͶNP0&Ə S JJrE!Ǝlv?}cs~=(hpkWNW ޘ߱Pz_d&ù'ο;kWY*?ɥ{*@bZ4ᄎmKq1^3[ljeD'NlIF"bbnM\qᖕ;r_@]4= *PセqAKZk$w2{sg58Jsna|tud3r]58% _ZETGN;c"/!Ls}( $.]@#8m*6+}™O9fш@:x[hNWw&h,a%i}iI]40]?!APĶ^=&OU{дe▮c:,leE6:;$DUcYLb`M CǑRj,Pl-Rit;fۤ2%B Qo8@[khJjD4ԋW8 H%}/>>nKK=;QQYp*߿^c ~e`x 00)me +ŕ? @5?a4 P ۷X!!Nׯ?0|6?~ xo&$  `VIIQ9..B0@ .. --4 X@l 0@1"_Nl`W߁~ ??`0?`z0b@y|XﺺNJʰ7,`q!#@9Y3f at2H߿62 A^ @(061+0m$sF7@ ٢,ˠNkdeeſ@X&8@ 'a` c8z<4]y v˗ blIENDB`gebabbel-0.4+repack/binincludes/icons/Blank.png0000755000175000017500000000017210523474377020517 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<IDAT8c?%"ݣ0j 2c<4IENDB`gebabbel-0.4+repack/binincludes/icons/Filter-old.png0000755000175000017500000000040010522211022021432 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<IDAT8}SA0Ne&A %pCKǓ$AR($I&zX D). ?AN[\tbamqwpq $$Vfxᴩww \.w\{a= V?yWfIENDB`gebabbel-0.4+repack/binincludes/icons/AppIcon.ico0000755000175000017500000000053610531373254021002 0ustar hannohanno(( {)kc{sJkRRRJR19J!)fiVfffffffQ{*'SH%GP TDqgebabbel-0.4+repack/binincludes/icons/AppIcon.png0000755000175000017500000000107210532277356021017 0ustar hannohannoPNG  IHDRa pHYs+IDAT8=kP\2x k8BǔSS::C f P;Ђ 1A>t0$ gq{??կH!xnSι%$7jc4jH9y&K.GF_=i(NM iv3$ᵬ0أh.;~$AoPxV8{E?>v#uo}uh8?b߼_ q_9YQׯ v V_Yt?FEĢʛ/?  ??I d˗@'108:7@  &6V/L  ~`)_GRW[o?@C/ëtD,$0# 0@t oy0X(Á @/T~p)qn}fQUF  @~s2:O f/_ @sGt`e4{sßOXA?++fv1| r< : 21 A{! h4y؅N\g`xà wcxó><|{!#.c3d*Ѐ1ǯ ~gJ8l$.ƿs/by'*?P 3w0 70&_0>y;܀\4$8} 7`}H߿~,3#@U4733 D (yp{S3nv&`S_7d C0gdeamIENDB`gebabbel-0.4+repack/binincludes/icons/Delete.png0000755000175000017500000000126310527674030020664 0ustar hannohannoPNG  IHDRagAMA7jIDATxmkQ$m#iFԂPPpEą݉"p+ѽ FDA*Mͳd3̸psֵ=酩1B2>Ġ]oR̗OW?EcyxQPCB*?•RQ(|0]`@8:`EMvI 8,^W kK g%p<ֶfk7JR! b@WBF AoH MC7LC` iPkPV%KQ4 #}v:'9`+P \W"a`:UN RAɂf34Mz˜ab8U9/(骄d"nbقj*C J G[t@1XKoө3>yePؠ/ /r>c?%>X-׭@` Npjihtn؇3{hj~ĩp/?}o| ~ALѼBIENDB`gebabbel-0.4+repack/binincludes/icons/FileSave.png0000755000175000017500000000212010347127644021155 0ustar hannohannoPNG  IHDRagAMA7tEXtSoftwareAdobe ImageReadyqe<IDATxb??Ç>~ ?} d2]`l}AIj'x{7.pz/7 @@L3ׯ?7Cwwz gq_.'BHN8?@\PT? _~ ×/߀ e`< w3dY h?bXO?iˎɞG`>=517L4?|7Éw0°Û/_ w0<|+Р?~2|3h@E@ge8~'7 ? @C!;++#?" qil e8^ /×ϯ0(>gPc0Ֆ8', pL~>4ޫ kϞ(   ߿d/ë@W * \ ?0y/^~e ` ?/0 /pS(mp?t> ~ ɯtw7o1q3|F)cp毟.-H`| wb%YP&*tO`f7މh1fd?~A3p9 X| ?U~hO?0q10@1cb/1Y ~P|fW ׏ ʱc``2>vIENDB`gebabbel-0.4+repack/binincludes/icons/EditEditPreferences.png0000755000175000017500000000203710523735764023347 0ustar hannohannoPNG  IHDRagAMA7tEXtSoftwareAdobe ImageReadyqe<IDATxbY --_턦}ųg&~}222LMǏ_ ~adQ 7WW[E`xAggLuu50{υ̻_Z͛XYky{j~NKEE@bfx=×o=93}gx |54DD}``exÇ/ w$O1r 1& A((9: I 14˗/@ ?999yy4~BHL0AD$D}dexm_L/@ʲ[?}ؿ/ܦQ _ L?Xra@1kk[ǿ^`GC_>*gkƗ€g`diʑ3 l322  ¿ r7NQL[}0G_f`} ȸ ^`6i9[03gx#KDpzZh-N{/ 0{~ax`a&IENDB`gebabbel-0.4+repack/binincludes/icons/USBplug.png0000755000175000017500000000075610522111033020771 0ustar hannohannoPNG  IHDRatEXtSoftwarewww.inkscape.org<IDAT8͓1Q7xF2]X0t_N[+Oll#D3BiT x|6zι{Wy yD7# 2Rg89բwj^CM@kMW"&2X[Q .ߍWO r6qEr_0~ Bok"*ֲS/I@ёN`GF}obZPK-)M "8j[#S)f-Cjk{Kv)Y7_ J fH<ȧ?8qnٻ@Pۚ^^0?avן3o'؞,IENDB`gebabbel-0.4+repack/binincludes/translations/0000755000175000017500000000000011110036332020337 5ustar hannohannogebabbel-0.4+repack/binincludes/translations/de_DE.ts0000644000175000017500000071420411110036263021662 0ustar hannohanno FilterConfig Filter Configuration Filtereinrichtung Enter your filter commands here Filterkommandos hier eingeben OK OK Cancel Abbrechen IOConfig Configuration Einrichtung Type: Art: Click to select a file from your filesystem Klicken, um eine Datei auszuwählen ... ... OK OK Cancel Abbrechen Characterset: Zeichensatz: Path/Device: Pfad/Gerät: Options: Optionen: ListItem Sorry, but the file %1 was not found Die Datei %1 wurde nicht gefunden Sorry, Gebabbel does not know what this item is all about. Gebabbel weiß leider überhaupt nicht, was es mit diesem Ding da auf sich hat. Values of this filter item Werte für diesen Filter MainWindow Gebabbel Gebabbel Process Tracks Trackpunkte verarbeiten Process Routes Routen verarbeiten Process waypoints Wegpunkte verarbeiten Check this option to process waypoints Wegpunkte verarbeiten Process Waypoints Wegpunkte verarbeiten This list contains the output items Liste der Ziele This list contains the input items Liste der Quellen This list contains the filter items Liste der Filter Execute Ausführen Check this option to turn realtime logging on Echtzeitaufzeichnung einschalten Realtime Tracking Echtzeitaufzeichnung Gpsbabel gets invoked by passing the current settings Gpsbabel wird mit den aktuellen Einstellungen aufgerufen Discards waypoint names and tries to create better ones Verwirft Wegpunktnamen und versucht bessere zu erstellen Improve Waypoint Names Verbessere Wegpunktnamen Processing tracks can cause long processing times when reading from serial GPS devices Das Laden von Tracks kann bei seriellen GPS-Geräten einige Zeit in Anspruch nehmen Processing routes can cause long processing times when reading from serial GPS devices Das Laden von Routen kann bei seriellen GPS-Geräten einige Zeit in Anspruch nehmen Synthesizes geocaching icons Erstellt (falls möglich) automatisiert Geocaching-Symbole Create geocaching icons Erstelle Geocaching-Symbole 1 MyIOConfigWindow Any filetype Alle Dateitypen Edit the type for this input Bearbeiten Sie hier den Typ der Quelle Edit the type for this output Bearbeiten Sie hier den Typ des Zieles Edit the type for this filter Bearbeiten Sie hier den Typ des Filters If necessary, enter options here Sofern gewünscht, geben Sie hier Ihre Optionen ein If necessary, enter a character set here Sofern gewünscht, geben Sie hier einen Zeichensatz ein Enter the path to a file or port of a device here Geben Sie hier eine Datei oder einen Geräteanschluss an This character set also is known as: Dieser Zeichensatz ist auch unter den folgenden Namen bekannt: Select Source Quelle auswählen Select Destination Ausgabedatei auswählen Select Filter File Filterdatei auswählen MyMainWindow Source Quelle Destination Ziel &File &Datei &Edit &Bearbeiten &Help &Hilfe Main Toolbar Hauptwerkzeugleiste &Clear &Listen leeren Clears all currently loaded data Alle aktuell geladenen Daten werden gelöscht &Delete Preset... L&öschen... Delete the current preset Die derzeit gewählte Voreinstellung löschen Delete the current preset. Attention: There is no undo! Die derzeit gewählte Voreinstellung löschen. Achtung: Es gibt keine »Rückgängig«-Funktion! &Save Preset... &Speichern... Ctrl+S Ctrl+S Save the current settings as new preset Die aktuell geladenen Einstellungen als neue Voreinstellung speichern Save the current settings as new preset for later usage Die aktuell geladenen Einstellungen als neue Voreinstellung zur späteren Wiederverwendung speichern &Process &Ausführen Ctrl+X Ctrl+X &Quit &Beenden Ctrl+Q Ctrl+Q Quit this application Programm beenden Quits this application without further confirmation. Das Programm ohne weitere Bestätigung beenden. Ctrl+E Ctrl+K Edit command Kommandozeile bearbeiten Allows to edit the command to be executed Gestattet es, das auszuführenden Kommando direkt zu bearbeiten Edit &Preferences... &Programmeinstellungen... Ctrl+P Ctrl+P Edit preferences Programmeinstellungen bearbeiten Opens a dialog to modify the preferences Blendet einen Dialog zur Bearbeitung der Programmeinstellungen ein &Manual &Handbuch Ctrl+M Ctrl+H Display the online help Die Hilfe anzeigen Shows the online help Zeigt die Hilfe &About &Über Ctrl+A Ctrl+Ü Display information about the application Informationen zu diesem Programm anzeigen &Add &Hinzufügen Add an input source Quelle hinzufügen Edit the selected input source Gewählte Quelle bearbeiten &Remove &Löschen Ctrl+R Ctrl+Ö Remove the selected input source Die ausgewählte Quelle löschen Add an output destination Ausgabe hinzufügen Edit the selected output destination Die gewählte Ausgabe bearbeiten Remove the selected output destination Die gewählte Ausgabe löschen Add a filter Filter hinzufügen Edit the selected filter Ausgewählten Filter bearbeiten Remove the selected filter Ausgewählten Filter löschen I am pleased to be used by you :) Ich bin voll der Freude, da Sie mich verwenden :) Settings at last quit or before choosing another preset Einstellungen vor dem Wählen einer anderen Voreinstellung bzw. vor dem Beenden des Programmes About to delete preset Voreinstellung löschen This will delete the current preset, and there is no undo. Die derzeit ausgewählte Voreinstellung wird auf Ihren Wunsch hin gelöscht. Eine spätere Wiederherstellung ist nicht möglich. &OK &OK &Cancel &Abbrechen Command Editor Kommando Bearbeiten Last Used Settings Zuletzt verwendete Einstellungen Configure Input Quelle einrichten Configure Output Ausgabe einrichten Configure Filter Filter einrichten Restore Default Settings Standardeinstellungen Edit &Command... &Kommandozeile... Execute gpsbabel Gpsbabel ausführen Invokes gpsbabel according to your settings Ruft Gpsbabel passend zu Ihren Angaben auf Intype Eingabe Outtype Ausgabe Filter Filter Options Optionen Please wait while gpsbabel is processing data... gpsbabel läuft... gpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. gpsbabel wurde unerwarteterweise unterbrochen. Erzeugte Dateien sollten nicht verwendet, sondern gelöscht werden. A problem was detected by gpsbabel. Gpsbabel hat ein Problem festgestellt. The original error message reported by gpsbabel was: Die exakte Fehlermeldung von Gpsbabel lautete: The operation was successfully finished Der Vorgang wurde erfolgreich abgeschlossen The operation failed Während des Vorganges trat ein Fehler auf This is %1, version %2. Dies ist %1 in der Version %2. It was created and published in %1 by %2. Die Erstellung und Veröffentlichung dieser Version erfolgte %1 durch %2. It has been released under the following terms and conditions: %1. Die Veröffentlichung erfolgte zu den Bedingungen der folgenden Lizenz: %1. All rights, including the copyright, belong to %1. Alle Rechte, inklusive dem Urheberrecht, liegen bei %1. There is no real manual, but you can consult the following resources: The excellent gpsbabel documentation as found on %1 The Gebabbel-FAQ as found on %2 If questions remain, don't hesitate to contact the author %3 Bei Fragen nutzen Sie bitte die folgenden Resourcen: Die excellente gpsbabel-Dokumentation findet sich unter %1 Informationen zu Gebabbel finden sich unter %2 Fragen an den Autoren dieser Software richten Sie an %3 Restoring default settings will reset all your current settings. Do you really want to continue? Das Wiederherstellen der Standardeinstellungen wird alle Einstellungen zurücksetzen. Möchten Sie diese Aktion durchführen? Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset Enthält Voreinstellungen für Ihre oft benötigten gpsbabel-Aufrufe. Klicken Sie auf die Schaltfläche »Speichern«, um eigene Voreinstellungen anzulegen The file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. Die Datei "%1" kann nicht aufgerufen werden. Bitte geben Sie den korrekten Pfad in der Kommandozeile oder den Programmeinstellungen an. The current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: Das Kommando sieht derzeit aus wie unten angegeben. Achten Sie beim Editieren bitte auf die folgende Syntax: gpsbabel -w -r -t -s -N -T -i Quelltyp,Quelloptionen -f Quelldatei.txt -x Filtertyp,Filteroptionen -o Zieltyp,Zieloptionen -F Zieldatei.txt: MyPreferencesConfig Automatic Automatisch erkennen Select Gpsbabel binary Gpsbabel Programmdatei auswählen Any file (*) Alle Dateitypen Executable files (*.exe);;Any file (*) Ausführbase Dateien (*.exe);;Alle Dateitypen (*) MySavePresetWindow Save Preset Voreinstellung speichern Enter new name here Hier Namen eingeben Please enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional: Bitte geben Sie einen Namen für die neue Voreinstellung an. Wenn Sie den Namen einer existierenden Voreinstellung nutzen, wird die bereits existierende überschrieben. Der Kommentar ist optional: PreferencesConfig Edit Preferences Programmeinstellungen bearbeiten Cancel Abbrechen OK OK Resets all settings to default values, including presets Alle Programmeinstellungen, auch die Voreinstellungen, werden auf Standardwerte zurückgesetzt Select path to the gpsbabel executable Pfad zum Programm gpsbabel wählen ... ... Gebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executable Gebabbel muss wissen, wo sich das Programm »gpsbabel« befindet. Ist das Feld leer, wird eine eingebaute Version verwendet Path to Gpsbabel: Pfad zu »gpsbabel«: Defaults... Standardwerte... System Configuration: Systemkonfiguration: User Configuration: Benutzerkonfiguration: Language setting: Systemsprache: Language: Sprache: Select the language in which you want to use Gebabbel Wählen Sie die Sprache, in der Sie Gebabbel benutzen möchten SavePresetWindow Configuration Einrichtung Comment: Kommentar: Short comment for the preset Kurzer Kommentar für die Voreinstellung Enter a short comment for the preset here Geben Sie einen kurzen Kommentar zur Voreinstellung ein Name: Name: Name for the preset to save Name für die zu speichernde Voreinstellung Enter a name for the preset to be saved Geben Sie einen Namen für die zu speichernde Voreinstellung ein OK OK Cancel Abbrechen SettingsManager HugeTrack.gpx SehrLangerTrack.gpx Infile.gpx Eingabedatei.gpx WaypointsHuge.gpx VieleWegpunkte.gpx WaypointsReduced.gpx ReduzierteWegpunkte.gpx OriginalTrack.gpx Originaltrack.gpx InputFile.loc Eingabedatei.loc MyCounty.txt MeineGegend.txt PurgedByPolygon.wpt BereinigtDurchPolygon.wpt PurgedByArc.wpt BereinigtDurchBogen.wpt Points.gpx Punkte.gpx Discarded.gpx Bereinigt.gpx Input.loc Eingabe.loc Output.wpt Ausgabe.wpt Radius Filter Radiusfilter GarminTextInput.txt GarminTextEingabe.txt GarminTextOutput.txt GarminTextAusgabe.txt Example showing all options of the garmin text format Beispiel, das alle Möglichkeiten des Garmin'schen Textformates aufzeigt InputTrack.gpx OriginalerTrack.gpx InterpolatedTrack.gpx AngereicherterTrack.gpx TracksOnly.gpx NurNochTracks.gpx Merge Tracks Tracks zusammenführen JourneyThere.gpx Hinfahrt.gpx JourneyBack.gpx Rückfahrt.gpx CompleteJourney.gpx KompletteReise.gpx Infile1.loc Eingabedatei1.loc Infile2.loc Eingabedatei2.loc Outfile.wpt Ausgabedatei.wpt TimeshiftedTrack.gpx ZeitverschobenerTrack.gpx /dev/cu.WBT200-SPPslave-1 /dev/cu.WBT200-SPPslave-1 Brauniger IQ Series Barograph Download Brauniger IQ Series Barograph Cambridge/Winpilot glider software CarteSurTable data file CarteSurTable-Datei Cetus for Palm/OS Cetus für Palm/OS CoastalExplorer XML CoastalExplorer XML Comma separated values Kommagetrennte Werte CompeGPS data files (.wpt/.trk/.rte) CompeGPS Datendateien (wpt, trk oder rte) CoPilot Flight Planner for Palm/OS CoPilot Flight Planner für Palm/OS cotoGPS for Palm/OS cotoGPS für Palm/OS Dell Axim Navigation System file format (.gpb) Dell Axim Navigationssystem-Format (gpb) DeLorme GPL DeLorme Street Atlas Plus DeLorme Street Atlas Route DeLorme XMap HH Native .WPT DeLorme XMap/SAHH 2006 Native .TXT DeLorme XMat HH Street Atlas USA .WPT (PPC) EasyGPS binary format EasyGPS Binärformat FAI/IGC Flight Recorder Data Format FAI/IGC Flight Recorder-Format Franson GPSGate Simulation Franson GPSGate-Simulation Fugawi Garmin 301 Custom position and heartrate Garmin Logbook XML Garmin MapSource - gdb Garmin MapSource - mps Garmin MapSource - txt (tab delimited) Garmin MapSource Textformat, Tabulator-getrennt Garmin PCX5 Garmin POI database Garmin POI-Datenbank Geocaching.com (.loc) GeocachingDB for Palm/OS GEOnet Names Server (GNS) GeoNiche (.pdb) Google Earth (Keyhole) Markup Language GpilotS GPS TrackMaker GPSBabel arc filter file GPSBabel Bogenfilterdatei GpsDrive Format GpsDrive-Format GpsDrive Format for Tracks GpsDrive-Format für Tracks GPSman HikeTech HSA Endeavour Navigator export File HSA Endeavour Navigator Exportdatei IGN Rando track files IGN Rando Trackdateien Kartex 5 Track File Kartex 5 Trackdatei Kartex 5 Waypoint File Kartex 5 Wegpunktdatei KuDaTa PsiTrex text Lowrance USR Magellan Mapsend Magellan SD files (as for eXplorist) Magellan SD-Dateien (eXplorist) MapTech Exchange Format MapTech-Austauschformat MS PocketStreets 2002 Pushpin National Geographic Topo waypoints (.tpg) Navicache.com XML Navigon Mobile Navigator (.rte) Navitrak DNA marker format NetStumbler Summary File (text) NIMA/GNIS Geographic Names File NMEA 0183 sentences OziExplorer PalmDoc Output PalmDoc-Ausgabe PathAway Database for Palm/OS PathAway Datenbank für Palm/OS Raymarine Waypoint File (.rwf) Raymarine Wegpunktedatei (rwf) See You flight analysis data See You Fluganalysedaten Sportsim track files (part of zipped .ssz files) Suunto Trek Manager STM (.sdf) files Suunto Trek Manager STM WaypointPlus files Suunto Trek Manager STM WaypointPlus-Dateien Tab delimited fields useful for OpenOffice, Ploticus etc. Text-Tab-Datei zur universellen Weiterverwendung in OpenOffice.org, Ploticus etc. Textual Output Textausgabe TomTom POI file POI-Datei für TomTom-Geräte (POI = Points of interest, "Orte, die von Interesse sein könnten") TopoMapPro Places File TrackLogs digital mapping (.trl) U.S. Census Bureau Tiger Mapping Service Vcard Output (for iPod) vCard-Ausgabe (beispielsweise für den iPod) Vito Navigator II tracks Vito Navigator II Tracks Yahoo Geocode API data Yahoo Geocode API-Daten Geocaching.com .loc Geocaching.com loc-Format National Geographic Topo .tpg (waypoints) National Geographic Topo tpg-Format (Wegpunkte) Navigon Mobile Navigator .rte files Navigon Mobile Navigator rte-Format Suunto Trek Manager (STM) .sdf files Suunto Trek Manager (STM) sdf-Format Suunto Trek Manager (STM) WaypointPlus files Suunto Trek Manager (STM) WaypointPlus-Format DeLorme DeLorme-Format Carte sur table Carte sur table-Format Dell Axim Navigation System Dell-Axim-Navigationssystem Geocaching.com Geocaching.com-Format GPS XML format GPS-XML-Format Garmin MapSource Garmin MapSource FAI/IGC Flight Recorder FAI/IGC Flugaufzeichnung Google Earth Keyhole Markup Language Google Earth Schlüssellochauszeichnungssprache Geocaching.com or EasyGPS Geocaching.com oder EasyGPS Map&Guide to Palm/OS exported files Von Map&Guide an Palm/OS exportiertes Format CompeGPS & Navigon Mobile Navigator Suunto Trek Manager National Geographic Topo waypoints National Geographic Topo Wegpunkte TrackLogs digital mapping National Geographic Topo Plain text Einfacher Text CompeGPS track CompeGPS Track Wintec WBT CompeGPS waypoints CompeGPS Wegpunkte Serial port 1 Serielle Schnittstelle 1 Serial port 2 Serielle Schnittstelle 2 Serial port 3 Serielle Schnittstelle 3 USB to serial port 1 Serielle USB-Emulation 1 USB to serial port 2 Serielle USB-Emulation 2 USB to serial port 3 Serielle USB-Emulation Longitude for center point (D.DDDDD) (required) Geographische Länge des Mittelpunktes (D.DDDDD). Diese Angabe wird unbedingt benötigt Push waypoint list onto stack Packe Wegpunkte auf den Stapel Pop waypoint list from stack Entferne Wegpunkte vom Stapel (push) Copy waypoint list (push) Kopiere Wegpunktliste (pop) Append list (pop) Hänge Liste an (pop) Discard top of stack (pop) Replace list (default) (pop) Liste ersetzen (standard) (swap) Item to use (default=1) Sort by numeric geocache ID Sortieren nach numerischer Geocache-ID Sort by waypoint short name Sortieren nach Wegpunktname Sort by waypoint description Sortieren nach Wegpunktbeschreibung DeLorme an1 (drawing) file DeLorme an1 (Zeichnungs-) Datei Universal GPS XML file format Universelles GPS-XML-Format This file does not seem to be an an1 file. Diese Datei scheint nicht vom Typ »an1« zu sein. The radius should be greater than zero. Der Radius sollte größer als 0 sein. The port could not be opened. Die Schnittstelle konnte nicht angesprochen werden. The port could not be configured. Die Schnittstelle konnte nicht konfiguriert werden. The syncronisation failed. Die Synchronisation schlug fehl. Serial error detected. Ein Fehler in der seriellen Datenübertragung ist aufgetreten. The download was not complete. Die Daten wurden nicht vollständig übertragen. This track data is invalid or the format is an unsupported version. Die Daten des Tracks liegen entweder in einer unbekannten Versionsnummer vor oder sind beschädigt. The track header is invalid. Der Kopf der Trackdaten ist ungültig. Failed to perform pdb_Read. Beim Versuch, »pdb_Read« auszuführen, ist ein Fehler aufgetreten. The file is not a Cetus file. Die Datei ist nicht vom Format »Cetus«. libpdb could not create record. libpdb kann Datensatz nicht erstellen. libpdb could not append record. libpdb kann Datensatz nicht anhängen. The character set is unknown. Dieser Zeichensatz ist nicht bekannt. The link table is unsorted. Die Verknüpfungstabelle is nicht sortiert. The extra table is unsorted. Die Extratabelle ist nicht sortiert. The character set is unsupported. Dieser Zeichensatz wird nicht unterstützt. An internal error in cet_disp_character_set_names occured. Ein interner Fehler ist bei der Verwendung von »cet_disp_character_set_names« aufgetreten. An internal error occured. Ein interner Fehler ist aufgetreten. There is no CoastalExplorer support because expat was not installed. Das Format »CoastalExplorer« kann derzeit nicht verarbeitet werden, da »expat« nicht verfügbar ist. Unable to create an XML parser. Beim Versuch, einen XML-Parser anzulegen, ist ein Fehler aufgetreten. A parse error occured. Ein Parserfehler ist aufgetreten. The datum is unsupported. Das Datum wird nicht unterstützt. UTM is not supported yet. UTM kann noch nicht verarbeitet werden. The system of coordinates is invalid. Das Koordinatensystem ist ungültig. A problem with waypoint data occured. Beim Verarbeiten von Wegpunktdaten trat ein Fehler auf. The length for generated shortnames is invalid. Die Länge für zu generierende Kurznamen ist ungültig. The value for radius is invalid. Der Wert für den Radius ist ungültig. Realtime positioning is not supported. Echtzeitpositionierung wird nicht unterstützt. pdb_Read failed. Ein Fehler trat in »pdb_Read« auf. The file is not a CoPilot file. Diese Datei ist keine Datei vom Format »cotoGPS«. The file is not a cotoGPS file. Diese Datei ist keine Datei vom Format »cotoGPS«. Unexpected end of file. Das Dateiende wurde früher als erwartet erreicht. A different number of points was expected. Eine andere Punktanzahl wurde erwartet. The line could not be interpreted. Die Zeile konnte nicht interpretiert werden. There are too many format specifiers. Es liegen zu viele Formatangaben vor. The format specifier is invalid. Die Formatangabe ist inkorrekt. The value for gpl_point is wrong. Der Wert für »gpl_point« ist falsch. The version of the file is unsupported. Diese Dateiversion kann nicht verarbeitet werden. The combination of datum and grid is unsupported. Die Kombination von Datum und Raster ist unzulässig. The track file is unknown or invalid. Das Format der Trackdatei ist unbekannt oder ungültig. Zlib is not available in this build of gpsbabel. In dieser Ausgabe von Gpsbabel ist keine Zlib enthalten. The file type is unknown or unsupported. Dieser Dateityp ist unbekannt oder wird zumindest nicht unterstützt. This is not an EasyGPS file. Dies ist keine Datei vom Format »EasyGPS«. The string is to long. Die Zeichenkette ist zu lange. Cannot init. Initialisierung nicht möglich. The Garmin unit does not support waypoint xfer. Das Garmin-Gerät unterstützt waypoint xfer nicht. The waypoints cannot be read from the interface. Die Wegpunkte konnten nicht über die Schnittstelle eingelesen werden. There is nothing to do. Es gibt nichts zu tun. There is not enough memory. Es steht kein ausreichender Speicherplatz zur Verfügung. A communication error occured while sending wayoints. Während der Übertragung von Wegpunkten trat ein Kommunikationsfehler auf. This garmin format is unknown. Dieses Garmin-Format ist unbekannt. The precision is invalid. Die Genauigkeit ist nicht korrekt angegeben. The GPS datum is unknown or invalid. Das GPS-Datum ist unbekannt oder gar ungültig. The distance unit is unknown. Diese Entfernungseinheit ist unbekannt. Either date or time is invalid. Entweder ist das Datum oder die Zeit ungültig. The temperature unit is unknown. Die Temperatureinheit ist unbekannt. The temperature is invalid. Die Temperatur ist ungültig. The file header is incomplete or invalid. Der Dateikopf ist unvollständig oder gar ganz unbrauchbar. The grid is unsupported. Dieses Gitter wird nicht unterstützt. The grid headline is missing. Die Kopfzeile des Gitters fehlt. The GPS datum is unsupported. Dieses GPS-Datum kann nicht verarbeitet werden. The GPS datum headline is missing. Die Kopfzeile des GPS-Datums fehlt. A waypoint without name has been found. Es wurde ein Wegpunkt gefunden, der keinen Namen trägt. A waypoint which is not in the waypoint list was found. Es wurde ein Wegpunkt gefudnen, der sich nicht in der Wegpunktliste befindet. An unknwon identifier was found. Ein unbekannter Identifizierer wurde gefunden. Zlib reported an error. Ein Fehler trat in der Bibliothek »Zlib« auf. An error occured while reading the file. Beim Einlesen der Datei ist ein Fehler aufgetreten. Could not write data. Daten konnten nicht geschrieben werden. The given serial speed is unsupported. Die übergebene serielle Übertragungsrate wird nicht unterstützt. The given bit setting is unsupported. Das bit setting wird nicht unterstützt. The given parity setting is unsupported. Das parity setting wird nicht unterstützt. The file is not a GeocachingDB file. Diese Datei liegt nicht im Format »GeocachingDB« vor. libpdb couldn't create record. libpdb kann Datensatz nicht erstellen. libpdb couldn't append record. libpdb kann Datensatz nicht anhängen. An unexpected end of file occured. Die Datei scheint nicht vollständig zu sein, da das Ende vorzeitig erreicht wurde. An I/O error occured during read. Während des Lesevorganges trat ein Ein- oder Ausgabefehler auf. A local buffer overflow was detected. Ein lokaler Pufferüberlauf wurde entdeckt. An error was detected in the data. Ein Fehler wurde in den Daten entdeckt. The file is invalid. Die Datei ist unbrauchbar. This GDB version is not supported. Diese Version des Formates »GDB« kann nicht verarbeitet werden. Empty routes are not allowed. Leere Routen sind nicht zulässig. Unexpected end of route. Das Ende der Route wurde zu früh erreicht. Unsupported data size. Die Daten in der vorliegenden Größe können nicht verarbeitet werden. Unsupported category. Die Daten in der vorliegenden Kategorie können nicht verarbeitet werden. Unsupported version number. Die Daten in der vorliegenden Versionsnummer können nicht verarbeitet werden. This file is not a GeoNiche file. Diese Datei ist keine Datei im Format »GeoNiche«. The waypoint could not be allocated. Ein Wegpunkt konnte nicht angefordert werden. Premature EOD processing field 1 (target). This route record type is not implemented. Dieser Routendatensatztyp kann noch nicht verarbeitet werden. This record type is unknown. Dieser Datensatztyp ist unbekannt. Premature EOD processing. This file is an unsupported GeoNiche file. Diese Datei ist eine Datei im GeoNiche-Format und kann nicht verarbeitet werden. libpdb could not get record memory. libpdb kann Datensatzspeicher nicht erhalten. The name is a reserved database name and must not get used. Der Name ist ein reservierter Datenbankname und darf daher nicht verwendet werden. This build excluded Google Maps support because expat was not installed. Dateien im Format »Google Maps« können nicht verarbeitet werden, da »expat« nicht verfügbar ist. The file type is unknown. Der Dateityp ist unbekannt. This track point type is unknown. Das Trackpunkteformat ist unbekannt. This input record type is unknown. Dieser Quelldatentyp ist unbekannt. This file is not a gpspilot file. Diese Datei ist keine Datei vom Format »GpsPilot«. The output file already is open and cannot get reopened. Die Ausgabedatei ist bereits anderweitig geöffnet und kann daher nicht erneut geöffnet werden. This build excluded GPX support because expat was not installed. Grundsätzlich ist die Verarbeitung von GPX-Formaten möglich, aber »expat« ist nicht verfügbar. Cannot create an XML Parser. Beim Versuch, einen XML-Parser anzulegen, ist ein Fehler aufgetreten. Memory allocation failed. Beim Versuch, Speicher anzufordern, trat ein Fehler auf. Error while parsing XML. Fehler beim Verarbeiten der XML-Daten. The GPX version number is invalid. Die Nummer der GPX-Version ist ungültig. Please Uncompress the file first. Bitte dekomprimieren Sie zuerst die Datei. The file format is invalid. Das Dateiformat ist ungültig. The file format version is invalid. Die Version des Dateiformates ist ungültig. Reading this file format is not supported. Das Lesen dieses Dateiformates ist nicht verfügbar. There was an error while reading data from .wpo file. Beim Lesen von Daten aus der WPO-Datei trat ein Fehler auf. There was an error writing to the output file. Beim Schreiben in die Ausgabedatei trat ein Fehler auf. This build excluded HSA Endeavour support because expat was not installed. Das Format »HSA Endeavour« kann nicht verarbeitet werden, da »expat« nicht verfügbar ist. The file is not an IGC file. Die Datei ist keine IGC-Datei. There was an error while parsing a record. Beim Parsen eines Datensatzes trat ein Fehler auf. There was an internal error while working on a record. Bei der Bearbeitung eines Datensatzes trat ein interner Fehler auf. A bad date occured. Es wurde ein ungültiges Datum gefunden. Reading the file failed. Das Lesen aus der Datei schlug fehl. There was a waypoint with bad format. Es wurde ein ungültiger Wegpunkt gefunden. There was a date in a bad format. Es wurde ein ungültiges Datumsformat gefunden. There was a time of day in bad format. Es wurde ein ungültiger Zeitwert gefunden. There was a bad timestamp in the track . Es wurde ein ungültiger Zeitwert im Track gefunden. Empty task route. Leere task route. Too few waypoints in task route. Zu wenige Wegpunkte in task route. There was a bad timestamp in the task route. Ungültiger Zeitwert in task route. There was a bad timeadj argument. Es lag ein ungültiges Argument zu »timeadj« vor. There is no support for this input type because expat is not available. Dieser Quelltyp kann nicht verarbeitet werden, da »expat« nicht verfügbar ist. There was an error in the XML structure. Es wurde ein Fehler in der XML-Struktur gefunden. There have been invalid coordinates. Es wurden ungültige Koordinatenwerte gefunden. There has been an invalid altitude. Es wurde ein ungültiger Höhenpunkt gefunden. There was an error in vsnprintf. In der Funktion »vsnprintf« ist ein Fehler aufgetreten. There was an invalid track index. Es liegt ein ungültiger Trackindex vor. There was an invalid section header. Es liegt ein ungültiger Sektionskopf vor. Cannot interpolate on both time and distance. Zwischen Zeit und Entfernung kann nicht gleichzeitig interpoliert werden. Cannot interpolate routes on time. Routen können nicht anhand von Zeitwerten interpoliert werden. No interval was specified. Es wurde kein Intervall angegeben. This build excluded KML support because expat was not installed. KML kann nicht verarbeitet werden, da »expat« nicht verfügbar ist. Argument should be 's' for statute units or 'm' for metrics. Das Argument sollte 's' oder 'm' sein. There was an error reading a byte. Beim Lesen eines einsamen Bytes trat ein Fehler auf. The input file is from an old version of the USR file and is not supported. Die Quelldatei liegt in einer veralteten USR-Version vor und kann daher nicht verwendet werden. eXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent. Der eXplorist kann lediglich 200 Wegpunkte in einer GS-Datei verarbeiten. Bitte reduzieren Sie zuerst die Anzahl der Wegpunkte. Reading the maggeo format is not implemented yet. Das Lesen des maggeo-Formates ist noch nicht verfügbar. This is not a Magellan Navigator file. Dies ist keine Datei vom Format »Magellan Navigator«. The receiver type resp. model version is unknown. Dieser Typ bzw. dieses Modell ist unbekannt. No data was received from the GPS device. Das GPS-Gerät übermittelte keine Daten. The communication was not OK. Please check the bit rate used. Die Kommunikation war nicht einwandfrei. Bitte überprüfen Sie die eingestellte Bitrate. There was an error configuring the port. Beim Versuch, die Schnittstelle zu konfigurieren, trat ein Fehler auf. There was an error opening the serial port. Beim Versuch, die serielle Schnittstelle anzusprechen, trat ein Fehler auf. There was an error while reading data. Beim Lesen von Daten trat ein Fehler auf. There was an error while writing data. Beim Schreiben von Daten trat ein Fehler auf. There was an unexpected error deleting a waypoint. Völlig überraschend trat beim Löschen eines Wegpunktes ein klitzekleiner Fehler auf. An unknown objective occured. Unbekannte Objektive entdeckt. Invalid point in time to call 'pop_args'. 'pop_args' wurde zu einem ungültigen Zeitpunkt aufgerufen. There is an unknown filter type. Mindestens einer der angegebenen Filtertypen ist unbekannt. There is an unknown option. Mindestens eine der angegebenen Optionen ist unbekannt. Realtime tracking (-T) is not suppored by this input type. Dieser Eingabetyp unterstützt kein Realtimetracking (-T). Realtime tracking (-T) is exclusive of other modes. Echtzeittracking (-T) kann nicht zusammen mit anderen Modi verwendet werden. The file is not a Magellan Navigator file. Diese Datei ist keine Magellan-Navigator-Datei. Out of data reading waypoints. Beim Lesen von weiteren Wegpunkten wurde festgestellt, dass keine Daten mehr vorliegen. GPS logs are not supported. GPS-Logs werden nicht unterstützt. GPS regions are not supported. GPS-Regionen werden nicht unterstützt. The track version is unknown. Die Trackversion ist unbekannt. This does not seem to be a MapSource file. Dies scheint keine MapSource-Datei zu sein. This version of the MapSource file is unsupported. Diese Versionsnummer des MapSource-Dateiformates wird nicht unterstützt. setshort_defname was called without a valid name. Beim Verwenden von »setshort_defname« wurde ein ungültiger Name entdeckt. Could not seek file. In der Datei konnte nicht nach Daten gesucht werden. There was a reading error. Ein Lesefehler ist aufgetreten. Not in property catalog. Nicht im Property-Katalog. The stream was broken. Der Datenstrom wurde unterbrochen. There was an error in the fat1 chain. Ein Fehler in der fat1-Kette wurde entdeckt. No MS document. Kein MS-Dokument. This byte-order is unsupported. Diese Bytereihenfolge wird nicht unterstützt. The sector size is unsupported. Diese Sektorengöße wird nicht unterstützt. The file is invalid (no property catalog). Die Datei ist ungültig (»no property catalog«). The data is invalid or of unknown type. Daten sind ungültig oder von einem unbekannten Typ. An unsupported byte order was detected. Eine nicht unterstützte Bytereihenfolge wurde entdeckt. The XML parser cannot be created. Der XML-Parser kann nicht angelegt werden. There is no support writing Navicache files. Dateien im Navicache-Format können leider nicht erzeugt werden. There was an invalid date. Es wurde ein ungültiges Datum entdeckt. The date is out of range. It has to be later than 1970-01-01. Das Datum ist zu alt. Es muss jünger als der 1.1.1970 sein. There was an error opening a file. Beim Öffnen einer Datei wurde ein Fehler entdeckt. There was an error setting the baud rate. Beim Setzen der Baudrate wurde ein Fehler entdeckt. No data was received. Es wurden keine Daten empfangen. There was an error detected in the data structure. In der Datenstruktur wurde ein Fehler entdeckt. There was an error converting the date. Beim Konvertieren des Datum ist ein Fehler aufgetreten. There was an error in pdb_Read. Ein Fehler trat in der Funktion pdb_Read auf. This file is not a PathAway .pdb file. Diese Datei ist keine PathAway PDB-Datei. This file is from an unsupported version of PathAway. Diese Datei stammt von einer nicht unterstützten Version von PathAway. An invalid database subtype was detected. Ein ungültiger Datenbanksubtyp wurde entdeckt. The file looks like a PathAway .pdb file, but it has no gps magic. Die Datei sieht zwar wie eine PDB-Datei aus, enthält aber keine sogenannten »Magic«-GPS-Informationen. Error while reading the requested amount of bytes. Fehler beim Versuch, eine bestimmte Menge an Bytes zu lesen. The input file does not appear to be a valid .psp file. Die Quelldatei scheint keine gültige PSP-Datei zu sein. Variable string size exceeded. An attempt to output too many pushpins occured. Es wurde versucht, zu viele Stecknadelköpfe auszugeben. This file is not a QuoVadis file. Die Datei ist keine Datei im Format »QuoVadis«. There was an error storing further records. Beim Anlegen weiterer Datensätze ist ein Fehler aufgetreten. This filter only can work on tracks. Dieser Filter kann nur auf Tracks angewendet werden. The color name was unrecognized. Der Farbname ist unbekannt. An attempt to read past the end of the file was detected. Es wurde versucht, über das Ende der Datei hinaus zu lesen. This file format cannot be written. Dieses Dateiformat kann nicht erzeugt werden. An error occured opening the .shp file. Das Öffnen der SHP-Datei schlug fehl. An error occured opening the .dbf file. Das Öffnen der DBF-Datei schlug fehl. A name or field error occured in the .dbf file. Ein Namens- oder Feldfehler befindet sich in der DBF-Datei. There was an error opening a file or a port. Eine Datei oder eine Schnittstelle konnte nicht geöffnet werden. Routes are not supported. Routen werden nicht unterstützt. The stack was empty. Der Stapel war leer. This file type is unsupported. Dieser Dateityp wird nicht unterstützt. The section header is invalid. Der sektionskopf ist ungültig. The feature is unknown. Das Leistungsmerkmal ist unbekannt. Only one of both features (route or track) is supported by STM. Das Format STM unterstützt nur entweder Routen oder Tracks, nicht beide gleichzeitig. This build excluded TEF support because expat is not available. TEF kann nicht verarbeitet werden, da »expat« nicht verfügbar ist. An error occured in the source file. In der Quelldatei befindet sich ein Fehler. The amount of waypoints differed to the internal item count. Die Wegpunktanzahl unterschied sich von der Anzahl der internen Datenobjekte. There was an attempt to read an unexpected amount of bytes. Es wurde versucht, eine unerwartete Menge von Bytes zu lesen. The datum is not recognized. Das Datum wurde nicht erkannt. The input file does not appear to be a valid .TPG file. Die Quelldatei scheint keine gültige TPG-Datei zu sein. There was an attempt to output too many points. Es wurde versucht, zu viele Punkte auszugeben. The input file does not look like a valid .TPO file. Die Quelldatei scheint keine gültige TPO-Datei zu sein. This TPO file's format is to young (newer than 2.7.7) for gpsbabel. Das Dateiformat dieser TPO-Datei ist zu jung (jünger als 2.7.7). This file format only supports tracks, not waypoints or routes. Dieser Dateityp kann nur mit Tracks, nicht mit Wegpunkten oder Routen umgehen. gpsbabel can only read TPO versions through 3.x.x. gpsbabel kann nur TPO-Versionen bis Version 3.x.x verarbeiten. There was an invalid character in the time option. In der Zeitangabe befindet sich ein ungültiges Zeichen. Invalid fix type. Ungültiger Fixtyp. A track point without timestamp was found. Ein Trackpunkt ohne Zeitinformation wurde gefunden. Track points are not ordered by timestamp. Die Trackpunkte sind nicht nach Zeit sortiert. Your title was missing. Es wurde kein Titel angegeben. The tracks overlap in time. Die Tracks überlappen sich in den Zeiten. There was no time interval specified. Es wurde keine Zeit angegeben. The time interval specified was invalid. It must be a positive number. Die angegebene Zeit liegt nicht als positive Zahl vor. The time interval specified was invalid. It must be one of [dhms]. Die angegebene Zeit ist ungültig. Bitte geben Sie eine der Optionen »d«, »h«, »m« oder »s« an. There was no distance specified. Es wurde keine Distanz angegeben. Parameter for range was to long. Der Parameter für den Bereich war zu lang. There was an invalid character for range. Für den Bereich wurde ein ungültiges Zeichen angegeben. There was an invalid time stamp for range-check. Ungültiger Zeitstempel für den range-check. Cannot split more than one track. Please pack or merge before processing. Es kann nur ein einzelner Track aufgeteilt werden. BItte fügen Sie die Tracks zuerst zusammen. There was an invalid value for the option. Einer Option wurde ein ungültiger Wert angehängt. A filename needs to be specified. Es wurde kein Dateiname angegeben. Error writing the output file. Beim Erzeugen der Ausgabedatei trat ein Fehler auf. There was an invalid character in date or time format. Es wurde ein ungültiges Zeichen im Datums- oder Zeitformat angegeben. A format name needs to be specified. Es wurde kein Format angegeben. Unsupported file format version in input file. Die Versionsnummer der Quelldatei wird nicht unterstützt. There was an invalid header in the input file. Der Dateikopf der Quelldatei ist fehlerhaft. There was an error allocating memory. Ein Speicheranforderungsfehler trat auf. A communication error occured. Ein Kommunikationsfehler trat auf. A read error occured. Ein Lesefehler trat auf. A write error occured. Ein Schreibfehler trat auf. There was an error initialising the port. Beim Initialisieren des Anschlusses ist ein Fehler aufgetreten. A timout occured while attempting to read data. Der Versuch, Daten zu empfangen, wurde aufgrund zu langer Verzögerung aufgegeben. There was an error opening the file. Ein Fehler ist beim Öffnen der Datei aufgetreten. There was a bad response from the unit. Das Gerät sandte eine inkorrekte Rückmeldung. There was an error autodetecting the data format. Ein Fehler beim automatischen Ermitteln des Datenformates ist aufgetreten. An internal error occured: formats are not ordered in ascending size order. Ein interner Fehler ist aufgetreten: Die Formate sind nicht in aufsteigender Reihenfolge sortiert. This build excluded WFFF_XML support because expat is not available. Gpsbabel kann keine Unterstützung für WFFF_XML anbieten, da die Bibliothek »expat« nicht gefunden wurde. XCSV output style not declared. Use ... -o xcsv,style=path/to/style.file Es wurde kein Stylesheet für die Ausgabe angegeben. Bitte verwenden Sie einen Aufruf wie: ... -o xcsv,style=pfad/zur/stylesheet.datei This format does not support reading XML files as libexpat was not available. Dieses Format unterstützt das Lesen von XML-Dateien nicht, da libexpat nicht gefunden wurde. The road type for road changes is unknown. Der Straßentyp für Straßenwechsel ist unbekannt. The format for road changes is invalid. Das Format für Straßenwechsel ist ungültig. The file is invalid or unsupported due to its filesize. Die Datei ist aufgrund ihrer Größe ungültig oder zumindest nicht unterstützt. There was a coordinates structure error. Ein Koordinatenstrukturfehler wurde entdeckt. There was an invalid route number. Eine ungültige Routennummer wurde entdeckt. An error was detected in wpt_type. Ein Fehler trat in wpt_type auf. The type doesn't seem to be correct. Der Typ scheint nicht korrekt zu sein. Generating such filetypes is not supported. Die Erzeugung des gewünschten Datentyps wird nicht unterstützt. The distance specified was invalid. It must be one of [km]. Die angegebene Distanz ist ungültig. Sie sollte als »k« oder »m« angegeben werden. Not available yet. Noch nicht verfügbar. There was an error creating an XML Parser. Beim Erzeugen des XML-Parsers ist ein Fehler aufgetreten. There was no acknowledgment from the GPS device. Das GPS-Gerät meldete sich nicht zurück. This version of MapSend TRK is unsupported. Diese Version des MapSend-TRK-Dateiformates kann nicht verarbeitet werden. Illegal read mode. Ungültiger Lesemodus. There was an unrecognized track line. Eine unbekannte Tracklinie wurde gefunden. The distance specified was invalid. It must be a positive number. Die angegebene Distanz ist ungültig. Bitte geben Sie eine positive Zahl an. XCSV input style not declared. Use ... -i xcsv,style=path/to/style.file Es wurde kein Stylesheet für die Quelle angegeben. Bitte verwenden Sie einen Aufruf wie: ... -i xcsv,style=pfad/zur/stylesheet.datei Bad internal state detected. GpsBabel befand sich in schlechter Verfassung. The given stop setting is unsupported. This build excluded GEO support because expat was not installed. Diese Ausgabe kann das Format »GEO« nicht verarbeiten, das »expat« nicht verfügbar ist. Writing output for this state currently is not supported The USB-Configuration failed. Die USB-Konfiguration ist fehlgeschlagen. No Garmin USB device seems to be connected to the computer. Es scheint kein Garmin-Gerät per USB angeschlossen zu sein. Garmin GPS device Garmin GPS-Gerät Magellan GPS device format Magellan GPS-Gerätedateiformat Magellan GPS device Magellan GPS-Gerät Only keep points within a certain distance of the given arc file Nur Punkte innerhalb einer bestimmten Distanz zu einem per Datei definierten Polygonzug beibehalten File containing the vertices of the polygonal arc (required). Example: file=MyArcFile.txt Datei, die die Eckpunkte des benötigten Polygonzuges beinhaltet (unbedingt erforderlich). Beispiel: file=MeineBogenDatei.txt Distance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5K Abstand zum Polygonzug (zwingend erforderliche Option). Die Standardmaßeinheit ist "Meilen", aber es wird empfohlen, die Maßeinheit immer mit anzugeben. Beispiele: distance=3M oder distance=5K Only keep points outside the given distance instead of including them (optional). Inverts the behaviour of this filter. Entferne Punkte innerhalb und behalte Punkte außerhalb der angegebenen Distanz (optional). Kehrt die Funktionsweise dieses Filters um. Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter) Berechne den Abstand von den Eckpunkten, nicht derer Verbindungslinien (optional). Verändert das Verhalten dieses Filters in einen Mehrpunktfilter statt einem Bogenfilter (ähnlich dem Radiusfilter) Remove unreliable points with high dilution of precision (horizontal and/or vertical) Entfernt Punkte, die aufgrund ihrer Positionskoordinaten bezogen auf die anderen Punkte sehr wahrscheinlich danebenliegen Remove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10 Entfernt Punkte, deren horizontale Koordinate mehr als der angegebene Wert danebenliegt. Beispiel: hdop=10 Remove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20 Entfernt Punkte, deren vertikale Koordinate mehr als der angegebene Wert danebenliegt. Beispiel: vdop=20 Only remove waypoints with vertical and horizontal dilution of precision higher than the given values. Requires both hdop and vdop to be specified. Example: hdop=10,vdop=20,hdopandvdop Entferne Punkte nur, wenn sowohl deren vertikale als auch die horizontale Koordinate mehr als die angegebenen Werte danebenliegen. Diese Option erfordert, dass sowohl die Option hdop als auch vdop angegeben sind. Beispiel: hdop=10,vdop=20,hdopandvdop Remove duplicated waypoints based on their name. A, B, B and C will result in A, B and C Entfernt Wegpunktduplikate anhand ihres (Kurz-)Namens. Von A, B, B und C bleiben A, B und C übrig Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and C Entfernt Wegpunktduplikate anhand ihrer Koordinaten. Von A, B, B und C bleiben A, B und C übrig Suppress all instances of duplicates. A, B, B and C will result in A and C Entfernt alle Daten, die doppelt vorkommen, auch das Original. Von A, B, B und C bleiben nur A und C übrig This option removes all points that are within the specified distance of one another, rather than leaving just one of them Diese Option entfernt alle Punkte, die sich innerhalb der angegebenen Entfernung zu anderen Punkten befinden, statt wenigstens einen zu belassen Includes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output file Entfernt oder behält Wegpunkte anhand ihrer Entfernung zu einem anzugebenden Mittelpunkt. Die verbleibenden Wegpunkte werden nach ihrer Entfernung zum Mittelpunkt sortiert Reverse a route or track. Rarely needed as most applications can do this by themselves Kehrt eine Route oder einen Track um. Selten benötigt, da die meisten Programme und Geräte das inzwischen selbst können Use cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to it Verwendet cross-track-Abweichung. Der Abstand wird anhand der Verbindungslinie zweier Punkte berechnet Swap waypoint list with <depth> item on stack (requires the depth option to be set) Sort waypoints chronologically Wegpunkte chronologisch sortieren Combine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop. Führe mehrere Tracks zu einem zusammen. Wird beispielsweise verwendet, wenn durch eine Übernachtung zwei Tracks entstanden sind. Split track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more details Teilt Tracks, wenn Punkte mehr als der angegebene Abstand (»k« für kilometer, »m« für Meilen) voneinander entfernt sind This filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections file Dieser Filter bearbeitet Wegpunkte und entfernt Duplikate wie Namens- oder Positionsduplikate. Alternativ kann eine Korrekturdatei verwendet werden Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option) Routen oder Tracks vereinfachen, entweder anhand einer Anzahl von Punkten (Option »count«) oder anhand einer maximalen geometrischen Abweichung (Option »error«) Sort waypoints by exactly one of the available options Wegpunkte anhand genau einer der nachfolgend spezifizierten Optionen sortieren Manipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging) Tracks manipulieren (Zeitverschiebungen, Beschneiden anhand einer Zeitangabe oder einer Distanz, Zusammenfügen mehrerer Tracks, Aufteilen von Tracks, mehrere Tracks der selben Tour zusammenfügen) Map&Guide/Motorrad Routenplaner Map&Guide/Motorrad Routenplaner Remove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracks Wegpunkt- , Routen- oder Trackinformationen entfernen. Auch wenn es nicht sehr sinnvoll erscheint, so könnte man theoretisch doch alle drei Datentypen auf einmal entfernen. Beispiel: nuketypes,waypoints,routes,tracks Only use points of tracks whose (non case-sensitive) title matches the given name Verwende nur Punkte aus Tracks, deren Name auf den angegebenen Namen passt. Groß-Kleinschreibung wird nicht berücksichtigt Garmin Training Center xml Garmin Training Center xml-Format Keep the first occurence, but use the coordintaes of later points and drop them Behält den ersten Duplikatpunkt bei, aber ersetzt dessen Koordinaten mit den Koordinaten späterer Duplikate und verwirft letztere Punkte Work on a route instead of a track Lücken in einer Route statt in einem Track schließen This filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apart Dieser Filter kann auf Routen oder Tracks angewendet werden und füllt Lücken zwischen Punkten aus, die mehr als die angegebe Anzahl Sekunden, Kilometer oder Meilen auseinanderliegen This filter can be used to convert GPS data between different data types, e.g. convert waypoints to a track Dieser Filter ist in der Lage, verschiedene Datentypen ineinander zu überführen. So ist es möglich, Wegpunkte zu einem Track umzuformen Base title for newly created tracks Basistitel für neu zu erstellende Tracks Synthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPS Erzeuge GPS-Fixes (gültige Werte sind PPS, DGPS, 3D, 2D, NONE), wenn beispielsweise die Quelldaten solche Informationen nicht enthalten, das Zielformat diese Informationen aber zwingend erfordert. Beispiel: fix=PPS Synthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filter Erzeuge course-Daten. Für jeden Trackpunkt wird ein course-Header erstellt, beispielsweise wenn die Quelldaten solche Informationen nicht enthalten oder Trackpunkte durch den Interpolationsfilter hinzugefügt wurden und das Zielformat diese Informationen zwingend erfordert Synthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpoints Erzeugt anhand der Nachbarpunkte einen Geschwindigkeitswert für jeden Trackpunkt. Speziell nützlich für Trackpunkte, die durch den Interpolationsfilter hinzugefügt wurden Advanced stack operations on tracks. Please see the gpsbabel docs for details Track-Stapeloperationen für Benutzer mit fortgeschrittenen Ansprüchen. Bitte konsultieren Sie die Dokumentation zu gpsbabel SimplifiedTrack.gpx VereinfachterTrack.gpx Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10 Fügt Punkte ein, wenn zwei benachbarte Punkte mehr als die angegebene Zeit auseinanderliegen. Kann nicht auf Routen angewendet werden, da Routenpunkte keine Zeitinformationen beinhalten. Beispiel: time=10 Remove all waypoints from the data. Example: waypoints Alle Wegpunktdaten entfernen. Beispiel: waypoints Remove all routes from the data. Example: routes Alle Routendaten entfernen. Beispiel: routes Remove all tracks from the data. Example: tracks Alle Trackdaten entfernen. Beispiel: tracks Remove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40m Entfernt Punkte nahe bei anderen Punkten, wie durch die Distanz angegeben. Beispiel: position,distance=30f or position,distance=40m The distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1m Die Distanz ist unbedingt erforerlich und kann entweder in Metern oder Fuß angegeben werden. Beispiele: distance=0.1m oder distance=0.1f Latitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required) Geographische Breite in Kilometern oder auch Meilen. (D.DDDDD) (unbedingt erforderlich) Distance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0 Abstand vom Mittelpunkt (unbedingt erforderlich). Beispiel: distance=1.5k,lat=30.0,lon=-90.0 Don't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,exclude Punkte nahe am Mittelpunkt nicht beibehalten, sondern entfernen. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,exclude Don't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosort Die Punkte nicht nach ihrem Abstand zum Mittelpunkt sortieren. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,nosort Limit the number of kept points. Example: distance=1.5k,lat=30.0,lon=-90.0,maxcount=400 Die Anzahl der beibehaltenen Punkte begrenzen. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,maxcount=400 Create a named route containing the resulting waypoints. Example: distance=1.5k,lat=30.0,lon=-90.0,asroute=MyRoute Eine benannte Route erstellen, die die entstandenen Wegpunkte beinhaltet. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,asroute=MeineRoute Maximum number of points to keep. Example: count=500 Höchstanzahl der beizubehaltenden Punkte. Beispiel: count=500 Drop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001k Punkte entfernen, solange der angegebene Fehlerwert in Kilometern (k) oder auch Meilen (m) nicht erreicht wird. Beispiel: error=0.001k This disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removed Das Hinzufügen dieser Option schaltet die (standardmäßige) Wegabstandsoption ab. Stattdessen werden Punkte entfernt, die die Gesamtlänge der Strecke möglichst wenig beeinflussen Correct trackpoint timestamps by a delta. Example: move=+1h Die Zeitwerte von Trackpunkten um einen Korrekturwert verschieben. Beispiel: move=+1h Split by date or time interval. Example to split a single track into separate tracks for each day: split,title="ACTIVE LOG # %Y%m%d". See the gpsbabel docs for more examples Aufteilen nach Datums- bzw. Zeitintervall. Beispiel, um einen Track in mehrere Tagestracks aufzuteilen: split,title="ACTIVE LOG # %Y%m%d". Die gpsbabel-Dokumentation enthält weitere Informationen Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG" Mehrere Tracks des selben Weges (beispielsweise durch zwei GPS-Geräte aufgezeichnet) zusammenfügen und nach den Zeiten der Trackpunkte sortieren. Beispiel: merge,title="COMBINED LOG" Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trk Erstellt Wegpunkte aus Routen oder Tracks. Beispiel, um Wegpunkte aus einem Track zu erzeugen: wpt=trk Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wpt Erstellt Routen aus Wegpunkten oder Tracks. Beispiel, um eine Route aus Wegpunkten zu erzeugen: trk=wpt Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wpt Erstellt Tracks aus Wegpunkten oder Routen. Beispiel, um einen Track aus Wegpunkten zu erzeugen: trk=wpt Delete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,del Quelldaten nach der Umfomung entfernen, um Doubletten in der Ausgabe zu vermeiden. Beispiel: wpt=trk,del PurgedTrack.gpx BereinigterTrack.gpx TwoRoutes.gpx ZweiRouten.gpx Route1.bcr Route1.bcr Route2.bcr Route2.bcr The BCR format only supports one route per file, so the gpx file gets split Das BCR-Format kann nur eine Route pro Datei enthalten; daher wird die Originaldatei aufgeteilt WaypointsToDrop.csv ZuEntfernendeWegpunkte.csv Removes any waypoint from the data if it is in the exclude file Entfernt alle Wegpunkte aus den Daten, die in der Ausschlussdatei vorhanden sind TruncatedTrack.gpx BeschnittenerTrack.gpx Only keep trackpoints between the start and stop time Nur Trackpunkte beibehalten, die zwischen der Start- und der Stopzeit liegen Remove points based on a polygon file Lösche Punkte anhand Polygondatei Drop points according to a file describing a polygon Lösche Punkte anhand einer Datei, die ein Polygon beschreibt Remove points based on an arc file Lösche Punkte anhand Bogendatei Drop points according to a file describing an arc Lösche Punkte anhand einer Datei, die einen Bogen beschreibt OutsideMyCounty.gpx AußerhalbMeinerGegend.gpx Drop points according to files describing a polygon resp. an arc Lösche Punkte anhand einer Datei, die ein Polygon bzw. einen Bogen beschreibt Remove points where the GPS device obviously was wrong Punkte entfernen, bei denen das GPS-Gerät offensichtlich irrte Garmin text format example Beispiel für das Garmin'sche Textformat Fill time gaps in track Fülle Zeitlücken in Tracks Insert points if two adjacent points are more than the given time apart Füllt Lücken durch zusätzliche Punkte, wenn der Abstand zweier aufeinanderfolgender Punkte größer als die angegebene Zeit ist Fill distance gaps in track Fülle Abstandslücken in Tracks Insert points if two adjacent points are more than the given distance apart Füllt Lücken durch zusätzliche Punkte, wenn der Abstand zweier aufeinanderfolgender Punkte größer als die angegebene Distanz ist HugeFile.gpx UmfangreicheDatei.gpx Keep tracks but drop waypoints and routes Trackpunkte beibehalten, aber Wegpunkte und Routen entfernen Merge multiple tracks into one Mehrere Tracks zu einem zusammenfügen WaypointsWithDuplicates.gpx WegpunktedateiMitDoubletten.gpx WaypointsWithoutDuplicates.gpx WegpunkteOhneDoubletten.gpx Remove waypoints with the same name or location of another waypoint Wegpunkte, die den selben Namen oder die selben Koordinaten wie andere Wegpunkte beinhalten, entfernen Remove points closer than the given distance to adjacent points Punkte, die näher als die angegebene Distanz beieinanderliegen, entfernen Timeshift a track Trackpunktzeiten ändern Shift trackpoint times by one hour Trackpunktzeiten um eine Stunde verschieben DataFromWBT.gpx DatenVomWBT.gpx Download data from a WBT device and erase its memory contents afterwards Daten von einem WBT-Gerät laden und danach aus dessen Speicher löschen Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txt Entfernt Punkte außerhalb eines Polygonzuges, der durch eine spezielle Datei beschrieben wird. Beispiel: polygon,file=MeineGegend.txt Only use trackpoints after this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 Nur Trackpunkte nach dem angegebenen Zeitpunkt beibehalten. Beispiel (Jahr, Monat, Tag, Stunde): start=2007010110,stop=2007010118 Only use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 Nur Trackpunkte vor dem angegebenen Zeitpunkt beibehalten. Beispiel (Jahr, Monat, Tag, Stunde): start=2007010110,stop=2007010118 File containing the vertices of the polygon (required). Example: file=MyCounty.txt Datei, die die Eckpunkte des Polygones beinhaltet (unbedingt erforderlich). Beispiel: file=MeineGegend.txt Adding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,exclude Das Verwenden dieser Option kehrt die Funktionsweise dieses Filters um. Er entfernt dann die Punkte innerhalb des Polygones, nicht diejenigen außerhalb. Beispiel: file=MeineGegend.txt,exclude Adds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2m Fügt Punkte hinzu, wenn zwei Punkte mehr als die angegebene Distanz in Kilometern oder Meilen auseinanderliegen. Beispiel: distance=1k oder distance=2m Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details Pfad zum xcsv-Stylesheet. Nähere Informationen finden sich im Anhang C der Gpsbabel-Dokumentation Forbids (0) or allows (1) long names in synthesized shortnames Schaltet lange Wegpunktnamen ein (1) oder aus (0) Forbids (0) or allows (1) white spaces in synthesized shortnames Schaltet die Verwendung von Leerzeichen in Wegpunktnamen ein (1) oder aus (0) Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames Schaltet die Verwendung von GROßBUCHSTABEN in Wegpunktnamen ein (1) oder aus (0) Disables (0) or enables (1) unique synthesized shortnames Schaltet die Verwendung von eindeutigen Wegpunktnamen ein (1) oder aus (0) The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths) Die angegebene Zeichenkette wird Internetverknüpfungen vorangestellt, beispielsweise um relative Links in absolute Links zu konvertieren Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames Schaltet die Verwendung von den Wegpunktbeschreibungen für zu erzeugende Wegpunktnamen ein (1) oder aus (0) Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats Legt das Datumsformat fest. Nähere Informationen finden sich im Anhang A der Gpsbabel-Dokumentation Character separated values Zeichengetrennte Werte Internal database name of the output file, which is not equal to the file name Interner Datenbankname für die zu erzeugende Datei. Entspricht nicht dem Dateinamen Default icon name. Example: deficon=RedPin Name des Standardicons. Beispiel: deficon=RedPin Default radius (proximity) Standardradius (Umgebung) Length of the generated shortnames. Default is 16 characters. Example: snlen=16 Maximale Länge der zu erzeugenden Wegpunktnamen. Standardeinstellung sind 16 Zeichen. Beispiel: snlen=16 If geocache data is available, do not write it to the output Falls Geocachedaten verfügbar sind, werden diese nicht ausgegeben Symbol to use for point data. Example: deficon="Red Flag" Symbol für Punkte. Beispiel: deficon="Red Flag" (Rote Flagge) Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000 Farbe für Linien oder Mapnotes. Alle CSS-Farben können verwendet werden. Beispiel rot: color=#FF0000 A value of 0 will disable reduced symbols when zooming. The default is 10. Ein Wert von »0« sorgt dafür, dass beim Zoomen keine Symbolreduzierung stattfindet. Standardwert ist 10. Numeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800 Numerischer Wert der Übertragungsrate. Gültige Werte sind 1200, 2400, 4800, 9600, 19200, 57600, und 115200. Beispiel: baud=4800 Suppress use of handshaking in name of speed Handschütteln bei der Datenübertragung abschalten, um höhere Übertragungsraten zu erreichen Setting this option erases all waypoints in the receiver before doing a transfer Löscht erst alle Wegpunkte im Gerät, bevor Daten übertragen werden Keep turns. This option only makes sense in conjunction with the 'simplify' filter Wendepunkte beibehalten. Diese Option ist nur zusammen mit dem Filter »simplify« sinnvoll Only read turns but skip all other points. Only keeps waypoints associated with named turns Lediglich Punkte mit Abbiegehinweisen werden verarbeitet Split into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' options Zerteilt die Route an Abbiegepunkten in Einzelrouten. Kann nicht zusammen mit turns_only' oder 'turns_important' verwendet werden Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypoint Read the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route file Interpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DD The option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx' Return current position as a waypoint Die aktuelle Position als Wegpunkt zurückliefern Command unit to power itself down Das Gerät automatisch abschalten If this option is specified, geocache placer information will not be processed Google Maps XML tracks GPSPilot Tracker for Palm/OS waypoints gpsutil is a simple command line tool dealing with waypoint data gpsutil ist ein einfaches Kommandozeilenprogramm, um Wegpunktdaten zu handhaben Holux gm-100 waypoints (.wpo) If this option is added, event marker icons are ignored and therefore not converted to waypoints This option breaks track segments into separate tracks when reading a .USR file Magellan NAV Companion for Palm/OS waypoints Map&Guide 'Tour Exchange Format' XML routes Set this option to eliminate calculated route points from the route, only preserving only via stations in route Map&Guide to Palm/OS exported files, containing waypoints and routes (.pdb) Mapopolis.com Mapconverter CSV waypoints MapTech Exchange Format waypoints Microsoft AutoRoute 2002 resp. Streets and Trips (pin/route reader) Microsoft Streets and Trips 2002-2006 waypoints Motorrad Routenplaner/Map&Guide routes (.bcr) MS PocketStreets 2002 Pushpin waypoints; not fully supported yet National Geographic Topo 2.x tracks (.tpo) National Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo) Suppress retired geocaches Unterdrückt stillgelegte Geocaches Specifies the name of the icon to use for non-stealth, encrypted access points Specifies the name of the icon to use for non-stealth, non-encrypted access points Specifies the name of the icon to use for stealth, encrypted access points Specifies the name of the icon to use for stealth, non-encrypted access points Use the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint description Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0 Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0 Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0 Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0 Specifies the baud rate of the serial connection when used with the real-time tracking option -T which was introduced in gpsbabel 1.3.1 Legt die Übertragungsrate für die serielle Schnittstelle fest, wenn die Echtzeitaufzeichnung (-T) genutzt wird Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDD Legt fest, wie das Datum zu interpretieren ist. Das Format ist ähnlich den Formatangaben in Windows. Beispiel: date=YYMMDD QuoVadis for Palm OS QuoVadis für Palm OS Universal csv with field structure defined in first line Universelles CSV-Format mit Feldstrukturdefinition in der ersten Zeile WiFiFoFum 2.0 for PocketPC XML waypoints WiFiFoFum 2.0 for PocketPC-Wegpunkte im XML-Format Infrastructure closed icon name Iconname für geschlossene Infrastruktur Infrastructure open icon name Iconname für offene Infrastruktur Ad-hoc closed icon name Iconname für geschlossene Ad-Hocs Ad-hoc open icon name Iconname für offene Ad-Hocs Create shortname based on the MAC hardware address Erzeugt Wegpunktnamen anhand der Netzwerkkartenhardwareadresse (MAC) Wintec WBT-100/200 data logger format, as created by Wintec's Windows application Wintec WBT-100/200 data logger-Format, wie es vom Wintec-Programm erzeugt wird Wintec WBT-100/200 GPS logger download Wintec WBT-100/200 GPS-Logger Download Add this option to erase the data from the device after the download finished Das Zufügen dieser Option sorgt dafür, dass die Daten auf dem Gerät nach dem Herunterladen gelöscht werden This option specifies the icon or waypoint type to write for each waypoint on output Max number of comments to write. Example: maxcmts=200 Maximal zulässige Kommentaranzahl. Beispiel: maxcmts=200 Garmin serial/USB device format Garmin-Format (seriell oder USB) Maximum length of generated shortnames Maximale Länge zu erzeugender Wegpunktnamen Default icon name Standardname für Icons This numeric option adds the specified category number to the waypoints If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1 Barograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=auto This option specifies the speed of the simulation in knots per hour Adding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional file Das Verwenden dieser Option sorgt dafür, dass für Wegpunkte, jeden Track und jede Route eine eigene Datei angelegt wird. Der Dateiname wird dann als Basisname verwendet This option specifies the default category for gdb output. It should be a number from 1 to 16 Diese Option legt die Standardkategorie für die gdb-Ausgabe fest. Wird als Nummer von 1-16 angegeben Version of gdb file to generate (1 or 2). Versionsnummer der zu erzeugenden gdb-Datei (1 oder 2). Drop calculated hidden points (route points that do not have an equivalent waypoint. "Versteckte Wegounkte", die durch Routing automatisch erzeugt wurden, entfernen. Set this option to allow whitespace in generated shortnames Das Setzen dieser Option sorgt dafür, dass Leerzeichen in erzeugten Wegpunktnamen verwendet werden können Version of mapsource file to generate (3, 4 or 5) Versionsnummer der zu erzeugenden MapSource-Datei (3, 4 oder 5) Merges output with an already existing file Hängt die Ausgabe an eine bereits bestehende Datei an Use depth values on output (the default is to ignore them) depth values ausgeben. Diese werden normalerweise nicht ausgegeben Use proximity values on output (the default is to ignore them) This option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles) This value specifies the grid to be used on write. Idx or short are valid parameters for this option This option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3 This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for Fahrenheit This option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23 Write tracks compatible with Carto Exploreur Tracks erzeugen, die zu Carto Exploreur passen This option specifies the icon or waypoint type to write for each waypoint This option specifies the default name for waypoint icons Diese Option legt das Standardwegpunktsymbol fest Per default lines are drawn between points in tracks and routes. Example to disable line-drawing: lines=0 Per default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0 Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3 This option specifies the line color as a hexadecimal number in AABBGGRR format, where A is alpha, B is blue, G is green, and R is red Per default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1 Specifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1 Per default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0 Display labels on track and routepoints. Example to switch them off: labels=0 Textfeldanzeige an Track- und Routenpunkten ein- oder ausschalten. Beispiel zum Abschalten: labels=0 Length of generated shortnames Maximale Länge zu erzeugender Wegpunktnamen Create waypoints from geocache log entries Wegpunkte aus Geocache-Logeinträgen erzeugen Base URL for link tags Basis-URL für Links Target GPX version. The default version is 1.0, but you can even specify 1.1 Zu erzeugende GPX-Version. Standard ist 1.0, es kann aber auch 1.1 angegeben werden Write waypoints to HTML Schreibt Wegpunkte in eine HTML-Datei Use this option to specify a CSS style sheet to be used with the resulting HTML file Diese Option kann verwendet werden, um eine CSS-Datei anzugeben, die die erzeugte HTML-Datei verwenden soll Use this option to encrypt hints from Groundspeak GPX files using ROT13 Diese Option sorgt dafür, dass Tipps aus Groundspeak GPX-Dateien mittels ROT13 verschlüsselt werden Use this option to include Groundspeak cache logs in the created document Defines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmm This option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f' Diese Option legt die Maßeinheit für Höheninformationen fest. Standard sind Fuß (f), alternativ kann hier Meter (m) angegeben werden This option merges all tracks into a single track with multiple segments Diese Option sorgt dafür, dass alle Tracks in einen einzigen Track mit mehreren Segmenten zusammengeführt werden Magellan Explorist Geocaching waypoints (extension: .gs). Wegpunkte von Magellan Explorist Geocaching (Dateiendung: .gs). MapSend version TRK file to generate (3 or 4). Example: trkver=3 MapSend-Versionsnummer (3 oder 4), für die die Tracks erzeugt werden sollen. Beispiel: trkver=3 Motorrad Routenplaner (Map&Guide) routes (bcr files) Routen vom Motorrad Routenplaner (Map&Guide bcr-Format) Specifies the name of the route to create Legt den Namen der zu erzeugenden Route fest Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errors Radius der Erde (Standard sind 6371000 meter). Das (behutsame) Experimentieren mit dieser Option kann helfen, Fehler bei der Konvertierung zwischen verschiedenen Formaten zu verringern The option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" Diese option kann verwendet werden, um statt des Standarddatumsformates NAD27 (N. America 1927 mean) ein anderes Datumsformat anzugeben. Zulässige Datumsformate finden sich in der Dokumentation zu gpsbabel, Anhang A, Datumsformate. Beispiel: datum="NAD27" Max length of created waypoint names Die maximale Länge für zu erzeugende Wegpunktnamen Decimal seconds to pause between groups of strings Pause in Zehntelsekunden zwischen Zeichenkettengruppen The maximum synthesized shortname length Die maximale Länge für zu erzeugende Wegpunktnamen Allow UPPERCASE CHARACTERS in synthesized shortnames GROßBUCHSTABEN in erzeugten Wegpunktnamen zulassen Make synthesized shortnames unique Für eindeutige Wegpunktnamen sorgen Waypoint foreground color Vordergrundfarbe für Wegpunkte Waypoint background color Hintergrundfarbe für Wegpunkte Use this option to suppress the dashed lines between waypoints Die gestrichelten Linien zwischen Wegpunkten abschalten Internal database name of the output file, which is not equal to the file name. Example: dbname=Unfound Interner Datenbankname für die zu erzeugende Datei. Entspricht nicht dem Dateinamen. Beispiel: dbname=NichtGefunden Use this option to encrypt hints from Groundspeak GPX files with ROT13 Die Tipps aus Groundspeak-GPX-Dateien mittels ROT13 verschlüsseln Use this option to include Groundspeak cache logs in the created document if there are any If you would like the generated bookmarks to start with the short name for the waypoint, specify this option Default location Standardposition No labels on the pins are generated, thus the descriptions of the waypoints are dropped An den Stecknadeln werden keine Texte angezeigt, daher werden die Wegpunktbeschreibungen entfernt Generate file with lat/lon for centering map. Example: genurl=tiger.ctr Margin for map in degrees or percentage. Only useful in conjunction with the genurl option Umrandung der Karte in Grad oder Prozent. Nur zusammen mit der Option genurl sinnvoll The snlen option controls the maximum length of generated shortnames Diese Option legt die maximale Länge generierter Wegpunktnamen fest Days after which points are considered old Anzahl von Tagen, nach denen Punkte als veraltet angesehen werden This option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpin Diese Option gestattet es, das Symbol für Wegpunkte anzugeben, die jünger sind als über die Option 'oldtresh' festgelegt. Standard ist ein roter Pinn This option specifies the pin to be used if a waypoint has a creation time older than specified by the 'oldthresh' option. The default is greenpin Diese Option gestattet es, das Symbol für Wegpunkte anzugeben, die älter sind als über die Option 'oldtresh' festgelegt. Standard ist ein grüner Pinn Suppress whitespace in generated shortnames Leerzeichen aus erzeugten Wegpunktnamen entfernen Marker type for unfound points Markierung für nicht gefundene Punkte Lets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' option Lets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' option The icon description already is the marker By default geocaching hints are unencrypted; use this option to encrypt them using ROT13 Standardmäßig sind Geocaching-Tipps nicht verschlüsselt. Wird diese Option verwendet, werden die Tipps mit ROT13 verschlüsselt Units used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=m Einheiten, die in Kommentaren genutzt werden sollen. Entweder metrisch (m) oder "statute" (s). Beispiel: units=m This option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking mode Diese Option ist nur zusammen mit der Echtzeitaufzeichnung interessant und gibt die Anzahl der Punkte an, die im 'snail trail' vorgehalten werden Get realtime position from Garmin Logge fortlaufend Position von Garmin-Gerät PositionLogging.kml AufgezeichnetePositionen.kml Get the current position from a Garmin device and stream it to a file Liest fortlaufend die Koordinaten von einem Garmin-Gerät aus und schreibt sie in eine Datei An error occured while trying to read positioning data. Maybe the device has no satellite fix yet. Ein Fehler trat beim Lesen der Positionsdaten auf. Vielleicht hat das Gerät noch nicht genügend Satelliten gefunden. Drop all data except track data Nur Trackdaten beibehalten Get and erase data from WBT Daten von WBT laden und danach löschen Purge track for openstreetmap.org usage Bereinige Track zur Verwendung in openstreetmap.org Remove trackpoints which are less than 1m apart from track Entferne Trackpunkte innert 1m links und rechts des Tracks Purge close points Bereinige nahe beieinander liegende Punkte Purge waypoints based on a file Bereinige Wegpunkte anhand einer Datei Purge data based on polygon and arc files Bereinigen anhand Polygon- und Bogendatei Purge track based on a circle Bereinige Track anhand eines Kreises Purge trackpoints with an obvious aberration Bereinige falsche Trackpunkte Purge waypoint duplicates Bereinige Wegpunktduplikate GpxData.gpx GpxDaten.gpx Upload GPX data like waypoints, routes or tracks to a Garmin device Sende GPX-Daten wie Wegpunkte, Routen oder Tracks zum Garmin Split routes for Motorrad Routenplaner Routen aufteilen für Motorrad Routenplaner Cut Track based on times Track anhand von Zeiten kürzen Get waypoints from Garmin Lade Wegpunkte von Garmin-Gerät GarminWaypoints.gpx GarminWegpunkte.gpx Get waypoints from a Garmin device Wegpunkte von einem Garmin-Gerät laden Get routes from Garmin Lade Routen von Garmin-Gerät GarminRoutes.gpx GarminRouten.gpx Get routes from a Garmin device Routen von einem Garmin-Gerät laden Get tracks from Garmin Lade Tracks von Garmin-Gerät GarminTracks.gpx GarminTracks.gpx Get tracks from a Garmin device GarminTracks.gpx Send waypoints, routes or tracks to Garmin Sende Wegpunkte, Routen oder Tracks an Garmin-Gerät Purge track to 500 points (Garmin) Reduziere Track auf 500 Trackpunkte (Garmin) Reduce the amount of trackpoints to a maximum of 500 (for Garmin devices) Reduziert einen Track auf 500 Trackpunkte (zur Verwendung auf Garmin-Geräten) USB port N 1 USB port N 2 USB port N 3 Append icon_descr at the end of a waypoint description Specify another name for not categorized data (the default reads as Not Assigned). Example: zerocat=NotAssigned Anderen Namen für nicht kategorisierte Daten angeben (ansonsten wird "Nicht zugewiesen" verwendet). Beispiel: zerocat=NichtZugewiesen Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypoint Zu erstellender Zeichnungslayertyp. Gültige Werte sind drawing, road, trail, waypoint oder track. Beispiel: type=waypoint Type of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for details Zu erstellender Straßentyp. Gültige Werte sind limited, toll, ramp, us, primary, state, major, ferry, local oder editable. Aufgrund der speziellen Syntax empfiehlt sich ein Blick in die Gpsbabel-Dokumentation Specifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbol Gibt das Erscheinungsbild von Punktdaten an. Gültige Angaben sind 'symbol' (das ist standard), 'text', 'mapnote', 'circle' oder 'image'. Beispiel: wpt_type=symbol If the waypoint type is circle, this option is used to specify its radius. The default is 0.1 miles (m). Kilometres also can be used (k). Example: wpt_type=circle,radius=0.01k Street addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - " libpdb couldn't create summary record. libpdb couldn't insert summary record. libpdb couldn't create bookmark record. libpdb couldn't append bookmark record. You must specify either count or error, but not both. Sie sollten entweder 'count' oder 'error' angeben, aber niemals beide. crosstrack and length may not be used together. 'crosstrack' und 'length' können nicht gemeinsam verwendet werden. Invalid GPS datum or not a WaypointPlus file. Ungültiges GPS-Datum oder keine gültige WaypointPlus-Datei. gpsbabel was unable to allocate memory. Gpsbabel bekam keinen Speicher vom Betriebssystem zugeteilt. The USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily. Auf das Gerät konnte nicht zugegriffen werden. Vielleicht blockiert ein Kernelmodul das Gerät. Versuchen Sie als Systemverwalter "root" die beiden Befehle »rmmod garmin_gps« und »chmod o+rwx /proc/bus/usb -R« abzusetzen, um das Problem vorübergehend zu beheben. Returns the current position as a single waypoint. This option does not require a value Gibt die aktuelle Position als Wegpunkt aus. Benötigt keinen Wert Specifies the baud rate of the serial connection when used with the real-time tracking option -T. Example: baud=4800 Baudrate bei Verwendung der Echtzeitaufzeichnung -T. Beispiel: baud=4800 Garmin Points of Interest Garmin POIs Vito SmartMap tracks Vito SmartMap Tracks Geogrid Viewer tracklogs Geogrid Viewer Tracks G7ToWin data files G7ToWin Datendateien Max length of waypoint name to write Maximale Wegpunktnamenslänge in der Ausgabedatei Complete date-free tracks with given date (YYYYMMDD). Example: date=20071224 Tracks, die kein Datum enthalten, mit dem angegebenen Datum (JJJJMMTT) versehen. Beispiel: date=20071224 Decimal seconds to pause between groups of strings. Example for one second: pause=10 Pause in Zehntelsekunden zwischen Zeichenketten. Beispiel für eine Sekunde: pause=10 Append realtime positioning data to the output file instead of truncating. This option does not require a value Der Ausgabedatei Echtzeitpositionsdaten hinzufügen. Benötigt keinen Wert Use this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp" Eine Bitmap, 24x24 oder kleiner, 24 bzw. 32 Bit RGB oder 8 Bit indizierte Farben. Beispiel: bitmap="Mein Symbol.bmp" The default category is "My points". Example to change this: category="Best Restaurants" Die Standardkategorie ist "Meine Punkte". Beispiel für eine abweichende Kategorie: category="Gute Restaurants" Use this if you don't want a bitmap to be shown on the device. This option does not require a value Zeige kein Symbol im Gerät. Benötigt keinen Wert Add descriptions to list views of the device. This option does not require a value Fügt Beschreibungen zur Listenansicht hinzu. Benötigt keinen Wert Add notes to list views of the device. This option does not require a value Fügt Notizen zur Listenansicht hinzu. Benötigt keinen Wert Add position to the address field as seen in list views of the device. This option does not require a value Fügt die Position zum Adressfeld der Listenansicht hinzu. Benötigt keinen Wert gebabbel-0.4+repack/binincludes/translations/en_EN.ts0000644000175000017500000062205211110036264021706 0ustar hannohanno FilterConfig Filter Configuration Enter your filter commands here OK Cancel IOConfig Configuration Type: Characterset: Path/Device: Click to select a file from your filesystem ... Options: OK Cancel ListItem Values of this filter item Sorry, but the file %1 was not found Sorry, Gebabbel does not know what this item is all about. MainWindow Gebabbel Processing tracks can cause long processing times when reading from serial GPS devices Process Tracks Discards waypoint names and tries to create better ones Improve Waypoint Names Check this option to turn realtime logging on Realtime Tracking Process waypoints Check this option to process waypoints Process Waypoints Processing routes can cause long processing times when reading from serial GPS devices Process Routes This list contains the output items This list contains the input items This list contains the filter items Gpsbabel gets invoked by passing the current settings Execute Synthesizes geocaching icons Create geocaching icons 1 MyIOConfigWindow Edit the type for this input Edit the type for this output Edit the type for this filter If necessary, enter options here If necessary, enter a character set here This character set also is known as: Enter the path to a file or port of a device here Any filetype Select Source Select Destination Select Filter File MyMainWindow Intype Source Outtype Destination Filter Options This is %1, version %2. It was created and published in %1 by %2. It has been released under the following terms and conditions: %1. All rights, including the copyright, belong to %1. There is no real manual, but you can consult the following resources: The excellent gpsbabel documentation as found on %1 The Gebabbel-FAQ as found on %2 If questions remain, don't hesitate to contact the author %3 &File &Edit &Help Main Toolbar &Clear Clears all currently loaded data &Delete Preset... Delete the current preset Delete the current preset. Attention: There is no undo! &Save Preset... Ctrl+S Save the current settings as new preset Save the current settings as new preset for later usage &Process Ctrl+X Execute gpsbabel Invokes gpsbabel according to your settings &Quit Ctrl+Q Quit this application Quits this application without further confirmation. Edit &Command... Ctrl+E Edit command Allows to edit the command to be executed Edit &Preferences... Ctrl+P Edit preferences Opens a dialog to modify the preferences &Manual Ctrl+M Display the online help Shows the online help &About Ctrl+A Display information about the application &Add Add an input source Edit the selected input source &Remove Ctrl+R Remove the selected input source Add an output destination Edit the selected output destination Remove the selected output destination Add a filter Edit the selected filter Remove the selected filter I am pleased to be used by you :) Settings at last quit or before choosing another preset About to delete preset This will delete the current preset, and there is no undo. &OK &Cancel Please wait while gpsbabel is processing data... The operation was successfully finished The operation failed A problem was detected by gpsbabel. The original error message reported by gpsbabel was: gpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. Command Editor Last Used Settings Configure Input Configure Output Configure Filter Restore Default Settings Restoring default settings will reset all your current settings. Do you really want to continue? Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset The file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. The current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: MyPreferencesConfig Automatic Select Gpsbabel binary Any file (*) Executable files (*.exe);;Any file (*) MySavePresetWindow Save Preset Please enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional: Enter new name here PreferencesConfig Edit Preferences Language: Select the language in which you want to use Gebabbel System Configuration: User Configuration: Language setting: Cancel OK Resets all settings to default values, including presets Defaults... Select path to the gpsbabel executable ... Gebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executable Path to Gpsbabel: SavePresetWindow Configuration Comment: Short comment for the preset Enter a short comment for the preset here Name: Name for the preset to save Enter a name for the preset to be saved OK Cancel SettingsManager Cut Track based on times OriginalTrack.gpx TruncatedTrack.gpx Only keep trackpoints between the start and stop time Drop all data except track data HugeFile.gpx TracksOnly.gpx Keep tracks but drop waypoints and routes Fill time gaps in track InputTrack.gpx InterpolatedTrack.gpx Insert points if two adjacent points are more than the given time apart Fill distance gaps in track Insert points if two adjacent points are more than the given distance apart Garmin text format example GarminTextInput.txt GarminTextOutput.txt Example showing all options of the garmin text format Get realtime position from Garmin PositionLogging.kml Get the current position from a Garmin device and stream it to a file Get and erase data from WBT /dev/cu.WBT200-SPPslave-1 DataFromWBT.gpx Download data from a WBT device and erase its memory contents afterwards Merge Tracks JourneyThere.gpx JourneyBack.gpx CompleteJourney.gpx Merge multiple tracks into one HugeTrack.gpx PurgedTrack.gpx Purge track for openstreetmap.org usage SimplifiedTrack.gpx Remove trackpoints which are less than 1m apart from track Purge close points Infile1.loc Infile2.loc Outfile.wpt Remove points closer than the given distance to adjacent points Purge waypoints based on a file WaypointsHuge.gpx WaypointsToDrop.csv WaypointsReduced.gpx Removes any waypoint from the data if it is in the exclude file Purge data based on polygon and arc files Points.gpx MyCounty.txt OutsideMyCounty.gpx Drop points according to files describing a polygon resp. an arc Purge track based on a circle Input.loc Output.wpt Radius Filter Purge trackpoints with an obvious aberration Infile.gpx Discarded.gpx Remove points where the GPS device obviously was wrong Purge waypoint duplicates WaypointsWithDuplicates.gpx WaypointsWithoutDuplicates.gpx Remove waypoints with the same name or location of another waypoint Remove points based on a polygon file InputFile.loc PurgedByPolygon.wpt Drop points according to a file describing a polygon Remove points based on an arc file PurgedByArc.wpt Drop points according to a file describing an arc GpxData.gpx Upload GPX data like waypoints, routes or tracks to a Garmin device Split routes for Motorrad Routenplaner TwoRoutes.gpx Route1.bcr Route2.bcr The BCR format only supports one route per file, so the gpx file gets split Timeshift a track TimeshiftedTrack.gpx Shift trackpoint times by one hour Serial port 1 Serial port 2 Serial port 3 USB to serial port 1 USB to serial port 2 USB to serial port 3 Garmin GPS device Magellan GPS device Magellan GPS device format Numeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800 Suppress use of handshaking in name of speed Setting this option erases all waypoints in the receiver before doing a transfer Brauniger IQ Series Barograph Download Cambridge/Winpilot glider software Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details Forbids (0) or allows (1) long names in synthesized shortnames Forbids (0) or allows (1) white spaces in synthesized shortnames Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames Disables (0) or enables (1) unique synthesized shortnames The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths) Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats CarteSurTable data file Cetus for Palm/OS CoastalExplorer XML Comma separated values CompeGPS data files (.wpt/.trk/.rte) CoPilot Flight Planner for Palm/OS cotoGPS for Palm/OS Dell Axim Navigation System file format (.gpb) DeLorme an1 (drawing) file DeLorme GPL DeLorme Street Atlas Plus DeLorme Street Atlas Route Keep turns. This option only makes sense in conjunction with the 'simplify' filter Only read turns but skip all other points. Only keeps waypoints associated with named turns Split into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' options Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypoint Read the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route file DeLorme XMap HH Native .WPT DeLorme XMap/SAHH 2006 Native .TXT DeLorme XMat HH Street Atlas USA .WPT (PPC) EasyGPS binary format FAI/IGC Flight Recorder Data Format Fugawi Garmin 301 Custom position and heartrate Garmin Logbook XML Garmin MapSource - gdb Garmin MapSource - mps Garmin MapSource - txt (tab delimited) Interpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DD The option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx' Garmin PCX5 Garmin POI database Return current position as a waypoint Command unit to power itself down Geocaching.com (.loc) If this option is specified, geocache placer information will not be processed GeocachingDB for Palm/OS GEOnet Names Server (GNS) GeoNiche (.pdb) Google Earth (Keyhole) Markup Language Google Maps XML tracks GpilotS GPS TrackMaker GPSBabel arc filter file GpsDrive Format GpsDrive Format for Tracks GPSman GPSPilot Tracker for Palm/OS waypoints gpsutil is a simple command line tool dealing with waypoint data Universal GPS XML file format HikeTech Holux gm-100 waypoints (.wpo) HSA Endeavour Navigator export File IGN Rando track files Kartex 5 Track File Kartex 5 Waypoint File KuDaTa PsiTrex text Lowrance USR If this option is added, event marker icons are ignored and therefore not converted to waypoints This option breaks track segments into separate tracks when reading a .USR file Magellan Mapsend Magellan NAV Companion for Palm/OS waypoints Magellan SD files (as for eXplorist) Map&Guide 'Tour Exchange Format' XML routes Set this option to eliminate calculated route points from the route, only preserving only via stations in route Map&Guide to Palm/OS exported files, containing waypoints and routes (.pdb) Mapopolis.com Mapconverter CSV waypoints MapTech Exchange Format waypoints Microsoft AutoRoute 2002 resp. Streets and Trips (pin/route reader) Microsoft Streets and Trips 2002-2006 waypoints Motorrad Routenplaner/Map&Guide routes (.bcr) MS PocketStreets 2002 Pushpin waypoints; not fully supported yet National Geographic Topo waypoints (.tpg) National Geographic Topo 2.x tracks (.tpo) National Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo) Navicache.com XML Suppress retired geocaches Navigon Mobile Navigator (.rte) Navitrak DNA marker format NetStumbler Summary File (text) Specifies the name of the icon to use for non-stealth, encrypted access points Specifies the name of the icon to use for non-stealth, non-encrypted access points Specifies the name of the icon to use for stealth, encrypted access points Specifies the name of the icon to use for stealth, non-encrypted access points Use the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint description NIMA/GNIS Geographic Names File NMEA 0183 sentences Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0 Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0 Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0 Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0 OziExplorer PathAway Database for Palm/OS Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDD QuoVadis for Palm OS Raymarine Waypoint File (.rwf) See You flight analysis data Sportsim track files (part of zipped .ssz files) Suunto Trek Manager STM (.sdf) files Suunto Trek Manager STM WaypointPlus files Tab delimited fields useful for OpenOffice, Ploticus etc. TomTom POI file TopoMapPro Places File TrackLogs digital mapping (.trl) U.S. Census Bureau Tiger Mapping Service Universal csv with field structure defined in first line Vito Navigator II tracks WiFiFoFum 2.0 for PocketPC XML waypoints Infrastructure closed icon name Infrastructure open icon name Ad-hoc closed icon name Ad-hoc open icon name Create shortname based on the MAC hardware address Wintec WBT-100/200 data logger format, as created by Wintec's Windows application Wintec WBT-100/200 GPS logger download Add this option to erase the data from the device after the download finished Yahoo Geocode API data Character separated values This option specifies the icon or waypoint type to write for each waypoint on output Max number of comments to write. Example: maxcmts=200 Garmin serial/USB device format Maximum length of generated shortnames Set this option to allow whitespace in generated shortnames Default icon name This numeric option adds the specified category number to the waypoints Internal database name of the output file, which is not equal to the file name Default icon name. Example: deficon=RedPin If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1 Default radius (proximity) Length of the generated shortnames. Default is 16 characters. Example: snlen=16 If geocache data is available, do not write it to the output Symbol to use for point data. Example: deficon="Red Flag" Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000 A value of 0 will disable reduced symbols when zooming. The default is 10. Barograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=auto Franson GPSGate Simulation This option specifies the speed of the simulation in knots per hour Adding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional file This option specifies the default category for gdb output. It should be a number from 1 to 16 Version of gdb file to generate (1 or 2). Drop calculated hidden points (route points that do not have an equivalent waypoint. Version of mapsource file to generate (3, 4 or 5) Merges output with an already existing file Use depth values on output (the default is to ignore them) Use proximity values on output (the default is to ignore them) This option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles) This value specifies the grid to be used on write. Idx or short are valid parameters for this option This option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3 This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for Fahrenheit This option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23 Write tracks compatible with Carto Exploreur Garmin Training Center xml Geocaching.com .loc This option specifies the icon or waypoint type to write for each waypoint This option specifies the default name for waypoint icons Per default lines are drawn between points in tracks and routes. Example to disable line-drawing: lines=0 Per default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0 Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3 This option specifies the line color as a hexadecimal number in AABBGGRR format, where A is alpha, B is blue, G is green, and R is red Per default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1 Specifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1 Per default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0 Units used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=m Display labels on track and routepoints. Example to switch them off: labels=0 This option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking mode Length of generated shortnames Suppress whitespace in generated shortnames Create waypoints from geocache log entries Base URL for link tags Target GPX version. The default version is 1.0, but you can even specify 1.1 Write waypoints to HTML Use this option to specify a CSS style sheet to be used with the resulting HTML file Use this option to encrypt hints from Groundspeak GPX files using ROT13 Use this option to include Groundspeak cache logs in the created document Defines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmm This option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f' This option merges all tracks into a single track with multiple segments Magellan Explorist Geocaching waypoints (extension: .gs). MapSend version TRK file to generate (3 or 4). Example: trkver=3 Motorrad Routenplaner (Map&Guide) routes (bcr files) Specifies the name of the route to create Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errors National Geographic Topo .tpg (waypoints) The option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" Navigon Mobile Navigator .rte files The maximum synthesized shortname length Allow UPPERCASE CHARACTERS in synthesized shortnames Make synthesized shortnames unique Waypoint foreground color Waypoint background color PalmDoc Output Use this option to suppress the dashed lines between waypoints Internal database name of the output file, which is not equal to the file name. Example: dbname=Unfound Use this option to encrypt hints from Groundspeak GPX files with ROT13 Use this option to include Groundspeak cache logs in the created document if there are any If you would like the generated bookmarks to start with the short name for the waypoint, specify this option Default location Suunto Trek Manager (STM) .sdf files Suunto Trek Manager (STM) WaypointPlus files Textual Output No labels on the pins are generated, thus the descriptions of the waypoints are dropped Generate file with lat/lon for centering map. Example: genurl=tiger.ctr Margin for map in degrees or percentage. Only useful in conjunction with the genurl option The snlen option controls the maximum length of generated shortnames Days after which points are considered old This option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpin This option specifies the pin to be used if a waypoint has a creation time older than specified by the 'oldthresh' option. The default is greenpin Marker type for unfound points Lets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' option Lets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' option The icon description already is the marker Vcard Output (for iPod) By default geocaching hints are unencrypted; use this option to encrypt them using ROT13 Only keep points within a certain distance of the given arc file File containing the vertices of the polygonal arc (required). Example: file=MyArcFile.txt Distance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5K Only keep points outside the given distance instead of including them (optional). Inverts the behaviour of this filter. Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter) Remove unreliable points with high dilution of precision (horizontal and/or vertical) Remove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10 Remove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20 Only remove waypoints with vertical and horizontal dilution of precision higher than the given values. Requires both hdop and vdop to be specified. Example: hdop=10,vdop=20,hdopandvdop This filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections file Remove duplicated waypoints based on their name. A, B, B and C will result in A, B and C Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and C Suppress all instances of duplicates. A, B, B and C will result in A and C Keep the first occurence, but use the coordintaes of later points and drop them This filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apart Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10 Adds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2m Work on a route instead of a track Remove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracks Remove all waypoints from the data. Example: waypoints Remove all routes from the data. Example: routes Remove all tracks from the data. Example: tracks Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txt File containing the vertices of the polygon (required). Example: file=MyCounty.txt Adding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,exclude Remove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40m The distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1m This option removes all points that are within the specified distance of one another, rather than leaving just one of them Includes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output file Latitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required) Longitude for center point (D.DDDDD) (required) Distance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0 Don't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,exclude Don't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosort Limit the number of kept points. Example: distance=1.5k,lat=30.0,lon=-90.0,maxcount=400 Create a named route containing the resulting waypoints. Example: distance=1.5k,lat=30.0,lon=-90.0,asroute=MyRoute Reverse a route or track. Rarely needed as most applications can do this by themselves Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option) Maximum number of points to keep. Example: count=500 Drop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001k Use cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to it This disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removed Advanced stack operations on tracks. Please see the gpsbabel docs for details Push waypoint list onto stack Pop waypoint list from stack Swap waypoint list with <depth> item on stack (requires the depth option to be set) (push) Copy waypoint list (pop) Append list (pop) Discard top of stack (pop) Replace list (default) (swap) Item to use (default=1) Sort waypoints by exactly one of the available options Sort by numeric geocache ID Sort by waypoint short name Sort by waypoint description Sort waypoints chronologically Manipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging) Correct trackpoint timestamps by a delta. Example: move=+1h Combine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop. Split by date or time interval. Example to split a single track into separate tracks for each day: split,title="ACTIVE LOG # %Y%m%d". See the gpsbabel docs for more examples Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG" Only use points of tracks whose (non case-sensitive) title matches the given name Only use trackpoints after this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 Only use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 Base title for newly created tracks Synthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPS Synthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filter Synthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpoints Split track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more details This filter can be used to convert GPS data between different data types, e.g. convert waypoints to a track Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trk Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wpt Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wpt Delete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,del DeLorme Map&Guide/Motorrad Routenplaner Carte sur table Dell Axim Navigation System Geocaching.com GPS XML format Garmin MapSource FAI/IGC Flight Recorder Google Earth Keyhole Markup Language Geocaching.com or EasyGPS MapTech Exchange Format Map&Guide to Palm/OS exported files MS PocketStreets 2002 Pushpin CompeGPS & Navigon Mobile Navigator Suunto Trek Manager National Geographic Topo waypoints TrackLogs digital mapping National Geographic Topo Plain text CompeGPS track Wintec WBT CompeGPS waypoints This file does not seem to be an an1 file. The radius should be greater than zero. The port could not be opened. The port could not be configured. The syncronisation failed. Bad internal state detected. Serial error detected. The download was not complete. This track data is invalid or the format is an unsupported version. The track header is invalid. Failed to perform pdb_Read. The file is not a Cetus file. libpdb could not create record. libpdb could not append record. The character set is unknown. The link table is unsorted. The extra table is unsorted. The character set is unsupported. An internal error in cet_disp_character_set_names occured. An internal error occured. There is no CoastalExplorer support because expat was not installed. Unable to create an XML parser. A parse error occured. The datum is unsupported. UTM is not supported yet. The system of coordinates is invalid. A problem with waypoint data occured. The length for generated shortnames is invalid. The value for radius is invalid. Realtime positioning is not supported. pdb_Read failed. The file is not a CoPilot file. The file is not a cotoGPS file. Unexpected end of file. A different number of points was expected. The line could not be interpreted. There are too many format specifiers. The format specifier is invalid. The value for gpl_point is wrong. The version of the file is unsupported. The combination of datum and grid is unsupported. The track file is unknown or invalid. Zlib is not available in this build of gpsbabel. The file type is unknown or unsupported. This is not an EasyGPS file. The string is to long. Cannot init. The Garmin unit does not support waypoint xfer. The waypoints cannot be read from the interface. An error occured while trying to read positioning data. Maybe the device has no satellite fix yet. There is nothing to do. There is not enough memory. A communication error occured while sending wayoints. This garmin format is unknown. The precision is invalid. The GPS datum is unknown or invalid. The distance unit is unknown. Either date or time is invalid. The temperature unit is unknown. The temperature is invalid. The file header is incomplete or invalid. The grid is unsupported. The grid headline is missing. The GPS datum is unsupported. The GPS datum headline is missing. A waypoint without name has been found. A waypoint which is not in the waypoint list was found. An unknwon identifier was found. Zlib reported an error. An error occured while reading the file. Could not write data. The given serial speed is unsupported. The given bit setting is unsupported. The given parity setting is unsupported. The given stop setting is unsupported. The file is not a GeocachingDB file. libpdb couldn't create record. libpdb couldn't append record. An unexpected end of file occured. An I/O error occured during read. A local buffer overflow was detected. An error was detected in the data. The file is invalid. This GDB version is not supported. Empty routes are not allowed. Unexpected end of route. Unsupported data size. Unsupported category. Unsupported version number. This build excluded GEO support because expat was not installed. This file is not a GeoNiche file. The waypoint could not be allocated. Premature EOD processing field 1 (target). This route record type is not implemented. This record type is unknown. Premature EOD processing. This file is an unsupported GeoNiche file. libpdb could not get record memory. The name is a reserved database name and must not get used. This build excluded Google Maps support because expat was not installed. The file type is unknown. This track point type is unknown. This input record type is unknown. This file is not a gpspilot file. The output file already is open and cannot get reopened. This build excluded GPX support because expat was not installed. Cannot create an XML Parser. Memory allocation failed. Error while parsing XML. The GPX version number is invalid. Please Uncompress the file first. The file format is invalid. The file format version is invalid. Reading this file format is not supported. There was an error while reading data from .wpo file. There was an error writing to the output file. This build excluded HSA Endeavour support because expat was not installed. The file is not an IGC file. There was an error while parsing a record. There was an internal error while working on a record. A bad date occured. Reading the file failed. There was a waypoint with bad format. There was a date in a bad format. There was a time of day in bad format. There was a bad timestamp in the track . Empty task route. Too few waypoints in task route. There was a bad timestamp in the task route. There was a bad timeadj argument. There is no support for this input type because expat is not available. There was an error in the XML structure. There have been invalid coordinates. There has been an invalid altitude. There was an error in vsnprintf. There was an invalid track index. There was an invalid section header. Cannot interpolate on both time and distance. Cannot interpolate routes on time. No interval was specified. This build excluded KML support because expat was not installed. Argument should be 's' for statute units or 'm' for metrics. There was an error reading a byte. The input file is from an old version of the USR file and is not supported. eXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent. Reading the maggeo format is not implemented yet. This is not a Magellan Navigator file. The receiver type resp. model version is unknown. No data was received from the GPS device. The communication was not OK. Please check the bit rate used. There was an error configuring the port. There was an error opening the serial port. There was an error while reading data. There was an error while writing data. There was no acknowledgment from the GPS device. There was an unexpected error deleting a waypoint. An unknown objective occured. Invalid point in time to call 'pop_args'. There is an unknown filter type. There is an unknown option. Realtime tracking (-T) is not suppored by this input type. Realtime tracking (-T) is exclusive of other modes. The file is not a Magellan Navigator file. This version of MapSend TRK is unsupported. Out of data reading waypoints. GPS logs are not supported. GPS regions are not supported. The track version is unknown. This does not seem to be a MapSource file. This version of the MapSource file is unsupported. setshort_defname was called without a valid name. Could not seek file. There was a reading error. Not in property catalog. The stream was broken. There was an error in the fat1 chain. No MS document. This byte-order is unsupported. The sector size is unsupported. The file is invalid (no property catalog). The data is invalid or of unknown type. An unsupported byte order was detected. The XML parser cannot be created. There is no support writing Navicache files. Illegal read mode. There was an invalid date. The date is out of range. It has to be later than 1970-01-01. There was an error opening a file. There was an error setting the baud rate. No data was received. There was an error detected in the data structure. There was an error converting the date. There was an error in pdb_Read. This file is not a PathAway .pdb file. This file is from an unsupported version of PathAway. An invalid database subtype was detected. The file looks like a PathAway .pdb file, but it has no gps magic. There was an unrecognized track line. Error while reading the requested amount of bytes. The input file does not appear to be a valid .psp file. Variable string size exceeded. An attempt to output too many pushpins occured. This file is not a QuoVadis file. There was an error storing further records. This filter only can work on tracks. The color name was unrecognized. An attempt to read past the end of the file was detected. This file format cannot be written. An error occured opening the .shp file. An error occured opening the .dbf file. A name or field error occured in the .dbf file. There was an error opening a file or a port. Routes are not supported. The stack was empty. This file type is unsupported. The section header is invalid. The feature is unknown. Only one of both features (route or track) is supported by STM. This build excluded TEF support because expat is not available. An error occured in the source file. The amount of waypoints differed to the internal item count. There was an attempt to read an unexpected amount of bytes. The datum is not recognized. The input file does not appear to be a valid .TPG file. There was an attempt to output too many points. The input file does not look like a valid .TPO file. This TPO file's format is to young (newer than 2.7.7) for gpsbabel. This file format only supports tracks, not waypoints or routes. gpsbabel can only read TPO versions through 3.x.x. Writing output for this state currently is not supported There was an invalid character in the time option. Invalid fix type. A track point without timestamp was found. Track points are not ordered by timestamp. Your title was missing. The tracks overlap in time. There was no time interval specified. The time interval specified was invalid. It must be a positive number. The time interval specified was invalid. It must be one of [dhms]. There was no distance specified. The distance specified was invalid. It must be a positive number. The distance specified was invalid. It must be one of [km]. Parameter for range was to long. There was an invalid character for range. There was an invalid time stamp for range-check. Cannot split more than one track. Please pack or merge before processing. There was an invalid value for the option. Not available yet. A filename needs to be specified. Error writing the output file. There was an invalid character in date or time format. A format name needs to be specified. Unsupported file format version in input file. There was an invalid header in the input file. There was an error allocating memory. A communication error occured. A read error occured. A write error occured. There was an error initialising the port. A timout occured while attempting to read data. There was an error opening the file. There was a bad response from the unit. There was an error autodetecting the data format. An internal error occured: formats are not ordered in ascending size order. This build excluded WFFF_XML support because expat is not available. XCSV input style not declared. Use ... -i xcsv,style=path/to/style.file XCSV output style not declared. Use ... -o xcsv,style=path/to/style.file There was an error creating an XML Parser. This format does not support reading XML files as libexpat was not available. Generating such filetypes is not supported. The road type for road changes is unknown. The format for road changes is invalid. The file is invalid or unsupported due to its filesize. There was a coordinates structure error. There was an invalid route number. An error was detected in wpt_type. The type doesn't seem to be correct. The USB-Configuration failed. No Garmin USB device seems to be connected to the computer. Get waypoints from Garmin GarminWaypoints.gpx Get waypoints from a Garmin device Get routes from Garmin GarminRoutes.gpx Get routes from a Garmin device Get tracks from Garmin GarminTracks.gpx Get tracks from a Garmin device Send waypoints, routes or tracks to Garmin Purge track to 500 points (Garmin) Reduce the amount of trackpoints to a maximum of 500 (for Garmin devices) USB port N 1 USB port N 2 USB port N 3 Append icon_descr at the end of a waypoint description Specify another name for not categorized data (the default reads as Not Assigned). Example: zerocat=NotAssigned Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypoint Type of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for details Specifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbol If the waypoint type is circle, this option is used to specify its radius. The default is 0.1 miles (m). Kilometres also can be used (k). Example: wpt_type=circle,radius=0.01k Street addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - " libpdb couldn't create summary record. libpdb couldn't insert summary record. libpdb couldn't create bookmark record. libpdb couldn't append bookmark record. You must specify either count or error, but not both. crosstrack and length may not be used together. Invalid GPS datum or not a WaypointPlus file. gpsbabel was unable to allocate memory. The USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily. Returns the current position as a single waypoint. This option does not require a value Specifies the baud rate of the serial connection when used with the real-time tracking option -T. Example: baud=4800 Garmin Points of Interest Vito SmartMap tracks Geogrid Viewer tracklogs G7ToWin data files Max length of waypoint name to write Complete date-free tracks with given date (YYYYMMDD). Example: date=20071224 Decimal seconds to pause between groups of strings. Example for one second: pause=10 Append realtime positioning data to the output file instead of truncating. This option does not require a value Use this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp" The default category is "My points". Example to change this: category="Best Restaurants" Use this if you don't want a bitmap to be shown on the device. This option does not require a value Add descriptions to list views of the device. This option does not require a value Add notes to list views of the device. This option does not require a value Add position to the address field as seen in list views of the device. This option does not require a value gebabbel-0.4+repack/binincludes/translations/de_DE.qm0000644000175000017500000050266511110036332021654 0ustar hannohannoh I3@E\J ۑ !c&y"%]&&L<>( ^(^)Ԯ) *]4+B5?+,-6Ⱦ-b.y^/h%0)07~1Zrn2"2w#N2$ >3G(3)4D,4/ #50_.63n8 98@ 9D2:bK:M$;JO/u<Ro=T;=P[.=]=>ob>cX?e?~?gn@p3A?r1CrC~bFO*J7MAJ KULE6LMvN(NO*%OiPN$PtQRcS!.ESuUVW@X]ָXӐ~YYGYgZ`~[\ \P#]#^ID_K_*`H#` a8bb ck.2d2d4ge6e;ef?g BiC$jEMIk6H.lImP'nS<nVnZ` ouuoQ0pqNq1r(Crs{s+tPtEu*u0Uv\wwx1y{8͙9{ S|XhI| S}W*}֦~~FNBt2뗃G|P% w6dYkA{%!1A1BF1Cv69*C=k@" G.IANKSkXÞ_OddAvdmfE$ф:7f5TS04!iȃɲ.E4 Kɵy?L 埮FĄ&I>k ab8n[NV&5mR.1`3ު45,;'A0Dl3F>kOOz)[-']q]iENlutx'~X%NT7II>IsIl%[>!Ľ.G6iƜ5)hwFn](ţ~ɤ/j:A.!4{Qͥ/ 8w]qWwbNԔUPq՜fScיe G#! ؔ ]0 Wٶ$S'!E"c2%n*,cݝ8fދ>@H߄BQ=u^_`_c[ROhnqjpNx xz~s5Ep&#ȕx@d}B{8tR8x}n*t&Y'cɲPhGϲX)Nb-~\2^HKYQq N  {OQ..'0)4un=C7CCiEOPt !Rܼ U6^ XU kX `3 Sk mN oA^bps{Z|I~7a34"0j!NI^x> nTrb5[5$OZ}>B+c+ҠzUf ֽ0!僅#Ra#a# $/:$r.%%n%C& &yZ&ܵ'~'d(h6).*w"þ+&6,&Ȏ-G(-))...1H/.>0&/'1^923K3 N3R5 ]6fC6f|6~s7s~xn849f.:,:;<8<<>/>` ?)N@A42CF#C˧CSDNE=iEkFeGGsGtuHlpdITgIr>J&CJʹKcKKLK,L5NNN#"O>O!P4")P#zQ%(#Q,3R(-Rx/S6TT8T<U@RV`G^VJ"dXJ3XUYVJZ`T[mj\rqj.\x>]uo-]s_`naUa"bdncޓe,enfmg`hV7in3ij'2jj7kmlVyl n@ o/ 9o $po 4q 5drV 8 r B9s EjYs F tE Gu5 W]Tv W~w? Yx" [x c@y# eѤy ezo f:nz g{` i|7 i| mt}W r} }, A # p~[  I K %/ !^ yX  R O#c :P mA2 'H e ޱ5 B  N8 Wu    T 5 G) n  N5 _ M '2 *;l *r 0uM 0x 9d ; \ @ DG IW> IZ Z  ]ʾ ^S| fke w x  {l u> b n b h: `> .J I b j % iu  u $q J S( W| •. J R; ׂn y  Z  yw  Ҙ ON  { L  $y (ܥx -W. 6/5Q 6 7 8[\y : :Hv D- E F Lq Onö Uw ]~ _V c3 fmnC i j&LJ n Ɋ nc nL v^N {v$ yC uA l o< Fx ɞϰ cE b ю  7t Ԑ S_ ( "SO ~ E N: D#ׄ 6 ف ځ^ ~  \p w. PSc ޥ + n J 5s 7P >xS ? F I ]* I OL#T O= Yo1w [T dr gݴ9 h~  l> o_ os q` xC } I c. 5L u Z    -m M !  6 zsE r  I#3 ݗ) ݦ P e  , E ~  T s  ^~v #/ B '\ W# 9 ؎ @  &U } +~ / 0 . 2E 2C 4 Bmq Bq D Q S TtX T# V V ] _b a]uZ f49 h nu oU {۾a f r  ! >-' O^ >  2 C  `E .!V S"- >" n#@ Le# 3s$' 菵$ 1%| N&_ '- )m >)^*+4,e-.N-#..&#h.z&.&/ES0nIId1S2bVG~3Wh.3`4`m5`iU6kh7m8[o8p69kpi9tF9w<:5z:|t;7~;W~/n>`n?)?C@LA)l{AaC aClaCǮD. (DE˲EjFiCF8GhG2$I#IINJ0K}3K( Lg3@M5NNq;Oo?cOFePUG8PcPhQ?l^RwSC}~ZSTVaXGjYIZwN[n\\(%]1n]n^OR_._T_`-`a~abBb#ckd'ݾd1>e.eu~fJǕg ]gU酾g]1i ii1 MainWindowOKOK FilterConfigOKOKIOConfigOKOKPreferencesConfigOKOKSavePresetWindow&OK&OK MyMainWindow......IOConfig......PreferencesConfigZiel Destination MyMainWindow&Hinzufgen&Add MyMainWindowEinfacher Text Plain textSettingsManagerStreet addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - "SettingsManagerL&schen...&Delete Preset... MyMainWindowNIconname fr geschlossene InfrastrukturInfrastructure closed icon nameSettingsManagerZBeim Schreiben von Daten trat ein Fehler auf.&There was an error while writing data.SettingsManager*Enthlt Voreinstellungen fr Ihre oft bentigten gpsbabel-Aufrufe. Klicken Sie auf die Schaltflche Speichern, um eigene Voreinstellungen anzulegennContains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset MyMainWindowHikeTechSettingsManager Eingabedatei.gpx Infile.gpxSettingsManagerVerwende nur Punkte aus Tracks, deren Name auf den angegebenen Namen passt. Gro-Kleinschreibung wird nicht bercksichtigtQOnly use points of tracks whose (non case-sensitive) title matches the given nameSettingsManager&Bearbeiten&Edit MyMainWindow &Datei&File MyMainWindow &Hilfe&Help MyMainWindow&Beenden&Quit MyMainWindowDieser Filter ist in der Lage, verschiedene Datentypen ineinander zu berfhren. So ist es mglich, Wegpunkte zu einem Track umzuformenkThis filter can be used to convert GPS data between different data types, e.g. convert waypoints to a trackSettingsManagerRWhrend des Vorganges trat ein Fehler aufThe operation failed MyMainWindowfDie Schnittstelle konnte nicht konfiguriert werden.!The port could not be configured.SettingsManagerRDiese Datei ist keine PathAway PDB-Datei.&This file is not a PathAway .pdb file.SettingsManager Garmin PCX5SettingsManagerEs wurde ein Wegpunkt gefudnen, der sich nicht in der Wegpunktliste befindet.7A waypoint which is not in the waypoint list was found.SettingsManagerNEs wurde ein ungltiges Datum gefunden.A bad date occured.SettingsManagerbIch bin voll der Freude, da Sie mich verwenden :)!I am pleased to be used by you :) MyMainWindow Name:Name:SavePresetWindowArt:Type:IOConfig.BereinigtDurchBogen.wptPurgedByArc.wptSettingsManager)National Geographic Topo waypoints (.tpg)SettingsManagerErzeugt Wegpunktnamen anhand der Netzwerkkartenhardwareadresse (MAC)2Create shortname based on the MAC hardware addressSettingsManagerEs wurde ein ungltiges Zeichen im Datums- oder Zeitformat angegeben.6There was an invalid character in date or time format.SettingsManagerLBereinige Wegpunkte anhand einer DateiPurge waypoints based on a fileSettingsManager Eingabedatei.loc InputFile.locSettingsManager Ausgabedatei.wpt Outfile.wptSettingsManagerErstellt Tracks aus Wegpunkten oder Routen. Beispiel, um einen Track aus Wegpunkten zu erzeugen: trk=wpt\Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wptSettingsManagerHandschtteln bei der Datenbertragung abschalten, um hhere bertragungsraten zu erreichen,Suppress use of handshaking in name of speedSettingsManager(Garmin POI-DatenbankGarmin POI databaseSettingsManager&Hauptwerkzeugleiste Main Toolbar MyMainWindow*GarminTextEingabe.txtGarminTextInput.txtSettingsManagerJDer Kopf der Trackdaten ist ungltig.The track header is invalid.SettingsManagerAbstand vom Mittelpunkt (unbedingt erforderlich). Beispiel: distance=1.5k,lat=30.0,lon=-90.0JDistance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0SettingsManager*Tracks zusammenfhren Merge TracksSettingsManager\Echtzeitpositionierung wird nicht untersttzt.&Realtime positioning is not supported.SettingsManagerlDas Format der Trackdatei ist unbekannt oder ungltig.%The track file is unknown or invalid.SettingsManagerHDas Trackpunkteformat ist unbekannt.!This track point type is unknown.SettingsManagerFDas Leistungsmerkmal ist unbekannt.The feature is unknown.SettingsManager<Es wurde kein Titel angegeben.Your title was missing.SettingsManagerKehrt eine Route oder einen Track um. Selten bentigt, da die meisten Programme und Gerte das inzwischen selbst knnenVReverse a route or track. Rarely needed as most applications can do this by themselvesSettingsManagerPDas Verwenden dieser Option sorgt dafr, dass fr Wegpunkte, jeden Track und jede Route eine eigene Datei angelegt wird. Der Dateiname wird dann als Basisname verwendetAdding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional fileSettingsManager`If this option is added, event marker icons are ignored and therefore not converted to waypointsSettingsManagerSpecifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0SettingsManager^In der Datenstruktur wurde ein Fehler entdeckt.2There was an error detected in the data structure.SettingsManagervUngltiges GPS-Datum oder keine gltige WaypointPlus-Datei.-Invalid GPS datum or not a WaypointPlus file.SettingsManagerFDie Kopfzeile des GPS-Datums fehlt."The GPS datum headline is missing.SettingsManagerFhre mehrere Tracks zu einem zusammen. Wird beispielsweise verwendet, wenn durch eine bernachtung zwei Tracks entstanden sind.tCombine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop.SettingsManagerBerechne den Abstand von den Eckpunkten, nicht derer Verbindungslinien (optional). Verndert das Verhalten dieses Filters in einen Mehrpunktfilter statt einem Bogenfilter (hnlich dem Radiusfilter)Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter)SettingsManager\Die exakte Fehlermeldung von Gpsbabel lautete:4The original error message reported by gpsbabel was: MyMainWindowNavitrak DNA marker formatSettingsManager"Diese Option ist nur zusammen mit der Echtzeitaufzeichnung interessant und gibt die Anzahl der Punkte an, die im 'snail trail' vorgehalten werdenxThis option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking modeSettingsManagerLFehler beim Verarbeiten der XML-Daten.Error while parsing XML.SettingsManager@Routen werden nicht untersttzt.Routes are not supported.SettingsManagerdDiese Datei ist keine Datei vom Format GpsPilot.!This file is not a gpspilot file.SettingsManagerbDiese Datei ist keine Datei vom Format cotoGPS.The file is not a cotoGPS file.SettingsManagerSie sollten entweder 'count' oder 'error' angeben, aber niemals beide.5You must specify either count or error, but not both.SettingsManagerMeineGegend.txt MyCounty.txtSettingsManagerbBarograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=autoSettingsManagerGeographische Breite in Kilometern oder auch Meilen. (D.DDDDD) (unbedingt erforderlich)NLatitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required)SettingsManagerSpecifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0SettingsManagerTEs wurde ein ungltiger Zeitwert gefunden.&There was a time of day in bad format.SettingsManagerPOI-Datei fr TomTom-Gerte (POI = Points of interest, "Orte, die von Interesse sein knnten")TomTom POI fileSettingsManagertDer Dateikopf ist unvollstndig oder gar ganz unbrauchbar.)The file header is incomplete or invalid.SettingsManagerFRouten von einem Garmin-Gert ladenGet routes from a Garmin deviceSettingsManager^Garmin MapSource Textformat, Tabulator-getrennt&Garmin MapSource - txt (tab delimited)SettingsManagerpBeim Versuch, Speicher anzufordern, trat ein Fehler auf.Memory allocation failed.SettingsManager4Nicht im Property-Katalog.Not in property catalog.SettingsManagerZweiRouten.gpx TwoRoutes.gpxSettingsManagerBLeere Routen sind nicht zulssig.Empty routes are not allowed.SettingsManager(Der Stapel war leer.The stack was empty.SettingsManagerZEin Fehler trat in der Funktion pdb_Read auf.There was an error in pdb_Read.SettingsManagerOThis option breaks track segments into separate tracks when reading a .USR fileSettingsManagerDatenVomWBT.gpxDataFromWBT.gpxSettingsManagerZerteilt die Route an Abbiegepunkten in Einzelrouten. Kann nicht zusammen mit turns_only' oder 'turns_important' verwendet werdenSplit into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' optionsSettingsManagerDateien im Format Google Maps knnen nicht verarbeitet werden, da expat nicht verfgbar ist.HThis build excluded Google Maps support because expat was not installed.SettingsManagerBeim Verwenden von setshort_defname wurde ein ungltiger Name entdeckt.1setshort_defname was called without a valid name.SettingsManager^Diese Datei ist keine Magellan-Navigator-Datei.*The file is not a Magellan Navigator file.SettingsManager|Dieser Zeichensatz ist auch unter den folgenden Namen bekannt:$This character set also is known as:MyIOConfigWindow<PathAway Datenbank fr Palm/OSPathAway Database for Palm/OSSettingsManager4ZuEntfernendeWegpunkte.csvWaypointsToDrop.csvSettingsManagerAn den Stecknadeln werden keine Texte angezeigt, daher werden die Wegpunktbeschreibungen entferntWNo labels on the pins are generated, thus the descriptions of the waypoints are droppedSettingsManagerFFr eindeutige Wegpunktnamen sorgen"Make synthesized shortnames uniqueSettingsManagerGEOnet Names Server (GNS)SettingsManager6Iconname fr offene Ad-HocsAd-hoc open icon nameSettingsManagerbEiner Option wurde ein ungltiger Wert angehngt.*There was an invalid value for the option.SettingsManagerNDiese Entfernungseinheit ist unbekannt.The distance unit is unknown.SettingsManager\GpsBabel befand sich in schlechter Verfassung.Bad internal state detected.SettingsManager,VereinfachterTrack.gpxSimplifiedTrack.gpxSettingsManagerpIn dieser Ausgabe von Gpsbabel ist keine Zlib enthalten.0Zlib is not available in this build of gpsbabel.SettingsManagerDDer Datenstrom wurde unterbrochen.The stream was broken.SettingsManagerErzeuge GPS-Fixes (gltige Werte sind PPS, DGPS, 3D, 2D, NONE), wenn beispielsweise die Quelldaten solche Informationen nicht enthalten, das Zielformat diese Informationen aber zwingend erfordert. Beispiel: fix=PPSSynthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPSSettingsManagerNavicache.com XMLSettingsManager Auf das Gert konnte nicht zugegriffen werden. Vielleicht blockiert ein Kernelmodul das Gert. Versuchen Sie als Systemverwalter "root" die beiden Befehle rmmod garmin_gps und chmod o+rwx /proc/bus/usb -R abzusetzen, um das Problem vorbergehend zu beheben.The USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily.SettingsManager Erzeuge course-Daten. Fr jeden Trackpunkt wird ein course-Header erstellt, beispielsweise wenn die Quelldaten solche Informationen nicht enthalten oder Trackpunkte durch den Interpolationsfilter hinzugefgt wurden und das Zielformat diese Informationen zwingend erfordertSynthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filterSettingsManager&Pfad zu gpsbabel:Path to Gpsbabel:PreferencesConfigDie derzeit gewhlte Voreinstellung lschen. Achtung: Es gibt keine Rckgngig-Funktion!7Delete the current preset. Attention: There is no undo! MyMainWindowSpecifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0SettingsManagerJMehrere Tracks zu einem zusammenfgenMerge multiple tracks into oneSettingsManagerSpecifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0SettingsManagernIn der Funktion vsnprintf ist ein Fehler aufgetreten. There was an error in vsnprintf.SettingsManagerBDas Datum wird nicht untersttzt.The datum is unsupported.SettingsManagerBIconname fr offene InfrastrukturInfrastructure open icon nameSettingsManager,Voreinstellung lschenAbout to delete preset MyMainWindowBeim Versuch, pdb_Read auszufhren, ist ein Fehler aufgetreten.Failed to perform pdb_Read.SettingsManagerTDiese Sektorenge wird nicht untersttzt.The sector size is unsupported.SettingsManagerfDie Schnittstelle konnte nicht angesprochen werden.The port could not be opened.SettingsManagerFllt Lcken durch zustzliche Punkte, wenn der Abstand zweier aufeinanderfolgender Punkte grer als die angegebene Zeit istGInsert points if two adjacent points are more than the given time apartSettingsManager Lowrance USRSettingsManager Garmin MapSourceGarmin MapSourceSettingsManagerVEntfernt oder behlt Wegpunkte anhand ihrer Entfernung zu einem anzugebenden Mittelpunkt. Die verbleibenden Wegpunkte werden nach ihrer Entfernung zum Mittelpunkt sortiertIncludes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output fileSettingsManagerThe option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManagerEin Wert von 0 sorgt dafr, dass beim Zoomen keine Symbolreduzierung stattfindet. Standardwert ist 10.JA value of 0 will disable reduced symbols when zooming. The default is 10.SettingsManagerTDas Ende der Route wurde zu frh erreicht.Unexpected end of route.SettingsManager$Die Hilfe anzeigenDisplay the online help MyMainWindowBereinigt.gpx Discarded.gpxSettingsManager@Die Synchronisation schlug fehl.The syncronisation failed.SettingsManagerPremature EOD processing.SettingsManagerVDas Format fr Straenwechsel ist ungltig.'The format for road changes is invalid.SettingsManagerfSende Wegpunkte, Routen oder Tracks an Garmin-Gert*Send waypoints, routes or tracks to GarminSettingsManagerDie Wegpunktanzahl unterschied sich von der Anzahl der internen Datenobjekte.Die gewhlte Ausgabe bearbeiten$Edit the selected output destination MyMainWindow*GarminTextAusgabe.txtGarminTextOutput.txtSettingsManagerDie aktuell geladenen Einstellungen als neue Voreinstellung zur spteren Wiederverwendung speichern7Save the current settings as new preset for later usage MyMainWindowhBeim Lesen eines einsamen Bytes trat ein Fehler auf."There was an error reading a byte.SettingsManagerPDell Axim Navigationssystem-Format (gpb).Dell Axim Navigation System file format (.gpb)SettingsManagerHDie Temperatureinheit ist unbekannt. The temperature unit is unknown.SettingsManagerGeocaching.com (.loc)SettingsManagervBeim Lesen von Daten aus der WPO-Datei trat ein Fehler auf.5There was an error while reading data from .wpo file.SettingsManager*Premature EOD processing field 1 (target).SettingsManagerIf the waypoint type is circle, this option is used to specify its radius. The default is 0.1 miles (m). Kilometres also can be used (k). Example: wpt_type=circle,radius=0.01kSettingsManager$Magellan GPS-GertMagellan GPS deviceSettingsManager~Versionsnummer der zu erzeugenden MapSource-Datei (3, 4 oder 5)1Version of mapsource file to generate (3, 4 or 5)SettingsManagerdDie maximale Lnge fr zu erzeugende Wegpunktnamen(The maximum synthesized shortname lengthSettingsManagerbDiese Datei ist keine Datei vom Format cotoGPS.The file is not a CoPilot file.SettingsManagerZDas Gert sandte eine inkorrekte Rckmeldung.'There was a bad response from the unit.SettingsManager*Diese Option gestattet es, das Symbol fr Wegpunkte anzugeben, die lter sind als ber die Option 'oldtresh' festgelegt. Standard ist ein grner PinnThis option specifies the pin to be used if a waypoint has a creation time older than specified by the 'oldthresh' option. The default is greenpinSettingsManager8(push) Kopiere Wegpunktliste(push) Copy waypoint listSettingsManager*National Geographic Topo 2.x tracks (.tpo)SettingsManagerxBeim Anlegen weiterer Datenstze ist ein Fehler aufgetreten.+There was an error storing further records.SettingsManagernVersionsnummer der zu erzeugenden gdb-Datei (1 oder 2).)Version of gdb file to generate (1 or 2).SettingsManagerDer Versuch, Daten zu empfangen, wurde aufgrund zu langer Verzgerung aufgegeben. /A timout occured while attempting to read data.SettingsManagerZDieses Dateiformat kann nicht erzeugt werden.#This file format cannot be written.SettingsManagerDie derzeit ausgewhlte Voreinstellung wird auf Ihren Wunsch hin gelscht. Eine sptere Wiederherstellung ist nicht mglich.:This will delete the current preset, and there is no undo. MyMainWindowEine Datei oder eine Schnittstelle konnte nicht geffnet werden.,There was an error opening a file or a port.SettingsManagernDie gestrichelten Linien zwischen Wegpunkten abschalten>Use this option to suppress the dashed lines between waypointsSettingsManager*Geocaching.com-FormatGeocaching.comSettingsManagerJMarkierung fr nicht gefundene PunkteMarker type for unfound pointsSettingsManagerDUnterdrckt stillgelegte GeocachesSuppress retired geocachesSettingsManagerXDie Genauigkeit ist nicht korrekt angegeben.The precision is invalid.SettingsManagerBitte geben Sie einen Namen fr die neue Voreinstellung an. Wenn Sie den Namen einer existierenden Voreinstellung nutzen, wird die bereits existierende berschrieben. Der Kommentar ist optional:Please enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional:MySavePresetWindow<Track anhand von Zeiten krzenCut Track based on timesSettingsManager@Echtzeitaufzeichnung einschalten-Check this option to turn realtime logging on MainWindowThis option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23SettingsManager0Verbessere WegpunktnamenImprove Waypoint Names MainWindowfDaten sind ungltig oder von einem unbekannten Typ.'The data is invalid or of unknown type.SettingsManagerzDieser Routendatensatztyp kann noch nicht verarbeitet werden.*This route record type is not implemented.SettingsManagerNetStumbler Summary File (text)SettingsManager&Speichern...&Save Preset... MyMainWindowLegt fest, wie das Datum zu interpretieren ist. Das Format ist hnlich den Formatangaben in Windows. Beispiel: date=YYMMDD}Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDDSettingsManager$Suunto Trek Manager STM (.sdf) filesSettingsManagerTeilt Tracks, wenn Punkte mehr als der angegebene Abstand (k fr kilometer, m fr Meilen) voneinander entfernt sindlSplit track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more detailsSettingsManagerDie Daten in der vorliegenden Gre knnen nicht verarbeitet werden.Unsupported data size.SettingsManagerDie bergebene serielle bertragungsrate wird nicht untersttzt.&The given serial speed is unsupported.SettingsManagerbDiese Dateiversion kann nicht verarbeitet werden.'The version of the file is unsupported.SettingsManagerBPfad zum Programm gpsbabel whlen&Select path to the gpsbabel executablePreferencesConfig\Das GPS-Datum ist unbekannt oder gar ungltig.$The GPS datum is unknown or invalid.SettingsManager2BereinigtDurchPolygon.wptPurgedByPolygon.wptSettingsManager.Werte fr diesen FilterValues of this filter itemListItemAbbrechenCancel FilterConfigAbbrechenCancelIOConfigAbbrechenCancelPreferencesConfigAbbrechenCancelSavePresetWindowPunkte nahe am Mittelpunkt nicht beibehalten, sondern entfernen. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,excludecDon't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,excludeSettingsManager*Ungltiger Lesemodus.Illegal read mode.SettingsManagerZu erstellender Straentyp. Gltige Werte sind limited, toll, ramp, us, primary, state, major, ferry, local oder editable. Aufgrund der speziellen Syntax empfiehlt sich ein Blick in die Gpsbabel-DokumentationType of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for detailsSettingsManager>Die Trackversion ist unbekannt.The track version is unknown.SettingsManagerTBereinige nahe beieinander liegende PunktePurge close pointsSettingsManagerDEs wurde kein Dateiname angegeben.!A filename needs to be specified.SettingsManager Ctrl+Ctrl+A MyMainWindow Ctrl+KCtrl+E MyMainWindow Ctrl+HCtrl+M MyMainWindow Ctrl+PCtrl+P MyMainWindow Ctrl+QCtrl+Q MyMainWindow Ctrl+Ctrl+R MyMainWindow Ctrl+SCtrl+S MyMainWindow Ctrl+XCtrl+X MyMainWindow@Gpsbabel Programmdatei auswhlenSelect Gpsbabel binaryMyPreferencesConfig4Nur Trackdaten beibehaltenDrop all data except track dataSettingsManager~Beim Initialisieren des Anschlusses ist ein Fehler aufgetreten.)There was an error initialising the port.SettingsManagerfBeim Erzeugen der Ausgabedatei trat ein Fehler auf.Error writing the output file.SettingsManagerGPSmanSettingsManagerWhrend der bertragung von Wegpunkten trat ein Kommunikationsfehler auf.5A communication error occured while sending wayoints.SettingsManagerDie Verffentlichung erfolgte zu den Bedingungen der folgenden Lizenz: %1. CIt has been released under the following terms and conditions: %1.  MyMainWindow FilterFilter MyMainWindownIn der Zeitangabe befindet sich ein ungltiges Zeichen.2There was an invalid character in the time option.SettingsManager}This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for FahrenheitSettingsManagerFugawiSettingsManagerZu erstellender Zeichnungslayertyp. Gltige Werte sind drawing, road, trail, waypoint oder track. Beispiel: type=waypoint}Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypointSettingsManagerSprache: Language:PreferencesConfig0See You FluganalysedatenSee You flight analysis dataSettingsManagerGebabbel muss wissen, wo sich das Programm gpsbabel befindet. Ist das Feld leer, wird eine eingebaute Version verwendetrGebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executablePreferencesConfigbDas Hinzufgen dieser Option schaltet die (standardmige) Wegabstandsoption ab. Stattdessen werden Punkte entfernt, die die Gesamtlnge der Strecke mglichst wenig beeinflussenThis disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removedSettingsManagerREs liegt ein ungltiger Sektionskopf vor.$There was an invalid section header.SettingsManagerDGPS-Logs werden nicht untersttzt.GPS logs are not supported.SettingsManagernGeben Sie einen kurzen Kommentar zur Voreinstellung ein)Enter a short comment for the preset hereSavePresetWindow(U.S. Census Bureau Tiger Mapping ServiceSettingsManager.Yahoo Geocode API-DatenYahoo Geocode API dataSettingsManagerThis option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3SettingsManagerBlendet einen Dialog zur Bearbeitung der Programmeinstellungen ein(Opens a dialog to modify the preferences MyMainWindow/Microsoft Streets and Trips 2002-2006 waypointsSettingsManagerEingabeIntype MyMainWindow@Zuletzt verwendete EinstellungenLast Used Settings MyMainWindowNEine andere Punktanzahl wurde erwartet.*A different number of points was expected.SettingsManager@Ein Fehler trat in wpt_type auf."An error was detected in wpt_type.SettingsManagerEin interner Fehler ist bei der Verwendung von cet_disp_character_set_names aufgetreten.:An internal error in cet_disp_character_set_names occured.SettingsManager&EasyGPS BinrformatEasyGPS binary formatSettingsManager\Ein ungltiger Datenbanksubtyp wurde entdeckt.)An invalid database subtype was detected.SettingsManager0Voreinstellung speichern Save PresetMySavePresetWindowDaten von einem WBT-Gert laden und danach aus dessen Speicher lschenHDownload data from a WBT device and erase its memory contents afterwardsSettingsManager6Der Dateityp ist unbekannt.The file type is unknown.SettingsManagerDiese Option legt die maximale Lnge generierter Wegpunktnamen festDThe snlen option controls the maximum length of generated shortnamesSettingsManagerNBearbeiten Sie hier den Typ des FiltersEdit the type for this filterMyIOConfigWindow2AuerhalbMeinerGegend.gpxOutsideMyCounty.gpxSettingsManagerHDer Wert fr gpl_point ist falsch.!The value for gpl_point is wrong.SettingsManagerBei der Bearbeitung eines Datensatzes trat ein interner Fehler auf.6There was an internal error while working on a record.SettingsManager2GPSBabel BogenfilterdateiGPSBabel arc filter fileSettingsManager<Flle Abstandslcken in TracksFill distance gaps in trackSettingsManagerDas Wiederherstellen der Standardeinstellungen wird alle Einstellungen zurcksetzen. Mchten Sie diese Aktion durchfhren?`Restoring default settings will reset all your current settings. Do you really want to continue? MyMainWindowlMehrere Tracks des selben Weges (beispielsweise durch zwei GPS-Gerte aufgezeichnet) zusammenfgen und nach den Zeiten der Trackpunkte sortieren. Beispiel: merge,title="COMBINED LOG"Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG"SettingsManager'libpdb couldn't append bookmark record.SettingsManager"&Kommandozeile...Edit &Command... MyMainWindow<Vordergrundfarbe fr WegpunkteWaypoint foreground colorSettingsManager<Die ausgewhlte Quelle lschen Remove the selected input source MyMainWindowJThis option specifies the icon or waypoint type to write for each waypointSettingsManager|gpsbabel kann nur TPO-Versionen bis Version 3.x.x verarbeiten.2gpsbabel can only read TPO versions through 3.x.x.SettingsManagerEs wurde kein Stylesheet fr die Quelle angegeben. Bitte verwenden Sie einen Aufruf wie: ... -i xcsv,style=pfad/zur/stylesheet.dateiHXCSV input style not declared. Use ... -i xcsv,style=path/to/style.fileSettingsManagerSchaltet die Verwendung von eindeutigen Wegpunktnamen ein (1) oder aus (0)9Disables (0) or enables (1) unique synthesized shortnamesSettingsManager<Die Datei ist keine IGC-Datei.The file is not an IGC file.SettingsManagerGibt die aktuelle Position als Wegpunkt aus. Bentigt keinen WertWReturns the current position as a single waypoint. This option does not require a valueSettingsManagernDie Quelldatei scheint keine gltige TPG-Datei zu sein.7The input file does not appear to be a valid .TPG file.SettingsManagerJlibpdb kann Datensatz nicht anhngen.libpdb couldn't append record.SettingsManager QuelleSource MyMainWindowDie angegebene Zeit ist ungltig. Bitte geben Sie eine der Optionen d, h, m oder s an.BThe time interval specified was invalid. It must be one of [dhms].SettingsManager6Dell-Axim-NavigationssystemDell Axim Navigation SystemSettingsManagerfBeim Setzen der Baudrate wurde ein Fehler entdeckt.)There was an error setting the baud rate.SettingsManager&GarminWegpunkte.gpxGarminWaypoints.gpxSettingsManagerr Dieser Filter kann auf Routen oder Tracks angewendet werden und fllt Lcken zwischen Punkten aus, die mehr als die angegebe Anzahl Sekunden, Kilometer oder Meilen auseinanderliegen This filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apartSettingsManagerPunkte.gpx Points.gpxSettingsManagerEntfernt Punkte, die aufgrund ihrer Positionskoordinaten bezogen auf die anderen Punkte sehr wahrscheinlich danebenliegenURemove unreliable points with high dilution of precision (horizontal and/or vertical)SettingsManagerjDies ist keine Datei vom Format Magellan Navigator.&This is not a Magellan Navigator file.SettingsManagerFalls Geocachedaten verfgbar sind, werden diese nicht ausgegeben item on stack (requires the depth option to be set)SettingsManager@MS PocketStreets 2002 Pushpin waypoints; not fully supported yetSettingsManagerQuelldaten nach der Umfomung entfernen, um Doubletten in der Ausgabe zu vermeiden. Beispiel: wpt=trk,delDelete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,delSettingsManager,Es gibt nichts zu tun.There is nothing to do.SettingsManagerdSofern gewnscht, geben Sie hier Ihre Optionen ein If necessary, enter options hereMyIOConfigWindowDeLorme XMap HH Native .WPTSettingsManagerdWiFiFoFum 2.0 for PocketPC-Wegpunkte im XML-Format(WiFiFoFum 2.0 for PocketPC XML waypointsSettingsManagerjHngt die Ausgabe an eine bereits bestehende Datei an+Merges output with an already existing fileSettingsManagerLets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' optionSettingsManager^Die Datei ist ungltig (no property catalog).*The file is invalid (no property catalog).SettingsManagerDiese Option sorgt dafr, dass alle Tracks in einen einzigen Track mit mehreren Segmenten zusammengefhrt werdenHThis option merges all tracks into a single track with multiple segmentsSettingsManagerOptionenOptions MyMainWindowDieser Quelltyp kann nicht verarbeitet werden, da expat nicht verfgbar ist.GThere is no support for this input type because expat is not available.SettingsManager&GPSPilot Tracker for Palm/OS waypointsSettingsManagerLets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' optionSettingsManagerDas Laden von Tracks kann bei seriellen GPS-Gerten einige Zeit in Anspruch nehmenVProcessing tracks can cause long processing times when reading from serial GPS devices MainWindowVDie derzeit gewhlte Voreinstellung lschenDelete the current preset MyMainWindowGarmin MapSource - gdbSettingsManagerGarmin MapSource - mpsSettingsManager`Es lag ein ungltiges Argument zu timeadj vor.!There was a bad timeadj argument.SettingsManagerXEin Fehler in der fat1-Kette wurde entdeckt.%There was an error in the fat1 chain.SettingsManagerLBearbeiten Sie hier den Typ des ZielesEdit the type for this outputMyIOConfigWindow<Unbekannte Objektive entdeckt.An unknown objective occured.SettingsManagerDieser Dateityp kann nur mit Tracks, nicht mit Wegpunkten oder Routen umgehen.?This file format only supports tracks, not waypoints or routes.SettingsManagerBeim Versuch, einen XML-Parser anzulegen, ist ein Fehler aufgetreten.Unable to create an XML parser.SettingsManagerrErstellt (falls mglich) automatisiert Geocaching-SymboleSynthesizes geocaching icons MainWindowZlibpdb kann Datensatzspeicher nicht erhalten.#libpdb could not get record memory.SettingsManagerTThis option specifies the icon or waypoint type to write for each waypoint on outputSettingsManagerGGenerate file with lat/lon for centering map. Example: genurl=tiger.ctrSettingsManager2Geocaching.com loc-FormatGeocaching.com .locSettingsManagervEin Namens- oder Feldfehler befindet sich in der DBF-Datei./A name or field error occured in the .dbf file.SettingsManagerAusgabeOuttype MyMainWindowKML kann nicht verarbeitet werden, da expat nicht verfgbar ist.@This build excluded KML support because expat was not installed.SettingsManagerEin Fehler beim automatischen Ermitteln des Datenformates ist aufgetreten.1There was an error autodetecting the data format.SettingsManager+Map&Guide 'Tour Exchange Format' XML routesSettingsManagerMaximale Lnge der zu erzeugenden Wegpunktnamen. Standardeinstellung sind 16 Zeichen. Beispiel: snlen=16OLength of the generated shortnames. Default is 16 characters. Example: snlen=16SettingsManagerNur Punkte innerhalb einer bestimmten Distanz zu einem per Datei definierten Polygonzug beibehalten@Only keep points within a certain distance of the given arc fileSettingsManagerDie Kommunikation war nicht einwandfrei. Bitte berprfen Sie die eingestellte Bitrate.=The communication was not OK. Please check the bit rate used.SettingsManagerEntfernt Punkte, deren horizontale Koordinate mehr als der angegebene Wert danebenliegt. Beispiel: hdop=10dRemove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10SettingsManager Garmin GPS-GertGarmin GPS deviceSettingsManagerEinrichtung ConfigurationIOConfigEinrichtung ConfigurationSavePresetWindowNIMA/GNIS Geographic Names FileSettingsManagerXLegt den Namen der zu erzeugenden Route fest)Specifies the name of the route to createSettingsManager"FiltereinrichtungFilter Configuration FilterConfig.MapTech-AustauschformatMapTech Exchange FormatSettingsManagerGeoNiche (.pdb)SettingsManager*Wegpunkte verarbeiten&Check this option to process waypoints MainWindowCThis option specifies the speed of the simulation in knots per hourSettingsManager\Die Daten wurden nicht vollstndig bertragen.The download was not complete.SettingsManager"Quelle hinzufgenAdd an input source MyMainWindowTName fr die zu speichernde VoreinstellungName for the preset to saveSavePresetWindow|Gestattet es, das auszufhrenden Kommando direkt zu bearbeiten)Allows to edit the command to be executed MyMainWindowDiese Option legt die Standardkategorie fr die gdb-Ausgabe fest. Wird als Nummer von 1-16 angegeben]This option specifies the default category for gdb output. It should be a number from 1 to 16SettingsManagerEine Bitmap, 24x24 oder kleiner, 24 bzw. 32 Bit RGB oder 8 Bit indizierte Farben. Beispiel: bitmap="Mein Symbol.bmp"mUse this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp"SettingsManagerLDer Typ scheint nicht korrekt zu sein.$The type doesn't seem to be correct.SettingsManagerxGpsbabel bekam keinen Speicher vom Betriebssystem zugeteilt.'gpsbabel was unable to allocate memory.SettingsManager2&Programmeinstellungen...Edit &Preferences... MyMainWindowDie Datei scheint nicht vollstndig zu sein, da das Ende vorzeitig erreicht wurde."An unexpected end of file occured.SettingsManager@Das Gert automatisch abschalten!Command unit to power itself downSettingsManagerDie Zeitwerte von Trackpunkten um einen Korrekturwert verschieben. Beispiel: move=+1h;Correct trackpoint timestamps by a delta. Example: move=+1hSettingsManagerGpsbabel kann keine Untersttzung fr WFFF_XML anbieten, da die Bibliothek expat nicht gefunden wurde.DThis build excluded WFFF_XML support because expat is not available.SettingsManagervEs scheint kein Garmin-Gert per USB angeschlossen zu sein.;No Garmin USB device seems to be connected to the computer.SettingsManagerzEs wurde versucht, eine unerwartete Menge von Bytes zu lesen.;There was an attempt to read an unexpected amount of bytes.SettingsManagerzHchstanzahl der beizubehaltenden Punkte. Beispiel: count=5004Maximum number of points to keep. Example: count=500SettingsManagerDie Quelldatei liegt in einer veralteten USR-Version vor und kann daher nicht verwendet werden.KThe input file is from an old version of the USR file and is not supported.SettingsManagerReduziert einen Track auf 500 Trackpunkte (zur Verwendung auf Garmin-Gerten)IReduce the amount of trackpoints to a maximum of 500 (for Garmin devices)SettingsManager0Sportsim track files (part of zipped .ssz files)SettingsManagerJSpecifies the name of the icon to use for stealth, encrypted access pointsSettingsManager^Dieses GPS-Datum kann nicht verarbeitet werden.The GPS datum is unsupported.SettingsManagernEs wurde versucht, zu viele Stecknadelkpfe auszugeben./An attempt to output too many pushpins occured.SettingsManagerDie Datei sieht zwar wie eine PDB-Datei aus, enthlt aber keine sogenannten Magic-GPS-Informationen.BThe file looks like a PathAway .pdb file, but it has no gps magic.SettingsManagerpVerwirft Wegpunktnamen und versucht bessere zu erstellen7Discards waypoint names and tries to create better ones MainWindowjDiese Datei liegt nicht im Format GeocachingDB vor.$The file is not a GeocachingDB file.SettingsManagerDer Name ist ein reservierter Datenbankname und darf daher nicht verwendet werden.;The name is a reserved database name and must not get used.SettingsManager"Originaltrack.gpxOriginalTrack.gpxSettingsManagerSystemsprache:Language setting:PreferencesConfig&Ausfhren&Process MyMainWindowVerwendet cross-track-Abweichung. Der Abstand wird anhand der Verbindungslinie zweier Punkte berechnetwUse cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to itSettingsManager2Standardradius (Umgebung)Default radius (proximity)SettingsManagerDie Daten des Tracks liegen entweder in einer unbekannten Versionsnummer vor oder sind beschdigt.CThis track data is invalid or the format is an unsupported version.SettingsManagerOptionen:Options:IOConfigEin interner Fehler ist aufgetreten: Die Formate sind nicht in aufsteigender Reihenfolge sortiert.KAn internal error occured: formats are not ordered in ascending size order.SettingsManagerpRadius der Erde (Standard sind 6371000 meter). Das (behutsame) Experimentieren mit dieser Option kann helfen, Fehler bei der Konvertierung zwischen verschiedenen Formaten zu verringern~Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errorsSettingsManagerAusgabe.wpt Output.wptSettingsManagerEingabe.loc Input.locSettingsManager>Map&Guide/Motorrad RoutenplanerMap&Guide/Motorrad RoutenplanerSettingsManagerpLediglich Punkte mit Abbiegehinweisen werden verarbeitet[Only read turns but skip all other points. Only keeps waypoints associated with named turnsSettingsManager>Die Formatangabe ist inkorrekt. The format specifier is invalid.SettingsManagerZEin Koordinatenstrukturfehler wurde entdeckt.(There was a coordinates structure error.SettingsManagerdBeim Parsen eines Datensatzes trat ein Fehler auf.*There was an error while parsing a record.SettingsManager6WegpunkteOhneDoubletten.gpxWaypointsWithoutDuplicates.gpxSettingsManager!MapTech Exchange Format waypointsSettingsManagerVMaximale Lnge zu erzeugender WegpunktnamenLength of generated shortnamesSettingsManagerUniverselles CSV-Format mit Feldstrukturdefinition in der ersten Zeile8Universal csv with field structure defined in first lineSettingsManager:Brauniger IQ Series Barograph&Brauniger IQ Series Barograph DownloadSettingsManagerTrackLogs digital mappingSettingsManagerrDie Versionsnummer der Quelldatei wird nicht untersttzt..Unsupported file format version in input file.SettingsManagerDCoPilot Flight Planner fr Palm/OS"CoPilot Flight Planner for Palm/OSSettingsManagerGarmin POIsGarmin Points of InterestSettingsManagerJDas ffnen der DBF-Datei schlug fehl.'An error occured opening the .dbf file.SettingsManagerbDas Dateiende wurde frher als erwartet erreicht.Unexpected end of file.SettingsManagerEs kann nur ein einzelner Track aufgeteilt werden. BItte fgen Sie die Tracks zuerst zusammen.ICannot split more than one track. Please pack or merge before processing.SettingsManagerNBeispiel fr das Garmin'sche TextformatGarmin text format exampleSettingsManager(pop) Discard top of stackSettingsManager GarminTracks.gpxGet tracks from a Garmin deviceSettingsManager#CompeGPS & Navigon Mobile NavigatorSettingsManager\Es wurde versucht, zu viele Punkte auszugeben./There was an attempt to output too many points.SettingsManager&SehrLangerTrack.gpx HugeTrack.gpxSettingsManagerRCompeGPS Datendateien (wpt, trk oder rte)$CompeGPS data files (.wpt/.trk/.rte)SettingsManagerRBereinigen anhand Polygon- und Bogendatei)Purge data based on polygon and arc filesSettingsManager"Liste der Filter #This list contains the filter items MainWindow,Magellan NAV Companion for Palm/OS waypointsSettingsManagerUmrandung der Karte in Grad oder Prozent. Nur zusammen mit der Option genurl sinnvollZMargin for map in degrees or percentage. Only useful in conjunction with the genurl optionSettingsManagerDas Dateiformat dieser TPO-Datei ist zu jung (jnger als 2.7.7).CThis TPO file's format is to young (newer than 2.7.7) for gpsbabel.SettingsManager"Filter einrichtenConfigure Filter MyMainWindowdGROBUCHSTABEN in erzeugten Wegpunktnamen zulassen4Allow UPPERCASE CHARACTERS in synthesized shortnamesSettingsManagerBeim Versuch, einen XML-Parser anzulegen, ist ein Fehler aufgetreten.Cannot create an XML Parser.SettingsManager+DeLorme XMat HH Street Atlas USA .WPT (PPC)SettingsManagerEin Fehler trat beim Lesen der Positionsdaten auf. Vielleicht hat das Gert noch nicht gengend Satelliten gefunden.bAn error occured while trying to read positioning data. Maybe the device has no satellite fix yet.SettingsManager6Universelles GPS-XML-FormatUniversal GPS XML file formatSettingsManagerPfad zum xcsv-Stylesheet. Nhere Informationen finden sich im Anhang C der Gpsbabel-DokumentationYPath to the xcsv style file. See the appendix C of the gpsbabel Documentation for detailsSettingsManagerfEs wurde ein ungltiger Zeitwert im Track gefunden.(There was a bad timestamp in the track .SettingsManagerTrack-Stapeloperationen fr Benutzer mit fortgeschrittenen Ansprchen. Bitte konsultieren Sie die Dokumentation zu gpsbabelMAdvanced stack operations on tracks. Please see the gpsbabel docs for detailsSettingsManager>Magellan SD-Dateien (eXplorist)$Magellan SD files (as for eXplorist)SettingsManager(Systemkonfiguration:System Configuration:PreferencesConfigTDas parity setting wird nicht untersttzt.(The given parity setting is unsupported.SettingsManagerDZu wenige Wegpunkte in task route. Too few waypoints in task route.SettingsManager.Fgt Punkte hinzu, wenn zwei Punkte mehr als die angegebene Distanz in Kilometern oder Meilen auseinanderliegen. Beispiel: distance=1k oder distance=2mAdds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2mSettingsManagerxLsche Punkte anhand einer Datei, die einen Bogen beschreibt1Drop points according to a file describing an arcSettingsManagerBEin Parserfehler ist aufgetreten.A parse error occured.SettingsManager\Es wurden ungltige Koordinatenwerte gefunden.$There have been invalid coordinates.SettingsManager`Maximale Wegpunktnamenslnge in der Ausgabedatei$Max length of waypoint name to writeSettingsManagerWendepunkte beibehalten. Diese Option ist nur zusammen mit dem Filter simplify sinnvollRKeep turns. This option only makes sense in conjunction with the 'simplify' filterSettingsManagerDie Datei "%1" kann nicht aufgerufen werden. Bitte geben Sie den korrekten Pfad in der Kommandozeile oder den Programmeinstellungen an.oThe file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. MyMainWindow$CompeGPS WegpunkteCompeGPS waypointsSettingsManagerBeispiel, das alle Mglichkeiten des Garmin'schen Textformates aufzeigt5Example showing all options of the garmin text formatSettingsManagergpsbabel wurde unerwarteterweise unterbrochen. Erzeugte Dateien sollten nicht verwendet, sondern gelscht werden.cgpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. MyMainWindowBDie Datei %1 wurde nicht gefunden$Sorry, but the file %1 was not foundListItem"Versteckte Wegounkte", die durch Routing automatisch erzeugt wurden, entfernen.TDrop calculated hidden points (route points that do not have an equivalent waypoint.SettingsManager$Ungltiger Fixtyp.Invalid fix type.SettingsManager&Basis-URL fr LinksBase URL for link tagsSettingsManager0Ein Lesefehler trat auf.A read error occured.SettingsManagerGpxDaten.gpx GpxData.gpxSettingsManagerDefines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmmSettingsManagerDEin Fehler trat in pdb_Read auf.pdb_Read failed.SettingsManager6Sortieren nach WegpunktnameSort by waypoint short nameSettingsManagerDie Punkte nicht nach ihrem Abstand zum Mittelpunkt sortieren. Beispiel: distance=1.5k,lat=30.0,lon=-90.0,nosortqDon't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosortSettingsManagerEchtzeittracking (-T) kann nicht zusammen mit anderen Modi verwendet werden.3Realtime tracking (-T) is exclusive of other modes.SettingsManagerDEs wurde kein Intervall angegeben.No interval was specified.SettingsManagerThis option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles)SettingsManager Es wurde kein Stylesheet fr die Ausgabe angegeben. Bitte verwenden Sie einen Aufruf wie: ... -o xcsv,style=pfad/zur/stylesheet.dateiIXCSV output style not declared. Use ... -o xcsv,style=path/to/style.fileSettingsManager6Ein Schreibfehler trat auf.A write error occured.SettingsManagerLDaten von WBT laden und danach lschenGet and erase data from WBTSettingsManagerTopoMapPro Places FileSettingsManagerFDieser Quelldatentyp ist unbekannt."This input record type is unknown.SettingsManagerXReduziere Track auf 500 Trackpunkte (Garmin)"Purge track to 500 points (Garmin)SettingsManagerBeim Lesen von weiteren Wegpunkten wurde festgestellt, dass keine Daten mehr vorliegen.Out of data reading waypoints.SettingsManagerzSymbol fr Punkte. Beispiel: deficon="Red Flag" (Rote Flagge)9Symbol to use for point data. Example: deficon="Red Flag"SettingsManagerWegpunkte, die den selben Namen oder die selben Koordinaten wie andere Wegpunkte beinhalten, entfernenCRemove waypoints with the same name or location of another waypointSettingsManagerZwischen Zeit und Entfernung kann nicht gleichzeitig interpoliert werden.-Cannot interpolate on both time and distance.SettingsManager<Der sektionskopf ist ungltig.The section header is invalid.SettingsManager<FAI/IGC Flight Recorder-Format#FAI/IGC Flight Recorder Data FormatSettingsManagerpMaximal zulssige Kommentaranzahl. Beispiel: maxcmts=2005Max number of comments to write. Example: maxcmts=200SettingsManager@Garmin-Format (seriell oder USB)Garmin serial/USB device formatSettingsManager6Der Farbname ist unbekannt. The color name was unrecognized.SettingsManager8Die Temperatur ist ungltig.The temperature is invalid.SettingsManager'crosstrack' und 'length' knnen nicht gemeinsam verwendet werden./crosstrack and length may not be used together.SettingsManager8Writing output for this state currently is not supportedSettingsManagernGeben Sie hier eine Datei oder einen Gerteanschluss an1Enter the path to a file or port of a device hereMyIOConfigWindowHEin interner Fehler ist aufgetreten.An internal error occured.SettingsManagerTracks manipulieren (Zeitverschiebungen, Beschneiden anhand einer Zeitangabe oder einer Distanz, Zusammenfgen mehrerer Tracks, Aufteilen von Tracks, mehrere Tracks der selben Tour zusammenfgen)dManipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging)SettingsManager DeLorme GPLSettingsManagerPer default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1SettingsManager&cotoGPS fr Palm/OScotoGPS for Palm/OSSettingsManagerTDer XML-Parser kann nicht angelegt werden.!The XML parser cannot be created.SettingsManager$Ausgabe einrichtenConfigure Output MyMainWindowTextausgabeTextual OutputSettingsManagerVIn der Quelldatei befindet sich ein Fehler.$An error occured in the source file.SettingsManagerNDieser Dateityp wird nicht untersttzt.This file type is unsupported.SettingsManagerTDieser Zeichensatz wird nicht untersttzt.!The character set is unsupported.SettingsManagerZUse this option to include Groundspeak cache logs in the created document if there are anySettingsManagerMapSend-Versionsnummer (3 oder 4), fr die die Tracks erzeugt werden sollen. Beispiel: trkver=3@MapSend version TRK file to generate (3 or 4). Example: trkver=3SettingsManager0FAI/IGC FlugaufzeichnungFAI/IGC Flight RecorderSettingsManagerDeLorme Street Atlas PlusSettingsManagerNumerischer Wert der bertragungsrate. Gltige Werte sind 1200, 2400, 4800, 9600, 19200, 57600, und 115200. Beispiel: baud=4800pNumeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800SettingsManagerZu erzeugende GPX-Version. Standard ist 1.0, es kann aber auch 1.1 angegeben werdenLTarget GPX version. The default version is 1.0, but you can even specify 1.1SettingsManagerWegpunkt- , Routen- oder Trackinformationen entfernen. Auch wenn es nicht sehr sinnvoll erscheint, so knnte man theoretisch doch alle drei Datentypen auf einmal entfernen. Beispiel: nuketypes,waypoints,routes,tracksRemove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracksSettingsManager^National Geographic Topo tpg-Format (Wegpunkte))National Geographic Topo .tpg (waypoints)SettingsManagerlSofern gewnscht, geben Sie hier einen Zeichensatz ein(If necessary, enter a character set hereMyIOConfigWindow*StandardeinstellungenRestore Default Settings MyMainWindowDer eXplorist kann lediglich 200 Wegpunkte in einer GS-Datei verarbeiten. Bitte reduzieren Sie zuerst die Anzahl der Wegpunkte.qeXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent.SettingsManagerJSchreibt Wegpunkte in eine HTML-DateiWrite waypoints to HTMLSettingsManager&CarteSurTable-DateiCarteSurTable data fileSettingsManager0Serielle USB-Emulation 1USB to serial port 1SettingsManager0Serielle USB-Emulation 2USB to serial port 2SettingsManager.Serielle USB-Emulation USB to serial port 3SettingsManagerXEs wurde ein ungltiger Hhenpunkt gefunden.#There has been an invalid altitude.SettingsManagerLWegpunkte von einem Garmin-Gert laden"Get waypoints from a Garmin deviceSettingsManagerKMap&Guide to Palm/OS exported files, containing waypoints and routes (.pdb)SettingsManagerNEin Fehler wurde in den Daten entdeckt."An error was detected in the data.SettingsManagerXDieser Typ bzw. dieses Modell ist unbekannt.1The receiver type resp. model version is unknown.SettingsManager2ZeitverschobenerTrack.gpxTimeshiftedTrack.gpxSettingsManagerhLcken in einer Route statt in einem Track schlieen"Work on a route instead of a trackSettingsManager4Flle Zeitlcken in TracksFill time gaps in trackSettingsManagerhDieser Filter kann nur auf Tracks angewendet werden.$This filter only can work on tracks.SettingsManager6Erstelle Geocaching-SymboleCreate geocaching icons MainWindow<Ausgewhlten Filter bearbeitenEdit the selected filter MyMainWindow>Lsche Punkte anhand Bogendatei"Remove points based on an arc fileSettingsManagerRDie USB-Konfiguration ist fehlgeschlagen.The USB-Configuration failed.SettingsManagerLscht erst alle Wegpunkte im Gert, bevor Daten bertragen werdenPSetting this option erases all waypoints in the receiver before doing a transferSettingsManagerFgt die Position zum Adressfeld der Listenansicht hinzu. Bentigt keinen WertkAdd position to the address field as seen in list views of the device. This option does not require a valueSettingsManagerrBeim Erzeugen des XML-Parsers ist ein Fehler aufgetreten.*There was an error creating an XML Parser.SettingsManager"Cambridge/Winpilot glider softwareSettingsManagerLlibpdb kann Datensatz nicht erstellen.libpdb couldn't create record.SettingsManagerdepth values ausgeben. Diese werden normalerweise nicht ausgegeben:Use depth values on output (the default is to ignore them)SettingsManagerEntfernt Punkte nahe bei anderen Punkten, wie durch die Distanz angegeben. Beispiel: position,distance=30f or position,distance=40mwRemove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40mSettingsManagerDie Wegpunkte konnten nicht ber die Schnittstelle eingelesen werden.0The waypoints cannot be read from the interface.SettingsManagerHSuunto Trek Manager (STM) sdf-Format$Suunto Trek Manager (STM) .sdf filesSettingsManagerRead the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route fileSettingsManagerDie aktuell geladenen Einstellungen als neue Voreinstellung speichern'Save the current settings as new preset MyMainWindowtEntferne Trackpunkte innert 1m links und rechts des Tracks:Remove trackpoints which are less than 1m apart from trackSettingsManager,Standardname fr IconsDefault icon nameSettingsManagerWintec WBT-100/200 data logger-Format, wie es vom Wintec-Programm erzeugt wirdQWintec WBT-100/200 data logger format, as created by Wintec's Windows applicationSettingsManagerRoute2.bcr Route2.bcrSettingsManagerBeim Versuch, die Schnittstelle zu konfigurieren, trat ein Fehler auf.(There was an error configuring the port.SettingsManagerRoute1.bcr Route1.bcrSettingsManager,BeschnittenerTrack.gpxTruncatedTrack.gpxSettingsManagerbEs wurde ein Fehler in der XML-Struktur gefunden.(There was an error in the XML structure.SettingsManager Programm beendenQuit this application MyMainWindow&Abbrechen&Cancel MyMainWindowLGPS-Regionen werden nicht untersttzt.GPS regions are not supported.SettingsManagerTEs wurde ein ungltiger Wegpunkt gefunden.%There was a waypoint with bad format.SettingsManagerBIconname fr geschlossene Ad-HocsAd-hoc closed icon nameSettingsManagerDeLorme-FormatDeLormeSettingsManagerDiese Datei stammt von einer nicht untersttzten Version von PathAway.5This file is from an unsupported version of PathAway.SettingsManager&Dieser Filter bearbeitet Wegpunkte und entfernt Duplikate wie Namens- oder Positionsduplikate. Alternativ kann eine Korrekturdatei verwendet werdenwThis filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections fileSettingsManager Wintec WBTSettingsManagerHBereinige Track anhand eines KreisesPurge track based on a circleSettingsManagerSchaltet die Verwendung von den Wegpunktbeschreibungen fr zu erzeugende Wegpunktnamen ein (1) oder aus (0)ZUse shortname (0) instead of the description (1) of the waypoints to synthesize shortnamesSettingsManagerDiese option kann verwendet werden, um statt des Standarddatumsformates NAD27 (N. America 1927 mean) ein anderes Datumsformat anzugeben. Zulssige Datumsformate finden sich in der Dokumentation zu gpsbabel, Anhang A, Datumsformate. Beispiel: datum="NAD27"The option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManagerMS PocketStreets 2002 PushpinSettingsManagerDie Daten in der vorliegenden Kategorie knnen nicht verarbeitet werden.Unsupported category.SettingsManager.Trackpunktzeiten ndernTimeshift a trackSettingsManagerNUTM kann noch nicht verarbeitet werden.UTM is not supported yet.SettingsManager@Programmeinstellungen bearbeitenEdit PreferencesPreferencesConfigDatei, die die Eckpunkte des Polygones beinhaltet (unbedingt erforderlich). Beispiel: file=MeineGegend.txtRFile containing the vertices of the polygon (required). Example: file=MyCounty.txtSettingsManager`Der Straentyp fr Straenwechsel ist unbekannt.*The road type for road changes is unknown.SettingsManager2/dev/cu.WBT200-SPPslave-1/dev/cu.WBT200-SPPslave-1SettingsManager@Programmeinstellungen bearbeitenEdit preferences MyMainWindow~Diese Version des Formates GDB kann nicht verarbeitet werden."This GDB version is not supported.SettingsManagerRckfahrt.gpxJourneyBack.gpxSettingsManagerGrundstzlich ist die Verarbeitung von GPX-Formaten mglich, aber expat ist nicht verfgbar.@This build excluded GPX support because expat was not installed.SettingsManager\Tracks erzeugen, die zu Carto Exploreur passen,Write tracks compatible with Carto ExploreurSettingsManagerAbstand zum Polygonzug (zwingend erforderliche Option). Die Standardmaeinheit ist "Meilen", aber es wird empfohlen, die Maeinheit immer mit anzugeben. Beispiele: distance=3M oder distance=5KDistance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5KSettingsManagerBWegpunkte chronologisch sortierenSort waypoints chronologicallySettingsManagerDiese Datei ist eine Datei im GeoNiche-Format und kann nicht verarbeitet werden.*This file is an unsupported GeoNiche file.SettingsManager&Kartex 5 TrackdateiKartex 5 Track FileSettingsManager>Ein Lesefehler ist aufgetreten.There was a reading error.SettingsManagerFHSA Endeavour Navigator Exportdatei#HSA Endeavour Navigator export FileSettingsManager\Die Trackpunkte sind nicht nach Zeit sortiert.*Track points are not ordered by timestamp.SettingsManagerNur Trackpunkte beibehalten, die zwischen der Start- und der Stopzeit liegen5Only keep trackpoints between the start and stop timeSettingsManager&Handbuch&Manual MyMainWindow~Whrend des Lesevorganges trat ein Ein- oder Ausgabefehler auf.!An I/O error occured during read.SettingsManager.ReduzierteWegpunkte.gpxWaypointsReduced.gpxSettingsManagerKuDaTa PsiTrex textSettingsManagerXDer Dateikopf der Quelldatei ist fehlerhaft..There was an invalid header in the input file.SettingsManagerfEin Trackpunkt ohne Zeitinformation wurde gefunden.*A track point without timestamp was found.SettingsManagerDas Zufgen dieser Option sorgt dafr, dass die Daten auf dem Gert nach dem Herunterladen gelscht werdenMAdd this option to erase the data from the device after the download finishedSettingsManagernAlle Rechte, inklusive dem Urheberrecht, liegen bei %1.2All rights, including the copyright, belong to %1. MyMainWindow8Die gewhlte Ausgabe lschen&Remove the selected output destination MyMainWindow*Noch nicht verfgbar.Not available yet.SettingsManagerDUngltiger Zeitwert in task route.,There was a bad timestamp in the task route.SettingsManager(Automatisch erkennen AutomaticMyPreferencesConfig\Das Programm ohne weitere Besttigung beenden.4Quits this application without further confirmation. MyMainWindowoSet this option to eliminate calculated route points from the route, only preserving only via stations in routeSettingsManagerTErzeugt anhand der Nachbarpunkte einen Geschwindigkeitswert fr jeden Trackpunkt. Speziell ntzlich fr Trackpunkte, die durch den Interpolationsfilter hinzugefgt wurdenSynthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpointsSettingsManager&The given stop setting is unsupported.SettingsManagerStandardmig sind Geocaching-Tipps nicht verschlsselt. Wird diese Option verwendet, werden die Tipps mit ROT13 verschlsseltXBy default geocaching hints are unencrypted; use this option to encrypt them using ROT13SettingsManager Entfernt Punkte auerhalb eines Polygonzuges, der durch eine spezielle Datei beschrieben wird. Beispiel: polygon,file=MeineGegend.txt_Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txtSettingsManager'libpdb couldn't create bookmark record.SettingsManagerfBereinige Track zur Verwendung in openstreetmap.org'Purge track for openstreetmap.org usageSettingsManager0Vito Navigator II TracksVito Navigator II tracksSettingsManagerbSchaltet lange Wegpunktnamen ein (1) oder aus (0)>Forbids (0) or allows (1) long names in synthesized shortnamesSettingsManagerGebabbelGebabbel MainWindowNational Geographic TopoSettingsManager&Lschen&Remove MyMainWindowZEin Fehler trat in der Bibliothek Zlib auf.Zlib reported an error.SettingsManager`Name des Standardicons. Beispiel: deficon=RedPin*Default icon name. Example: deficon=RedPinSettingsManagerNDas GPS-Gert bermittelte keine Daten.)No data was received from the GPS device.SettingsManager>(pop) Liste ersetzen (standard)(pop) Replace list (default)SettingsManagerDNational Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo)SettingsManager<Das Datum wurde nicht erkannt.The datum is not recognized.SettingsManagerFarbe fr Linien oder Mapnotes. Alle CSS-Farben knnen verwendet werden. Beispiel rot: color=#FF0000Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000SettingsManagerRSpecifies the name of the icon to use for non-stealth, non-encrypted access pointsSettingsManager<Magellan GPS-GertedateiformatMagellan GPS device formatSettingsManagerNSpecifies the name of the icon to use for stealth, non-encrypted access pointsSettingsManagerHDas Lesen aus der Datei schlug fehl.Reading the file failed.SettingsManagerDie Datei ist aufgrund ihrer Gre ungltig oder zumindest nicht untersttzt.7The file is invalid or unsupported due to its filesize.SettingsManager&libpdb couldn't create summary record.SettingsManager Liste der Ziele #This list contains the output items MainWindow Punkte entfernen, solange der angegebene Fehlerwert in Kilometern (k) oder auch Meilen (m) nicht erreicht wird. Beispiel: error=0.001kkDrop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001kSettingsManagerNKurzer Kommentar fr die VoreinstellungShort comment for the presetSavePresetWindow|Routen knnen nicht anhand von Zeitwerten interpoliert werden."Cannot interpolate routes on time.SettingsManagerDas Setzen dieser Option sorgt dafr, dass Leerzeichen in erzeugten Wegpunktnamen verwendet werden knnen;Set this option to allow whitespace in generated shortnamesSettingsManagerIUse this option to include Groundspeak cache logs in the created documentSettingsManager&Hier Namen eingebenEnter new name hereMySavePresetWindowHDer Radius sollte grer als 0 sein.'The radius should be greater than zero.SettingsManagerEntfernt alle Daten, die doppelt vorkommen, auch das Original. Von A, B, B und C bleiben nur A und C brigJSuppress all instances of duplicates. A, B, B and C will result in A and CSettingsManagerNavigon Mobile Navigator (.rte)SettingsManager`Zeige kein Symbol im Gert. Bentigt keinen WertcUse this if you don't want a bitmap to be shown on the device. This option does not require a valueSettingsManager>Lade Wegpunkte von Garmin-GertGet waypoints from GarminSettingsManagerSuunto Trek ManagerSettingsManagerPer default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0SettingsManagerDie angegebene Distanz ist ungltig. Sie sollte als k oder m angegeben werden.;The distance specified was invalid. It must be one of [km].SettingsManagerDiese Option legt die Maeinheit fr Hheninformationen fest. Standard sind Fu (f), alternativ kann hier Meter (m) angegeben werdenkThis option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f'SettingsManagerRInformationen zu diesem Programm anzeigen)Display information about the application MyMainWindowVDies scheint keine MapSource-Datei zu sein.*This does not seem to be a MapSource file.SettingsManagerBehlt den ersten Duplikatpunkt bei, aber ersetzt dessen Koordinaten mit den Koordinaten spterer Duplikate und verwirft letztere PunkteOKeep the first occurence, but use the coordintaes of later points and drop themSettingsManagerbDiese Datei ist keine Datei im Format GeoNiche.!This file is not a GeoNiche file.SettingsManager,IGN Rando TrackdateienIGN Rando track filesSettingsManager Diese Option entfernt alle Punkte, die sich innerhalb der angegebenen Entfernung zu anderen Punkten befinden, statt wenigstens einen zu belassenzThis option removes all points that are within the specified distance of one another, rather than leaving just one of themSettingsManagerSpecifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1SettingsManagerJEs liegen zu viele Formatangaben vor.%There are too many format specifiers.SettingsManager Quelle auswhlen Select SourceMyIOConfigWindowInterner Datenbankname fr die zu erzeugende Datei. Entspricht nicht dem Dateinamen. Beispiel: dbname=NichtGefundengInternal database name of the output file, which is not equal to the file name. Example: dbname=UnfoundSettingsManager TrackLogs digital mapping (.trl)SettingsManagerDie Daten in der vorliegenden Versionsnummer knnen nicht verarbeitet werden.Unsupported version number.SettingsManagerXAlle Routendaten entfernen. Beispiel: routes0Remove all routes from the data. Example: routesSettingsManager@Routen oder Tracks vereinfachen, entweder anhand einer Anzahl von Punkten (Option count) oder anhand einer maximalen geometrischen Abweichung (Option error)Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option)SettingsManager Standardwerte... Defaults...PreferencesConfigDGibt das Erscheinungsbild von Punktdaten an. Gltige Angaben sind 'symbol' (das ist standard), 'text', 'mapnote', 'circle' oder 'image'. Beispiel: wpt_type=symbolSpecifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbolSettingsManager(Kommagetrennte WerteComma separated valuesSettingsManagerFgt Punkte ein, wenn zwei benachbarte Punkte mehr als die angegebene Zeit auseinanderliegen. Kann nicht auf Routen angewendet werden, da Routenpunkte keine Zeitinformationen beinhalten. Beispiel: time=10Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10SettingsManager~Die Erzeugung des gewnschten Datentyps wird nicht untersttzt.+Generating such filetypes is not supported.SettingsManagerDeLorme Street Atlas RouteSettingsManagerFgt Beschreibungen zur Listenansicht hinzu. Bentigt keinen WertRAdd descriptions to list views of the device. This option does not require a valueSettingsManager:Entferne Wegpunkte vom StapelPop waypoint list from stackSettingsManagerNur Trackpunkte vor dem angegebenen Zeitpunkt beibehalten. Beispiel (Jahr, Monat, Tag, Stunde): start=2007010110,stop=2007010118nOnly use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118SettingsManagerJlibpdb kann Datensatz nicht anhngen.libpdb could not append record.SettingsManagerAlle Dateitypen Any file (*)MyPreferencesConfig*Wegpunkte verarbeitenProcess waypoints MainWindow*Wegpunkte verarbeitenProcess Waypoints MainWindowNEs wurde ein ungltiges Datum entdeckt.There was an invalid date.SettingsManagerAlle Dateitypen Any filetypeMyIOConfigWindowRadiusfilter Radius FilterSettingsManager$Liste der Quellen "This list contains the input items MainWindowGPS TrackMakerSettingsManager"Leere task route.Empty task route.SettingsManagerWegpunkte anhand genau einer der nachfolgend spezifizierten Optionen sortieren6Sort waypoints by exactly one of the available optionsSettingsManager*UmfangreicheDatei.gpx HugeFile.gpxSettingsManagerTextfeldanzeige an Track- und Routenpunkten ein- oder ausschalten. Beispiel zum Abschalten: labels=0MDisplay labels on track and routepoints. Example to switch them off: labels=0SettingsManager`Die aktuelle Position als Wegpunkt zurckliefern%Return current position as a waypointSettingsManager.Trackpunkte verarbeitenProcess Tracks MainWindow4Die Datei ist unbrauchbar.The file is invalid.SettingsManager"gpsbabel luft...0Please wait while gpsbabel is processing data... MyMainWindowLiest fortlaufend die Koordinaten von einem Garmin-Gert aus und schreibt sie in eine DateiEGet the current position from a Garmin device and stream it to a fileSettingsManager$Ausgabe hinzufgenAdd an output destination MyMainWindowAusfhrenExecute MainWindow$Routen verarbeitenProcess Routes MainWindowDiese Option sorgt dafr, dass Tipps aus Groundspeak GPX-Dateien mittels ROT13 verschlsselt werdenGUse this option to encrypt hints from Groundspeak GPX files using ROT13SettingsManager\Ein unbekannter Identifizierer wurde gefunden. An unknwon identifier was found.SettingsManagernBeim Konvertieren des Datum ist ein Fehler aufgetreten.'There was an error converting the date.SettingsManagerDie Tipps aus Groundspeak-GPX-Dateien mittels ROT13 verschlsselnFUse this option to encrypt hints from Groundspeak GPX files with ROT13SettingsManagerPEin Speicheranforderungsfehler trat auf.%There was an error allocating memory.SettingsManager8AufgezeichnetePositionen.kmlPositionLogging.kmlSettingsManagerThis option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx'SettingsManager>Use proximity values on output (the default is to ignore them)SettingsManagernBeim Verarbeiten von Wegpunktdaten trat ein Fehler auf.%A problem with waypoint data occured.SettingsManagerBEs wurde keine Distanz angegeben. There was no distance specified.SettingsManager:Filterkommandos hier eingebenEnter your filter commands here FilterConfignMindestens eine der angegebenen Optionen ist unbekannt.There is an unknown option.SettingsManagerDNational Geographic Topo Wegpunkte"National Geographic Topo waypointsSettingsManager*Diese Option gestattet es, das Symbol fr Wegpunkte anzugeben, die jnger sind als ber die Option 'oldtresh' festgelegt. Standard ist ein roter PinnThis option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpinSettingsManagerNDaten konnten nicht geschrieben werden.Could not write data.SettingsManager6Geocaching.com oder EasyGPSGeocaching.com or EasyGPSSettingsManagerGThis numeric option adds the specified category number to the waypointsSettingsManager"NurNochTracks.gpxTracksOnly.gpxSettingsManagerIf the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1SettingsManagerBGarmin Training Center xml-FormatGarmin Training Center xmlSettingsManagerLBearbeiten Sie hier den Typ der QuelleEdit the type for this inputMyIOConfigWindowbDas Garmin-Gert untersttzt waypoint xfer nicht./The Garmin unit does not support waypoint xfer.SettingsManagernDas Lesen des maggeo-Formates ist noch nicht verfgbar.1Reading the maggeo format is not implemented yet.SettingsManagerXWegpunkte aus Geocache-Logeintrgen erzeugen*Create waypoints from geocache log entriesSettingsManager$Gpsbabel ausfhrenExecute gpsbabel MyMainWindowVMaximale Lnge zu erzeugender Wegpunktnamen&Maximum length of generated shortnamesSettingsManagerPalmDoc-AusgabePalmDoc OutputSettingsManager StandardpositionDefault locationSettingsManagerxSende GPX-Daten wie Wegpunkte, Routen oder Tracks zum GarminCUpload GPX data like waypoints, routes or tracks to a Garmin deviceSettingsManagerLWintec WBT-100/200 GPS-Logger Download&Wintec WBT-100/200 GPS logger downloadSettingsManagerXSuunto Trek Manager STM WaypointPlus-Dateien*Suunto Trek Manager STM WaypointPlus filesSettingsManagerXDie Zeile konnte nicht interpretiert werden."The line could not be interpreted.SettingsManagerDiese Option kann verwendet werden, um eine CSS-Datei anzugeben, die die erzeugte HTML-Datei verwenden sollTUse this option to specify a CSS style sheet to be used with the resulting HTML fileSettingsManagerNEs liegt ein ungltiger Trackindex vor.!There was an invalid track index.SettingsManagerVRuft Gpsbabel passend zu Ihren Angaben auf+Invokes gpsbabel according to your settings MyMainWindow,Zeichengetrennte WerteCharacter separated valuesSettingsManager\Es wurde ein ungltiges Datumsformat gefunden.!There was a date in a bad format.SettingsManagerJDieses Gitter wird nicht untersttzt.The grid is unsupported.SettingsManagerEinheiten, die in Kommentaren genutzt werden sollen. Entweder metrisch (m) oder "statute" (s). Beispiel: units=mtUnits used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=mSettingsManager,Ausgabedatei auswhlenSelect DestinationMyIOConfigWindowDEin Kommunikationsfehler trat auf.A communication error occured.SettingsManagerbEin Fehler ist beim ffnen der Datei aufgetreten.$There was an error opening the file.SettingsManagerDie Erstellung und Verffentlichung dieser Version erfolgte %1 durch %2. *It was created and published in %1 by %2.  MyMainWindowDieser Dateityp ist unbekannt oder wird zumindest nicht untersttzt.(The file type is unknown or unsupported.SettingsManager4Gewhlte Quelle bearbeitenEdit the selected input source MyMainWindowvDas Datum ist zu alt. Es muss jnger als der 1.1.1970 sein.=The date is out of range. It has to be later than 1970-01-01.SettingsManager6Bereinige WegpunktduplikatePurge waypoint duplicatesSettingsManagerhIn der Datei konnte nicht nach Daten gesucht werden.Could not seek file.SettingsManagerFDieses Garmin-Format ist unbekannt.This garmin format is unknown.SettingsManager,Carte sur table-FormatCarte sur tableSettingsManager4GpsDrive-Format fr TracksGpsDrive Format for TracksSettingsManagertFgt Notizen zur Listenansicht hinzu. Bentigt keinen WertKAdd notes to list views of the device. This option does not require a valueSettingsManagerDiese Version des MapSend-TRK-Dateiformates kann nicht verarbeitet werden.+This version of MapSend TRK is unsupported.SettingsManager~Dateien im Navicache-Format knnen leider nicht erzeugt werden.,There is no support writing Navicache files.SettingsManager~Das Verwenden dieser Option kehrt die Funktionsweise dieses Filters um. Er entfernt dann die Punkte innerhalb des Polygones, nicht diejenigen auerhalb. Beispiel: file=MeineGegend.txt,excludeAdding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,excludeSettingsManagerLGpsbabel hat ein Problem festgestellt.#A problem was detected by gpsbabel. MyMainWindowTDies ist keine Datei vom Format EasyGPS.This is not an EasyGPS file.SettingsManager^Die Datei ist keine Datei im Format QuoVadis.!This file is not a QuoVadis file.SettingsManagerFllt Lcken durch zustzliche Punkte, wenn der Abstand zweier aufeinanderfolgender Punkte grer als die angegebene Distanz istKInsert points if two adjacent points are more than the given distance apartSettingsManagerLSortieren nach numerischer Geocache-IDSort by numeric geocache IDSettingsManager>Es wurde kein Format angegeben.$A format name needs to be specified.SettingsManager4Franson GPSGate-SimulationFranson GPSGate SimulationSettingsManager GarminTracks.gpxGarminTracks.gpxSettingsManager>WegpunktedateiMitDoubletten.gpxWaypointsWithDuplicates.gpxSettingsManagerVvCard-Ausgabe (beispielsweise fr den iPod)Vcard Output (for iPod)SettingsManagerDiese Versionsnummer des MapSource-Dateiformates wird nicht untersttzt.2This version of the MapSource file is unsupported.SettingsManagerLegt das Datumsformat fest. Nhere Informationen finden sich im Anhang A der Gpsbabel-DokumentationiSpecifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formatsSettingsManager}Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypointSettingsManager\Entweder ist das Datum oder die Zeit ungltig.Either date or time is invalid.SettingsManagerdBeim ffnen einer Datei wurde ein Fehler entdeckt."There was an error opening a file.SettingsManagerDie Ausgabedatei ist bereits anderweitig geffnet und kann daher nicht erneut geffnet werden.8The output file already is open and cannot get reopened.SettingsManagerTEine unbekannte Tracklinie wurde gefunden.%There was an unrecognized track line.SettingsManagerEntfernt Wegpunktduplikate anhand ihres (Kurz-)Namens. Von A, B, B und C bleiben A, B und C brigXRemove duplicated waypoints based on their name. A, B, B and C will result in A, B and CSettingsManager>DeLorme an1 (Zeichnungs-) DateiDeLorme an1 (drawing) fileSettingsManagerEntfernt Wegpunktduplikate anhand ihrer Koordinaten. Von A, B, B und C bleiben A, B und C brig_Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and CSettingsManager^Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3SettingsManagerjPer default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0SettingsManagerGpilotSSettingsManager$VieleWegpunkte.gpxWaypointsHuge.gpxSettingsManager"DeLorme XMap/SAHH 2006 Native .TXTSettingsManagerNIf this option is specified, geocache placer information will not be processedSettingsManagerlIf you would like the generated bookmarks to start with the short name for the waypoint, specify this optionSettingsManagerRDie Tracks berlappen sich in den Zeiten.The tracks overlap in time.SettingsManager:Bereinige falsche Trackpunkte,Purge trackpoints with an obvious aberrationSettingsManager<Es wurde keine Zeit angegeben.%There was no time interval specified.SettingsManagerVAlle Trackdaten entfernen. Beispiel: tracks0Remove all tracks from the data. Example: tracksSettingsManagerTEin lokaler Pufferberlauf wurde entdeckt.%A local buffer overflow was detected.SettingsManagerVariable string size exceeded.SettingsManagernDie Quelldatei scheint keine gltige PSP-Datei zu sein.7The input file does not appear to be a valid .psp file.SettingsManagersUse the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint descriptionSettingsManagerxFehler beim Versuch, eine bestimmte Menge an Bytes zu lesen.2Error while reading the requested amount of bytes.SettingsManagerVLogge fortlaufend Position von Garmin-Gert!Get realtime position from GarminSettingsManagerPDie Nummer der GPX-Version ist ungltig."The GPX version number is invalid.SettingsManagerErstellt Wegpunkte aus Routen oder Tracks. Beispiel, um Wegpunkte aus einem Track zu erzeugen: wpt=trk\Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trkSettingsManager0Serielle Schnittstelle 1 Serial port 1SettingsManager0Serielle Schnittstelle 2 Serial port 2SettingsManager0Serielle Schnittstelle 3 Serial port 3SettingsManagerVEine ungltige Routennummer wurde entdeckt."There was an invalid route number.SettingsManager GarminRouten.gpxGarminRoutes.gpxSettingsManager(Garmin 301 Custom position and heartrateSettingsManagerText-Tab-Datei zur universellen Weiterverwendung in OpenOffice.org, Ploticus etc.9Tab delimited fields useful for OpenOffice, Ploticus etc.SettingsManagerGoogle Maps XML tracksSettingsManagerxTrackpunkte beibehalten, aber Wegpunkte und Routen entfernen)Keep tracks but drop waypoints and routesSettingsManagerjInterpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DDSettingsManagerDas BCR-Format kann nur eine Route pro Datei enthalten; daher wird die Originaldatei aufgeteiltKThe BCR format only supports one route per file, so the gpx file gets splitSettingsManager0Kommandozeile bearbeiten Edit command MyMainWindow(Mapopolis.com Mapconverter CSV waypointsSettingsManager~Geben Sie einen Namen fr die zu speichernde Voreinstellung ein'Enter a name for the preset to be savedSavePresetWindowTEF kann nicht verarbeitet werden, da expat nicht verfgbar ist.?This build excluded TEF support because expat is not available.SettingsManager((pop) Hnge Liste an(pop) Append listSettingsManagerFNavigon Mobile Navigator rte-Format#Navigon Mobile Navigator .rte filesSettingsManagerfBeim Einlesen der Datei ist ein Fehler aufgetreten.(An error occured while reading the file.SettingsManagerDie Standardkategorie ist "Meine Punkte". Beispiel fr eine abweichende Kategorie: category="Gute Restaurants"XThe default category is "My points". Example to change this: category="Best Restaurants"SettingsManagerVllig berraschend trat beim Lschen eines Wegpunktes ein klitzekleiner Fehler auf.2There was an unexpected error deleting a waypoint.SettingsManagerGeocachingDB for Palm/OSSettingsManagerZSuunto Trek Manager (STM) WaypointPlus-Format,Suunto Trek Manager (STM) WaypointPlus filesSettingsManager OziExplorerSettingsManager(BereinigterTrack.gpxPurgedTrack.gpxSettingsManager(QuoVadis fr Palm OSQuoVadis for Palm OSSettingsManagerEntfernt Punkte, deren vertikale Koordinate mehr als der angegebene Wert danebenliegt. Beispiel: vdop=20bRemove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20SettingsManager`Diese Datei scheint nicht vom Typ an1 zu sein.*This file does not seem to be an an1 file.SettingsManager<Hintergrundfarbe fr WegpunkteWaypoint background colorSettingsManagerDas Kommando sieht derzeit aus wie unten angegeben. Achten Sie beim Editieren bitte auf die folgende Syntax: gpsbabel -w -r -t -s -N -T -i Quelltyp,Quelloptionen -f Quelldatei.txt -x Filtertyp,Filteroptionen -o Zieltyp,Zieloptionen -F Zieldatei.txt: The current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: MyMainWindowDie Distanz ist unbedingt erforerlich und kann entweder in Metern oder Fu angegeben werden. Beispiele: distance=0.1m oder distance=0.1fThe distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1mSettingsManagergpsutil ist ein einfaches Kommandozeilenprogramm, um Wegpunktdaten zu handhaben@gpsutil is a simple command line tool dealing with waypoint dataSettingsManagerDas Format CoastalExplorer kann derzeit nicht verarbeitet werden, da expat nicht verfgbar ist.DThere is no CoastalExplorer support because expat was not installed.SettingsManagerTracks, die kein Datum enthalten, mit dem angegebenen Datum (JJJJMMTT) versehen. Beispiel: date=20071224LComplete date-free tracks with given date (YYYYMMDD). Example: date=20071224SettingsManagerxLsche Punkte anhand einer Datei, die ein Polygon beschreibt4Drop points according to a file describing a polygonSettingsManager&libpdb couldn't insert summary record.SettingsManager(Vito SmartMap TracksVito SmartMap tracksSettingsManager*Filterdatei auswhlenSelect Filter FileMyIOConfigWindowhDie Kombination von Datum und Raster ist unzulssig.1The combination of datum and grid is unsupported.SettingsManagernDie Quelldatei scheint keine gltige TPO-Datei zu sein.4The input file does not look like a valid .TPO file.SettingsManagerPfad/Gert: Path/Device:IOConfig"Kein MS-Dokument.No MS document.SettingsManagerDDieser Datensatztyp ist unbekannt.This record type is unknown.SettingsManagerMagellan MapsendSettingsManagerErstellt Routen aus Wegpunkten oder Tracks. Beispiel, um eine Route aus Wegpunkten zu erzeugen: trk=wpt\Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wptSettingsManagerTDie Verknpfungstabelle is nicht sortiert.The link table is unsorted.SettingsManagerBLsche Punkte anhand Polygondatei%Remove points based on a polygon fileSettingsManagerVDer Vorgang wurde erfolgreich abgeschlossen'The operation was successfully finished MyMainWindowbAlle Wegpunktdaten entfernen. Beispiel: waypoints6Remove all waypoints from the data. Example: waypointsSettingsManager(G7ToWin DatendateienG7ToWin data filesSettingsManagerNDie Datei ist nicht vom Format Cetus.The file is not a Cetus file.SettingsManager<Die Zeichenkette ist zu lange.The string is to long.SettingsManagernBeim Schreiben in die Ausgabedatei trat ein Fehler auf..There was an error writing to the output file.SettingsManagert'pop_args' wurde zu einem ungltigen Zeitpunkt aufgerufen.)Invalid point in time to call 'pop_args'.SettingsManager&Google Earth (Keyhole) Markup LanguageSettingsManagerDKlicken, um eine Datei auszuwhlen+Click to select a file from your filesystemIOConfigDieses Format untersttzt das Lesen von XML-Dateien nicht, da libexpat nicht gefunden wurde.MThis format does not support reading XML files as libexpat was not available.SettingsManagerXAlle aktuell geladenen Daten werden gelscht Clears all currently loaded data MyMainWindowgebabbel-0.4+repack/binincludes/translations/HOWTO0000644000175000017500000000066711110036323021173 0ustar hannohannoAbout translation files, read http://developer.skolelinux.no/info/studentgrupper/2006-hig-daisyplayer/project_management/reports/project/project.pdf http://torafugu.com/Trolltech/qt-4.0.0/html/qtranslator.html#details Enter newly desired translation.ts files in Gebabbel.pro in the root directory Run lupdate Gebabbel.pro in the root directory to update the ts files Run lrelease Gebabbel.pro in the root directory to create the qm files gebabbel-0.4+repack/binincludes/translations/fr_FR.qm0000644000175000017500000053134211110036332021704 0ustar hannohannor{T|e$@}~u~(w;Sۮ ~b~h 7IE@E!rJ"8ۑ"#&y%'e(&(<>*H^*^+KԮ+ ,u4-R5?-//Ⱦ1b2E^2%3[37~4rn5+"5#N6$ >6(6)7,8/ #9 0_.;x3nzK?M$?jO/u@RoAGT;A[.B]=BbC6cXCe?~D gnDp3E1r1GrG~bJO*MMANP O2UP6QwS.ST;T%UUiU$V_tVWcX.EXMZ~]5^a@^ָ_5Ӑ~__G`ega~ab cH#d#e=DeKf*g#g g8hi j.2j2k04gk6lI;emG?mBp#C$q EMIqH.rIsP't%S<tVtZ` uuuuQ0vNw1x~Cxy{y+zbzE{:{0U|\}}~1 ͙9 ShI S*֦m}FN t뗃xG|$P %#z6d{(!\1A1B1C*6r9*=ks@"G.IANKSmXÞ_OddALdmfE8$ф:WfATkYb04e!gȃMɲEC4 ɵ ?< u埮 ĄIy>{ aF8n[N5m.V13ުI45;'ANDl3fF>OOz)F[-]7]iEdl utƄx'~F%NțT1ɒII&IWIʑl%-̓!ϝ.М8_цѭ)wlFnӼţ~Pɤz/j]:;A.n!48Q/ چE]WobN ߚUFqfSce4 G#u  ] W$S[!E"c~%n,c 8f>w@HBcQ=uK^`_dc[RhnjpNLx x&z~5pNȕp@d}{8t8x!nrt&YctɲPh3ϲX)Nb1 ~ l 2 L^ H cQ N7 OQ.'0w4un=CCCEOPtMRܼMU6^XUOX`3kmNZoA^ ps {!|I" ~7# a#3%S4&\"&'!N'@'(x^(>)w *f*+hT,r-Mb.p5.5/zO/}>0+c1Ҡ2$U3Sf4qֽ05<僅6a7a7A 7s:8.8897C9j: Z:ܵ;t;dC"þ?&6@b&Ȏ@(Ad)).B.1HB.>Cn/'Dh9EYKF:NGRH']I.fCI|K~sK~xnLbM\.N2NOP$PwPRwR` S)NT!U<2W#W^˧WSX YsiZkZ[y[s\ttu\pd]g^r>_ &C_ʹ`oK`a],a5bckc#"de!e")f;#zf(#g,3hF-h/j66Tk-8k<lh@RlG^m7J"dnJ3o.UpVJqE`Trmjs2qj.sx>tGo-tsvwlnwUx~"y nzJޓ{|n|~K`~73q2x7my   9W $ 4 5dN 8  B9c EjY F  G W]T W~ Y [H c@ eѤ e3 f:n gB i i mt r# }, A #F p~ 4  K % !^ y  R O#o :P mA6 '@ e ޱ5 t  N^ Wu \  ,  5 G) n  N3 _  '2 *;B *r 0u% 0x 9@ ; b @ D IW>5 IZ Z  ]ʾB ^S fke wz x > { u>e bx n bR h€ `> .x I b Ĩ %G iu  uƼ $K Jy S WP •.͢ J R;Ά ׂn yr   Ѽ y V Ҙ ONM 5 { L  $yb (ܥ -W.؃ 6/5 6٢ 7t 8[\a :ۗ :H0 D-ܐ E Fݳ Lq Onߎ UC ]~ _F c3 fmna i j& n  ncB n v^N {v yCi u l o F0 ɞh c b   7 Ԑ S ( "S] ~  N D# 6*  ځ^ ~  \ w.0 PS  + n & 5s] 7 >x ? F I ]n I OL# 8 O= Yo1 = [ | dr gݴk h~  l> o_ o q xC } IB c. 5p u Z t   - MC   6v zs r V  I# ݗ! ݦ" P#> # $0 $ E%k ~&~ & ', s'} ( ^~) #) B* '\+ W+ 9- ؎. /] &U/ +~0U /0 01T 2E3< 2C3 44$ Bm5 Bq5w D7 Q8F S8 Tt9 T#:M V; V;d ]< _bA n> oU?y {۾@ fAN rA BZ !B >-Cg O^EM >E FN F CG `EH- .H SI >J nJ LeJ 3sK/ 菵K 1L NM NM Pe >P^QRS5eSNTJ#.T#hT&Ua&UESVIIdX/SZVG~ZWh.[E`\`m\iU]kh^Nm_o`p6b_pibtFbw<c3zde|te~fVW~f#g!hQi/ninjokClLmkl{naoaaoaoǮp< (pq˲qrCr8su(2$v=vw*Nw0x3y( y3@zK5N{;|S?c|Fe}oG8}c}h~Sl^ws}~ZTIaj# N3n(%nngR;.i~~+#sݾ1>l.u~ǕU]酾/]1Ri11 MainWindowOK FilterConfigOKIOConfigOKPreferencesConfigOKSavePresetWindow&OK&OK MyMainWindow......IOConfig......PreferencesConfig Destination MyMainWindow&Ajouter&Add MyMainWindowTexte brut Plain textSettingsManagerVLes adresses seront ajoutes au champs notes des waypoints, spares par , par dfaut. Utilisez cette fonction pour spcifier un autre dlimiteur. Exemple : addrsep=" - "Street addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - "SettingsManager2&Effacer le prrglage...&Delete Preset... MyMainWindowXNom d'icne pour rseau infrastructure fermInfrastructure closed icon nameSettingsManager\Il y a eu une erreur l'criture des donnes.&There was an error while writing data.SettingsManager Contient les prrglages pour vos commandes GPSBabel les plus utilises. Cliquer sur le bouton Sauver pour crer un nouveau prrglagenContains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset MyMainWindowHikeTechSettingsManager"FichierEntre.gpx Infile.gpxSettingsManagerN'utilise que les points de trace dont le nom (insensible la casse) est identique au nom donnQOnly use points of tracks whose (non case-sensitive) title matches the given nameSettingsManager&Edition&Edit MyMainWindow&Fichier&File MyMainWindow &Aide&Help MyMainWindow&Quitter&Quit MyMainWindowCe filtre peut tre utilis pour convertir le type des donnes GPS, par exemple convertir des waypoints en tracekThis filter can be used to convert GPS data between different data types, e.g. convert waypoints to a trackSettingsManager(L'opration a chouThe operation failed MyMainWindowFLe port ne peut pas tre configur.!The port could not be configured.SettingsManager\Ce fichier n'est pas un fichier .pdb PathAway.&This file is not a PathAway .pdb file.SettingsManager Garmin PCX5SettingsManagerjUn waypoint qui n'est pas dans la liste a t trouv.7A waypoint which is not in the waypoint list was found.SettingsManager<Une mauvaise date est apparue.A bad date occured.SettingsManagerNJe suis content que vous m'utilisiez :)!I am pleased to be used by you :) MyMainWindow Nom :Name:SavePresetWindowFormat :Type:IOConfig RduitParArc.wptPurgedByArc.wptSettingsManagerRWaypoints National Geographic Topo (.tpg))National Geographic Topo waypoints (.tpg)SettingsManagerpCre des noms courts bass sur l'adresse MAC du matriel2Create shortname based on the MAC hardware addressSettingsManagerIl y avait un caractre non-valide dans le format de date ou d'heure.6There was an invalid character in date or time format.SettingsManagerRSupprime des waypoints d'aprs un fichierPurge waypoints based on a fileSettingsManager"FichierEntre.loc InputFile.locSettingsManager"FichierSortie.wpt Outfile.wptSettingsManagerCre des traces partir de routes ou de waypoints. Exemple pour crer une trace depuis des waypoints : trk=wpt\Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wptSettingsManager~Supprime le protocole "serrement de mains" pour gagner du temps,Suppress use of handshaking in name of speedSettingsManager2Base de donne Garmin POIGarmin POI databaseSettingsManager2Barre d'outils principale Main Toolbar MyMainWindow.EntreDeTexteGarmin.txtGarminTextInput.txtSettingsManagerFL'entte de trace n'est pas valide.The track header is invalid.SettingsManagerDistance au centre (obligatoire). Exemple : distance=1.5k,lat=30.0,lon=-90.0JDistance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0SettingsManager(Fusionner les traces Merge TracksSettingsManagerrLe positionnement en temps rel n'est pas pris en charge.&Realtime positioning is not supported.SettingsManager\Le fichier de trace est inconnu ou non-valide.%The track file is unknown or invalid.SettingsManagerLCe type de point de trace est inconnu.!This track point type is unknown.SettingsManager8Cette fonction est inconnue.The feature is unknown.SettingsManager*Votre titre manquait.Your title was missing.SettingsManagerInverse une route ou une trace. Rarement ncessaire car la plupart des applications permettent de le faireVReverse a route or track. Rarely needed as most applications can do this by themselvesSettingsManagerHAjouter cette option divise la sortie en fichiers multiples utilisant le nom de la sortie comme base. Chaque waypoint, route ou trace cre un fichier supplmentaireAdding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional fileSettingsManagerSi cette option est ajoute, les icnes de marqueurs d'vnement sont ignors et ainsi ne sont pas convertis en waypoints`If this option is added, event marker icons are ignored and therefore not converted to waypointsSettingsManagerIndique si les phrases GPVTG sont traites. Si non-indiqu, cette option est active. Exemple pour dsactiver les phrases GPVTG : gpvtg=0Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0SettingsManagerpUne erreur a t dtecte dans la structure des donnes.2There was an error detected in the data structure.SettingsManagervDatum non-valide ou ceci n'est pas un fichier WaypointPlus.-Invalid GPS datum or not a WaypointPlus file.SettingsManagerTL'entte de la rfrence GPS est manquant."The GPS datum headline is missing.SettingsManagerCombine plusieurs traces en une seule. Utile pour un trajet en plusieurs traces comprenant des arrts pour la nuit. tCombine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop.SettingsManagertUtilise la distance depuis les angles au lieu des lignes (optionnel). Inverse le comportement de ce filtre en un filtre multi-point en place d'un filtre d'arc (similaire au filtre rayon)Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter)SettingsManagerlLe message d'erreur initial report par GPSBabel est :4The original error message reported by gpsbabel was: MyMainWindow@Format de marqueur Navitrak DNA Navitrak DNA marker formatSettingsManagerCette option permet de spcifier le nombre de points conservs dans la "queue de comte" gnre dans le mode de suivi en temps relxThis option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking modeSettingsManager:Erreur lors de l'analyse XML.Error while parsing XML.SettingsManagerPLes routes ne sont pas prises en charge.Routes are not supported.SettingsManagerRCe fichier n'est pas un fichier gpspilot.!This file is not a gpspilot file.SettingsManagerPCe fichier n'est pas un fichier cotoGPS.The file is not a cotoGPS file.SettingsManagerVous devez spcifier soit 'count' soit 'error', mais pas les deux.5You must specify either count or error, but not both.SettingsManagerMaRgion.txt MyCounty.txtSettingsManagerDcalage de temps entre le barographe et le GPS. Accepte la valeur auto ou un nombre entier de secondes. Exemple : timeadj=autobBarograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=autoSettingsManagerbLatitude du point central (D.DDDDD) (obligatoire)NLatitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required)SettingsManagerIndique si les phrases GPRMC sont traites. Si non-indiqu, cette option est active. Exemple pour dsactiver les phrases GPRMC : gprmc=0Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0SettingsManagerRIl y avait une heure d'un mauvais format.&There was a time of day in bad format.SettingsManager*Fichier de POI TomTomTomTom POI fileSettingsManagerlL'entte du fichier est incomplet ou n'est pas valide.)The file header is incomplete or invalid.SettingsManagerXObtenir des routes depuis un appareil GarminGet routes from a Garmin deviceSettingsManagerjGarmin MapSource - txt (dlimit par des tabulations)&Garmin MapSource - txt (tab delimited)SettingsManagerDL'attribution de memoire a chou.Memory allocation failed.SettingsManagerTN'est pas dans le catalogue de proprits.Not in property catalog.SettingsManagerDeuxRoutes.gpx TwoRoutes.gpxSettingsManagerPLes routes vides ne sont pas autorises.Empty routes are not allowed.SettingsManager&La pile tait vide.The stack was empty.SettingsManagerFIl y a eu une erreur dans pdb_Read.There was an error in pdb_Read.SettingsManagerCette option spare les segments de trace en traces distinctes lors de la lecture de fichiers .USROThis option breaks track segments into separate tracks when reading a .USR fileSettingsManager DonnesDeWBT.gpxDataFromWBT.gpxSettingsManagerScinde en plusieurs routes aux virages. Cre des routes spares pour chaque rue respectivement chaque changement de direction. Ne peut pas tre utilis avec les options 'turns_only' ou 'turns_important'Split into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' optionsSettingsManagerCette build exclut le support de Google Maps car expat n'est pas install.HThis build excluded Google Maps support because expat was not installed.SettingsManagerh'setshort_defname' a t invoqu sans un nom valide.1setshort_defname was called without a valid name.SettingsManagerfCe fichier n'est pas un fichier Magellan Navigator.*The file is not a Magellan Navigator file.SettingsManagerHCet encodage est aussi connu comme :$This character set also is known as:MyIOConfigWindowJBase de donnes PathAway pour Palm/OSPathAway Database for Palm/OSSettingsManager.WaypointsASupprimer.csvWaypointsToDrop.csvSettingsManagerIl n'est pas gnr d'tiquettes pour les pingles, alors les descriptions des waypoints sont ignoresWNo labels on the pins are generated, thus the descriptions of the waypoints are droppedSettingsManagerPRend les noms courts synthtiss uniques"Make synthesized shortnames uniqueSettingsManagerGEOnet Names Server (GNS)SettingsManagerJNom d'icne pour rseau ad-hoc ouvertAd-hoc open icon nameSettingsManager^Il y avait une valeur non-valide pour l'option.*There was an invalid value for the option.SettingsManagerBL'unit de distance est inconnue.The distance unit is unknown.SettingsManager:Mauvais tat interne dtect.Bad internal state detected.SettingsManager&TraceSimplifie.gpxSimplifiedTrack.gpxSettingsManagernZlib n'est pas disponible dans cette build de GPSBabel.0Zlib is not available in this build of gpsbabel.SettingsManager(Le flux a t rompu.The stream was broken.SettingsManagerSynthtise une acquisition GPS (les valeurs valides sont PPS, DGPS, 3D, 2D, NONE), par exemple pour la conversion d'un format ne comportant pas de statut d'acquisition vers un autre le ncessitant. Exemple : fix=PPSSynthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPSSettingsManagerNavicache.com XMLSettingsManagerLa configuration USB a chou. Un module du kernel bloque probablement l'appareil. En tant que super utilisateur root, essayez d'excuter les commandes rmmod garmin_gps' et 'chmod o+rwx /proc/bus/usb -R pour rsoudre le problme temporairement.The USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily.SettingsManagerSynthtise la direction. Cette option calcule ou recalcule une valeur de cap pour chaque point de trace, par exemple quand le format d'entre ne supporte pas cette information ou lorsque les points de trace ont t synthtiss partir du filtre 'interpolate'Synthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filterSettingsManager*Chemin vers GPSBabel:Path to Gpsbabel:PreferencesConfigEfface le prrglage actuel. Attention : aucune annulation possible !7Delete the current preset. Attention: There is no undo! MyMainWindowIndique si les phrases GPGSA sont traites. Si non-indiqu, cette option est active. Exemple pour dsactiver les phrases GPGSA : gpgsa=0Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0SettingsManagerLFusionne plusieurs traces en une seuleMerge multiple tracks into oneSettingsManagerIndique si les phrases GPGGA sont traites. Si non-indiqu, cette option est active. Exemple pour dsactiver les phrases GPGGA : gpgga=0Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0SettingsManagerHIl y a eu une erreur dans vsnprintf. There was an error in vsnprintf.SettingsManagerDLe datum n'est pas pris en charge.The datum is unsupported.SettingsManagerZNom d'icne pour rseau infrastructure ouvertInfrastructure open icon nameSettingsManagerHSur le point d'effacer le prrglageAbout to delete preset MyMainWindow$Echec de pdb_Read.Failed to perform pdb_Read.SettingsManagerdCette taille de secteur n'est pas prise en charge.The sector size is unsupported.SettingsManager@Le port ne peut pas tre ouvert.The port could not be opened.SettingsManagerInsre des points si deux points adjacents sont plus distants qu'un temps donnGInsert points if two adjacent points are more than the given time apartSettingsManager Lowrance USRSettingsManagerGarmin MapSourceSettingsManager\Inclut ou exclut les waypoints selon leur proximit un point central. Les points restants sont classs dans le fichier de sortie selon leur proximit dcroissante au centreIncludes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output fileSettingsManagerL'option datum="datum name" peut tre utilise pour spcifier comment le systme de coordonnes doit tre interprt. Les formats supports sont indiqus dans l'appendice A de la documentation de GPSBabel. Exemple: datum="NAD27"The option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManagerUne valeur de 0 dsactive l'affichage de symboles rduits lors du grossissement. 10 par dfaut.JA value of 0 will disable reduced symbols when zooming. The default is 10.SettingsManager0Fin de route inattendue.Unexpected end of route.SettingsManager0Afficher l'aide en ligneDisplay the online help MyMainWindowSupprims.gpx Discarded.gpxSettingsManager8La synchronisation a chou.The syncronisation failed.SettingsManager2Traitement EOD prmatur.Premature EOD processing.SettingsManagernLe format pour le changement de route n'est pas valide.'The format for road changes is invalid.SettingsManager~Envoyer des waypoints, routes ou traces vers un appareil Garmin*Send waypoints, routes or tracks to GarminSettingsManagerrLe nombre de waypoints est diffrent du comptage interne.Use this option to suppress the dashed lines between waypointsSettingsManagerGeocaching.comSettingsManagerXType de marqueur pour les points non-trouvsMarker type for unfound pointsSettingsManager<Supprime les gocaches enlevsSuppress retired geocachesSettingsManager<La prcision n'est pas valide.The precision is invalid.SettingsManagerEntrez un nom pour le nouveau prrglage. Choisir le nom d'un prrglage existant l'crasera. Le commentaire est optionnel :Please enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional:MySavePresetWindowdCouper la trace partir d'une indication de tempsCut Track based on timesSettingsManagernCocher cette option pour activer le suivi en temps rel-Check this option to turn realtime logging on MainWindowBCette option indique l'heure locale utiliser l'criture d'heures. C'est le dcalage par rapport au temps UTC en heures. Les valeurs valides vont de -23 +23This option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23SettingsManager>Amliorer les noms de waypointsImprove Waypoint Names MainWindowfLes donnes ne sont pas valides ou de type inconnu.'The data is invalid or of unknown type.SettingsManagernCe type d'enregistrement de route n'est pas implment.*This route record type is not implemented.SettingsManagerDFichier rsum NetStumbler (texte)NetStumbler Summary File (text)SettingsManager:&Enregistrer le prrglage...&Save Preset... MyMainWindowIndique le format d'entre et de sortie de la date. Les formatages sont identiques ceux de Windows. Exemple : date=YYMMDD}Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDDSettingsManagerNFichiers Suunto Trek Manager STM (.sdf)$Suunto Trek Manager STM (.sdf) filesSettingsManagerDivise la trace si les points sont loigns de plus de x kilomtres (k) ou miles (m). Voir la documentation de GPSBabel pour plus de dtailslSplit track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more detailsSettingsManager>Taille de donne non supporte.Unsupported data size.SettingsManagerxLa vitesse indique du port srie n'est pas prise en charge.&The given serial speed is unsupported.SettingsManager`La version du fichier n'est pas prise en charge.'The version of the file is unsupported.SettingsManager^Slectionner le chemin de l'excutable GPSBabel&Select path to the gpsbabel executablePreferencesConfigNLe datum GPS est inconnu ou non-valide.$The GPS datum is unknown or invalid.SettingsManager*RduitParPolygone.wptPurgedByPolygon.wptSettingsManager(Valeurs de ce filtreValues of this filter itemListItemAnnulerCancel FilterConfigAnnulerCancelIOConfigAnnulerCancelPreferencesConfigAnnulerCancelSavePresetWindowNe conserve pas mais supprime les points proches du centre. Exemple : distance=1.5k,lat=30.0,lon=-90.0,excludecDon't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,excludeSettingsManager0Mode de lecture illgal.Illegal read mode.SettingsManagerType de la route crer. Les valeurs valides sont : limited, toll, ramp, us, primary, state, major, ferry, local ou editable. La syntaxe tant trs spciale, voir la documentation de GPSBabel pour le detailType of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for detailsSettingsManagerHLa version de la trace est inconnue.The track version is unknown.SettingsManager<Supprime les points rapprochsPurge close pointsSettingsManagerHUn nom de fichier doit tre indiqu.!A filename needs to be specified.SettingsManagerCtrl+A MyMainWindowCtrl+E MyMainWindowCtrl+M MyMainWindowCtrl+P MyMainWindowCtrl+Q MyMainWindowCtrl+R MyMainWindowCtrl+S MyMainWindowCtrl+X MyMainWindowZSlectionner le fichier du programme GPSBabelSelect Gpsbabel binaryMyPreferencesConfig`Supprimer les donnes autres que celles de traceDrop all data except track dataSettingsManager`Il y a eu une erreur l'initialisation du port.)There was an error initialising the port.SettingsManagerRErreur l'criture du fichier de sortie.Error writing the output file.SettingsManagerGPSmanSettingsManagerUne erreur de communication a eu lieu lors de l'envoi de waypoints.5A communication error occured while sending wayoints.SettingsManagerzA t distribu sous les termes et conditions suivants : %1. CIt has been released under the following terms and conditions: %1.  MyMainWindow FiltreFilter MyMainWindowtIl y avait un caractre non-valide dans l'option de temps.2There was an invalid character in the time option.SettingsManagerCette option indique l'unit de temprature utiliser. Les valeurs valides sont C pour Celsius ou F pour Fahrenheit}This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for FahrenheitSettingsManagerFugawiSettingsManagerType du calque de dessin crer. Les valeurs valides sont : drawing, road, trail, waypoint ou track. Exemple : type=waypoint}Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypointSettingsManagerLangue : Language:PreferencesConfig@Donnes d'analyse de vol See YouSee You flight analysis dataSettingsManagerGebabbel besoin de savoir o se trouve GPSBabel. Laissez ce champ vide pour utiliser l'excutable GPSBabel inclusrGebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executablePreferencesConfigCela dsactive l'option cross-track. A la place, les points qui ont le moins d'effet sur la longueur du chemin indique sont retirsThis disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removedSettingsManagerTIl y a eu un entte de section non-valide.$There was an invalid section header.SettingsManagerPLes logs GPS ne sont pas pris en charge.GPS logs are not supported.SettingsManager^Entrez une courte description du prrglage ici)Enter a short comment for the preset hereSavePresetWindow(U.S. Census Bureau Tiger Mapping ServiceSettingsManagerFDonnes de l'API de gocodage YahooYahoo Geocode API dataSettingsManagerCette option indique le nombre de dcimales utiliser lors de l'criture de coordonnes. La prcision par dfaut est 3This option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3SettingsManagerrOuvre une bote de dialogue pour modifier les prfrences(Opens a dialog to modify the preferences MyMainWindow^Waypoints Microsoft Streets and Trips 2002-2006/Microsoft Streets and Trips 2002-2006 waypointsSettingsManagerType d'entreIntype MyMainWindow4Derniers rglages utilissLast Used Settings MyMainWindowVLe nombre de point attendu tait diffrent.*A different number of points was expected.SettingsManagerNUne erreur a t trouve dans wpt_type."An error was detected in wpt_type.SettingsManagerUne erreur interne est survenue dans cet_disp_character_set_names.:An internal error in cet_disp_character_set_names occured.SettingsManager,Format binaire EasyGPSEasyGPS binary formatSettingsManagerrUn sous-type non-valide de base de donnes a t dtect.)An invalid database subtype was detected.SettingsManager2Enregistrer le prrglage Save PresetMySavePresetWindowTlcharge les donnes d'un appareil WBT et efface ensuite le contenu de sa mmoireHDownload data from a WBT device and erase its memory contents afterwardsSettingsManager>Ce type de fichier est inconnu.The file type is unknown.SettingsManagerL'option 'snlen' contrle la longueur maximale des noms courts gnrsDThe snlen option controls the maximum length of generated shortnamesSettingsManager6Editer le type de ce filtreEdit the type for this filterMyIOConfigWindow,EnDehorsDeMaRgion.gpxOutsideMyCounty.gpxSettingsManagerDLa valeur de gpl_point est fausse.!The value for gpl_point is wrong.SettingsManagerIl y a eu une erreur interne pendant le traitement d'un enregistrement.6There was an internal error while working on a record.SettingsManagerBFichier de filtre en arc GPSBabelGPSBabel arc filter fileSettingsManager\Remplit les espaces sans donnes dans la traceFill distance gaps in trackSettingsManagerRestaurer les rglages par dfaut va effacer vos rglages actuels. Voulez-vous vraiment continuer ?`Restoring default settings will reset all your current settings. Do you really want to continue? MyMainWindow6Combine de multiples traces du mme trajet, par exemple enregistres par deux GPS, tries selon le temps des points. Exemple : merge,title="TRACE COMBINEE"Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG"SettingsManagerjlibpdb n'a pas pu ajouter un signet d'enregistrement.'libpdb couldn't append bookmark record.SettingsManager,Editer la &Commande...Edit &Command... MyMainWindow@Couleur d'avant-plan du waypointWaypoint foreground colorSettingsManagerNRetirer la source d'entre slectionne Remove the selected input source MyMainWindowCette option indique l'icne ou le type de waypoint crire pour chaque waypointJThis option specifies the icon or waypoint type to write for each waypointSettingsManagerhGPSBabel peut seulement lire les fichiers TPO 3.x.x.2gpsbabel can only read TPO versions through 3.x.x.SettingsManagerType d'entre XCSV non-dclar. Utiliser ... -i xcsv,style=path/to/style.fileHXCSV input style not declared. Use ... -i xcsv,style=path/to/style.fileSettingsManagerfDsactive (0) ou active (1) les noms courts uniques9Disables (0) or enables (1) unique synthesized shortnamesSettingsManagerHCe fichier n'est pas un fichier IGC.The file is not an IGC file.SettingsManagerRenvoie la position actuelle comme un seul waypoint. Cette option ne requiert aucune valeurWReturns the current position as a single waypoint. This option does not require a valueSettingsManager|Le fichier d'entre ne semble pas tre un fichier .TPG valide.7The input file does not appear to be a valid .TPG file.SettingsManagerPlibpdb ne peut ajouter l'enregistrement.libpdb couldn't append record.SettingsManagerSource MyMainWindowL'unit d'intervalle de temps spcifi n'est pas valide. Cela doit tre une de [dhms].BThe time interval specified was invalid. It must be one of [dhms].SettingsManagerDell Axim Navigation SystemSettingsManager\Il y a eu une erreur lors du rglage du dbit.)There was an error setting the baud rate.SettingsManagerGarminWaypoints.gpxSettingsManagerrCe filtre fonctionne sur les traces ou les routes et remplit les espaces vides entre les points spars d'un certain temps en secondes, ou d'une certaine distance en kilomtres ou milesThis filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apartSettingsManager Points.gpxSettingsManagerSupprime les points non-fiables prsentant une grande dilution de la prcision (horizontale et/ou verticale)URemove unreliable points with high dilution of precision (horizontal and/or vertical)SettingsManagerVCe n'est pas un fichier Magellan Navigator.&This is not a Magellan Navigator file.SettingsManagerSi des donnes de gocache sont disponibles, ne pas les inclure dans la sortie points de la pile (requiert la dfinition de la valeur de l'option depth)SSwap waypoint list with item on stack (requires the depth option to be set)SettingsManagerWaypoints Pushpin MS PocketStreets 2002 ; pas encore totalement pris en charge@MS PocketStreets 2002 Pushpin waypoints; not fully supported yetSettingsManagerEfface les donnes aprs la transformation. C'est utile pour viter les doublons dans la sortie. Exemple : wpt=trk,delDelete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,delSettingsManager,Il n'y a rien faire.There is nothing to do.SettingsManagerJSi ncessaire, entrer les options ici If necessary, enter options hereMyIOConfigWindowDeLorme XMap HH Native .WPTSettingsManagerRWaypoints XML WiFiFoFum 2.0 pour PocketPC(WiFiFoFum 2.0 for PocketPC XML waypointsSettingsManagerPFusionne la sortie un fichier existant+Merges output with an already existing fileSettingsManagerVous permet d'indiquer le nombre de pixels gnrer par le serveur Tiger sur l'axe horizontal lors de l'utilisation de l'option 'genurl'Lets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' optionSettingsManagerzLe fichier n'est pas valide (pas de catalogue de proprits).*The file is invalid (no property catalog).SettingsManagerCette option fusionne toutes les traces en une seule trace segments multiplesHThis option merges all tracks into a single track with multiple segmentsSettingsManagerOptions MyMainWindowCe type d'entre n'est pas pris en charge car expat n'est pas disponible.GThere is no support for this input type because expat is not available.SettingsManagerNWaypoints GPSPilot Tracker pour Palm/OS&GPSPilot Tracker for Palm/OS waypointsSettingsManagerVous permet d'indiquer le nombre de pixels gnrer par le serveur Tiger sur l'axe vertical lors de l'utilisation de l'option 'genurl'Lets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' optionSettingsManagerLe traitement des traces peut tre long avec un rcepteur GPS port srieVProcessing tracks can cause long processing times when reading from serial GPS devices MainWindow6Efface le prrglage actuelDelete the current preset MyMainWindowGarmin MapSource - gdbSettingsManagerGarmin MapSource - mpsSettingsManagerVIl y avait un mauvais argument 'timeadj'.!There was a bad timeadj argument.SettingsManagerTIl y avait une erreur dans la chane fat1.%There was an error in the fat1 chain.SettingsManager<Editer le type de cette sortieEdit the type for this outputMyIOConfigWindow@Un objectif inconnu est survenu.An unknown objective occured.SettingsManagerCe format ne supporte que les traces, pas les waypoints ni les routes.?This file format only supports tracks, not waypoints or routes.SettingsManagerJImpossible de crer un analyseur XML.Unable to create an XML parser.SettingsManager:Cre des icnes de geocachingSynthesizes geocaching icons MainWindowplibpdb n'a pas pu accder la mmoire d'enregistrement.#libpdb could not get record memory.SettingsManagerCette option indique l'icne ou le type de waypoint crire pour chaque waypoint en sortieTThis option specifies the icon or waypoint type to write for each waypoint on outputSettingsManagerGnrer un fichier avec latitude/longitude pour centrer la carte. Exemple : genurl=tiger.ctrGGenerate file with lat/lon for centering map. Example: genurl=tiger.ctrSettingsManagerGeocaching.com .locSettingsManagerUne erreur de nom ou de champ est survenue dans le fichier .dbf./A name or field error occured in the .dbf file.SettingsManagerType de sortieOuttype MyMainWindowCette build exclut le support de KML car expat n'est pas install.@This build excluded KML support because expat was not installed.SettingsManagerIl y a eu une erreur lors de l'autodtection du format de donnes.1There was an error autodetecting the data format.SettingsManagerVRoutes Map&Guide 'Tour Exchange Format' XML+Map&Guide 'Tour Exchange Format' XML routesSettingsManagerLongueur des noms courts gnrs. La longueur par dfaut est 16 caractres. Exemple : snlen=16OLength of the generated shortnames. Default is 16 characters. Example: snlen=16SettingsManagerNe conserve que les points proches d'un arc dfini par un fichier jusqu' une distance donne@Only keep points within a certain distance of the given arc fileSettingsManagerjCommunication dfaillante. Vrifiez le dbit utilis.=The communication was not OK. Please check the bit rate used.SettingsManagerSupprime les waypoints prsentant une dilution de la prcision horizontale suprieure la valeur donne. Exemple : hdop=10dRemove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10SettingsManager(Rcepteur GPS GarminGarmin GPS deviceSettingsManager ConfigurationIOConfig ConfigurationSavePresetWindowNFichier de noms gographiques NIMA/GNISNIMA/GNIS Geographic Names FileSettingsManagerDIndique le nom de la route crer)Specifies the name of the route to createSettingsManager2Configuration des filtresFilter Configuration FilterConfigMapTech Exchange FormatSettingsManagerGeoNiche (.pdb)SettingsManager\Cocher cette option pour traiter les waypoints&Check this option to process waypoints MainWindowtCette option indique la vitesse de la simulation en noeudsCThis option specifies the speed of the simulation in knots per hourSettingsManagerLLe tlchargement n'a pas t termin.The download was not complete.SettingsManager4Ajoute une source d'entreAdd an input source MyMainWindow>Nom du prrglage enregistrerName for the preset to saveSavePresetWindowLPermet d'diter la commande excuter)Allows to edit the command to be executed MyMainWindowCette option spcifie la catgorie par dfaut d'une sortie gdb. Cela devrait tre un nombre entre 1 et 16]This option specifies the default category for gdb output. It should be a number from 1 to 16SettingsManagerUtiliser cette image, 24x24 ou plus petite, RVB 24 ou 32 bits de couleur ou couleurs indexes 8 bits. Exemple : bitmap="tux.bmp"mUse this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp"SettingsManagerFLe type ne semble pas tre correct.$The type doesn't seem to be correct.SettingsManagerNGPSBabel n'a pas pu allouer la mmoire.'gpsbabel was unable to allocate memory.SettingsManager4Editer les &Prfrences...Edit &Preferences... MyMainWindowVUne fin de fichier inattendue est survenue."An unexpected end of file occured.SettingsManagerDDemande l'appareil de s'teindre!Command unit to power itself downSettingsManagerDcale les valeurs de temps des points de trace. Exemple : move=+1h;Correct trackpoint timestamps by a delta. Example: move=+1hSettingsManagerCette build exclut le support de WFFF_XML car expat n'est pas disponible.DThis build excluded WFFF_XML support because expat is not available.SettingsManagerIl ne semble pas y avoir d'appareil USB Garmin connect cet ordinateur.;No Garmin USB device seems to be connected to the computer.SettingsManagerIl y a eu une tentative de lire une quantit d'octets inattendue.;There was an attempt to read an unexpected amount of bytes.SettingsManagerrNombre maximal de points conserver. Exemple : count=5004Maximum number of points to keep. Example: count=500SettingsManagerLe fichier d'entre est d'une ancienne version du fichier USR et n'est pas pris en charge.KThe input file is from an old version of the USR file and is not supported.SettingsManagerRduit le nombre de points de la trace un maximum de 500 (appareils Garmin)IReduce the amount of trackpoints to a maximum of 500 (for Garmin devices)SettingsManagervFichiers de Trace Sportsim (partie de fichiers .ssz zipps)0Sportsim track files (part of zipped .ssz files)SettingsManagerIndique le nom de l'icne utiliser pour les points d'accs non-dtectables et cryptsJSpecifies the name of the icon to use for stealth, encrypted access pointsSettingsManagerLLe datum GPS n'est pas pris en charge.The GPS datum is unsupported.SettingsManagernUne tentative de sortie de trop de points est survenue./An attempt to output too many pushpins occured.SettingsManagerLe fichier ressemble un fichier .pdb PathAway mais n'a pas de gps magic.BThe file looks like a PathAway .pdb file, but it has no gps magic.SettingsManagerSupprime les noms de waypoints et essaie d'en crer de meilleurs7Discards waypoint names and tries to create better ones MainWindowZCe fichier n'est pas un fichier GeocachingDB.$The file is not a GeocachingDB file.SettingsManagerLe nom est un nom rserv de la base de donnes et ne doit pas tre utilis.;The name is a reserved database name and must not get used.SettingsManager$TraceOriginale.gpxOriginalTrack.gpxSettingsManagerLocalisation :Language setting:PreferencesConfig&Traiter&Process MyMainWindow,Utilise l'erreur d'alignement "cross-track" (c'est la valeur par dfaut). Retire les points proches d'une ligne trace entre les deux points adjacentswUse cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to itSettingsManager8Rayon par dfaut (proximit)Default radius (proximity)SettingsManagerCes donnes de trace ne sont pas valides ou dans une version non-supporte.CThis track data is invalid or the format is an unsupported version.SettingsManagerOptions :Options:IOConfigUne erreur interne est survenue : les formats ne sont pas tris par taille croissante.KAn internal error occured: formats are not ordered in ascending size order.SettingsManager>Rayon de notre bonne vieille Terre (6371000 mtres par dfaut). Des exprimentations prudentes avec cette valeur peut aider rduire les erreurs de conversion~Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errorsSettingsManagerSortie.wpt Output.wptSettingsManagerEntre.loc Input.locSettingsManager>Map&Guide/Motorrad RoutenplanerMap&Guide/Motorrad RoutenplanerSettingsManagerNe lit que les virages et saute les autres points. Ne garde que les waypoints de virages associs un nom[Only read turns but skip all other points. Only keeps waypoints associated with named turnsSettingsManagerPL'indicateur de format n'est pas valide. The format specifier is invalid.SettingsManagerbIl y a eu une erreur de structure de coordonnes.(There was a coordinates structure error.SettingsManagervIl y a eu une erreur lors de l'analyse d'un enregistrement.*There was an error while parsing a record.SettingsManager2WaypointsSansDoublons.gpxWaypointsWithoutDuplicates.gpxSettingsManagerBWaypoints MapTech Exchange Format!MapTech Exchange Format waypointsSettingsManager@Longueur des noms courts gnrsLength of generated shortnamesSettingsManagerFichier csv universel avec structure des champs en premire ligne8Universal csv with field structure defined in first lineSettingsManagernTlchargement depuis un barographe Brauniger IQ Series&Brauniger IQ Series Barograph DownloadSettingsManager@Cartographie numrique TrackLogsTrackLogs digital mappingSettingsManagerVersion de format de fichier non supporte pour le fichier d'entre..Unsupported file format version in input file.SettingsManagerFCoPilot Flight Planner pour Palm/OS"CoPilot Flight Planner for Palm/OSSettingsManagerGarmin Points of InterestSettingsManagerfIl y a eu une erreur l'ouverture du fichier .dbf.'An error occured opening the .dbf file.SettingsManager4Fin de fichier inattendue.Unexpected end of file.SettingsManagerImpossible de diviser plus d'une trace. Veuillez fusionner (pack ou merge) avant traitement.ICannot split more than one track. Please pack or merge before processing.SettingsManager<Exemple de format texte GarminGarmin text format exampleSettingsManagerB(pop) Remplace le haut de la pile(pop) Discard top of stackSettingsManagerXObtenir des traces depuis un appareil GarminGet tracks from a Garmin deviceSettingsManagerFCompeGPS & Navigon Mobile Navigator#CompeGPS & Navigon Mobile NavigatorSettingsManagerIl y a eu une tentative de sortie d'un trop grand nombre de points./There was an attempt to output too many points.SettingsManagerGrandeTrace.gpx HugeTrack.gpxSettingsManagerZFichiers de donnes CompeGPS (.wpt/.trk/.rte)$CompeGPS data files (.wpt/.trk/.rte)SettingsManagerSupprime des donnes d'aprs des fichiers de polygones ou d'arcs)Purge data based on polygon and arc filesSettingsManagerZCette liste contient les lments des filtres#This list contains the filter items MainWindowZWaypoints Magellan NAV Companion pour Palm/OS,Magellan NAV Companion for Palm/OS waypointsSettingsManagerMarge pour la carte en degrs ou pourcentage. Utile uniquement en conjonction avec l'option 'genurl'ZMargin for map in degrees or percentage. Only useful in conjunction with the genurl optionSettingsManagerLe format de ce fichier TPO est trop rcent (aprs 2.7.7) pour GPSBabel.CThis TPO file's format is to young (newer than 2.7.7) for gpsbabel.SettingsManager,Configurer les filtresConfigure Filter MyMainWindowAutorise les CARACTERES MAJUSCULES dans les noms courts synthtiss4Allow UPPERCASE CHARACTERS in synthesized shortnamesSettingsManager@Ne peut pas crer un parser XML.Cannot create an XML Parser.SettingsManager+DeLorme XMat HH Street Atlas USA .WPT (PPC)SettingsManagerUne erreur est survenue en essayant de lire la position. Peut tre que l'appareil n'a pas encore acquis de satellite.bAn error occured while trying to read positioning data. Maybe the device has no satellite fix yet.SettingsManagerFFormat de fichier GPS XML universelUniversal GPS XML file formatSettingsManagerChemin vers le fichier de style xscv. Voir l'appendice C de la documentation de GPSBabel pour plus de dtailsYPath to the xcsv style file. See the appendix C of the gpsbabel Documentation for detailsSettingsManagertIl y avait une mauvaise indication de temps dans la trace.(There was a bad timestamp in the track .SettingsManagerOprations avances sur des piles de donnes de trace. Se rfrer la documentation de GPSBabel pour plus de dtailsMAdvanced stack operations on tracks. Please see the gpsbabel docs for detailsSettingsManagerJFichiers Magellan SD (pour eXplorist)$Magellan SD files (as for eXplorist)SettingsManager.Configuration systme :System Configuration:PreferencesConfig`Le rglage de parit indiqu n'est pas support.(The given parity setting is unsupported.SettingsManagerZTrop peu de waypoints dans la route de tche. Too few waypoints in task route.SettingsManagerAjoute des points si deux points sont spars de plus d'une distance spcifie en kilomtres ou en miles. Exemple : distance=1k ou distance=2mAdds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2mSettingsManagerrSupprime des points d'aprs un arc dfini dans un fichier1Drop points according to a file describing an arcSettingsManagerDUne erreur d'analyse est survenue.A parse error occured.SettingsManagerLIl y a eu des coordonnes non-valides.$There have been invalid coordinates.SettingsManagerZLongueur maximale du nom de waypoint crire$Max length of waypoint name to writeSettingsManagerConserve les virages. Cette option n'est utile qu'en conjonction avec le filtre 'simplify'RKeep turns. This option only makes sense in conjunction with the 'simplify' filterSettingsManagerLe fichier "%1" ne peut tre trait. Entrez son chemin complet dans la ligne de commande ou dans les prfrences.oThe file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. MyMainWindow$Waypoints CompeGPSCompeGPS waypointsSettingsManagerzExemple montrant toutes les options du format de texte Garmin5Example showing all options of the garmin text formatSettingsManagerGPSBabel a quitt de manire inattendue l'opration. Les fichiers crs ne doivent tre utiliss mais effacs.cgpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. MyMainWindowJDsol, le fichier %1 est introuvable$Sorry, but the file %1 was not foundListItemIgnore les points cachs calculs (points de route qui n'ont pas de waypoint quivalent).TDrop calculated hidden points (route points that do not have an equivalent waypoint.SettingsManager<Type d'acquisition non-valide.Invalid fix type.SettingsManagerNURL de base pour les tiquettes de lienBase URL for link tagsSettingsManagerFUne erreur de lecture est survenue.A read error occured.SettingsManagerDonnesGpx.gpx GpxData.gpxSettingsManagerDfinit le format des coordonnes. Les formats pris en charge incluent les degrs dcimaux (degformat=ddd), les minutes dcimales (degformat=dmm) ou degrs, minutes, secondes (degformat=dms). Si cette option n'est pas spcifie, cela sera dmm par dfaultDefines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmmSettingsManager$pdb_Read a chou.pdb_Read failed.SettingsManagerDTri selon le nom court de waypointSort by waypoint short nameSettingsManagerNe trie pas les points restants selon leur distance au centre. Exemple : distance=1.5k,lat=30.0,lon=-90.0,nosortqDon't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosortSettingsManagerhLe suivi en temps rel (-T) exclut les autres modes.3Realtime tracking (-T) is exclusive of other modes.SettingsManagerDAucun intervalle n'a t spcifi.No interval was specified.SettingsManagerCette option indique l'unit utiliser lorsque des distances apparaissent en sortie. Les vleurs valides sont M pour les units mtriques (mtres/kilomtres) et S (statute) pour les units impriales (pieds/miles) This option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles)SettingsManagerType de sortie XCSV non-dclar. Utiliser ... -o xcsv,style=path/to/style.fileIXCSV output style not declared. Use ... -o xcsv,style=path/to/style.fileSettingsManagerFUne erreur d'criture est survenue.A write error occured.SettingsManagerjObtenir et effacer des donnes depuis un appareil WBTGet and erase data from WBTSettingsManager2Fichier Places TopoMapProTopoMapPro Places FileSettingsManagerJCe type d'enregistrement est inconnu."This input record type is unknown.SettingsManagerLRduire la trace 500 points (Garmin)"Purge track to 500 points (Garmin)SettingsManagerVLecture de waypoints en dehors des donnes.Out of data reading waypoints.SettingsManagerSymbole utiliser pour un point de donne. Exemple : deficon="Red Flag"9Symbol to use for point data. Example: deficon="Red Flag"SettingsManagerRetire les points ayant le mme nom ou la mme position qu'un autreCRemove waypoints with the same name or location of another waypointSettingsManagertImpossible d'interpoler la fois le temps et la distance.-Cannot interpolate on both time and distance.SettingsManagerJL'entte de section n'est pas valide.The section header is invalid.SettingsManagerHFormat d'enregistreur de vol FAI/IGC#FAI/IGC Flight Recorder Data FormatSettingsManager|Nombre maximal de commentaires crire. Exemple : maxcmts=2005Max number of comments to write. Example: maxcmts=200SettingsManagerDFormat d'appareil srie/USB GarminGarmin serial/USB device formatSettingsManagerLLe nom de couleur n'a pas t reconnu. The color name was unrecognized.SettingsManager@La temprature n'est pas valide.The temperature is invalid.SettingsManagerlcrosstrack et length ne s'utilisent pas simultanment./crosstrack and length may not be used together.SettingsManager~L'criture d'une sortie n'est pas encore support pour cet tat8Writing output for this state currently is not supportedSettingsManagertEntrer le chemin d'un fichier ou le port d'un appareil ici1Enter the path to a file or port of a device hereMyIOConfigWindow@Une erreur interne est survenue.An internal error occured.SettingsManagerManipule des listes de traces (dcalage temporel, dcoupage selon le temps ou la distance, combinaison, division, fusion)dManipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging)SettingsManager DeLorme GPLSettingsManagerPar dfaut cette option est zro, de sorte que les altitudes sont colles au sol. Quand cette option n'est pas zro, les altitudes peuvent flotter au-dessus ou au-dessous du sol. Exemple : floating=1Per default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1SettingsManager(cotoGPS pour Palm/OScotoGPS for Palm/OSSettingsManagerJL'analyseur XML n'a pas pu tre cr.!The XML parser cannot be created.SettingsManager(Configurer la sortieConfigure Output MyMainWindow Sortie textuelleTextual OutputSettingsManager^Une erreur est survenue dans le fichier source.$An error occured in the source file.SettingsManagerXCe type de fichier n'est pas pris en charge.This file type is unsupported.SettingsManagerfL'encodage des caractres n'est pas pris en charge.!The character set is unsupported.SettingsManagerUtilisez cette option pour inclure les logs de cache Groundspeak dans le document cr s'il y en aZUse this option to include Groundspeak cache logs in the created document if there are anySettingsManagerVersion MapSend des fichiers TRK gnrer (3 ou 4). Exemple : trkver=3@MapSend version TRK file to generate (3 or 4). Example: trkver=3SettingsManager6Enregistreur de vol FAI/IGCFAI/IGC Flight RecorderSettingsManagerDeLorme Street Atlas PlusSettingsManagerValeur numrique du dbit de donnes. Les options sont 1200, 2400, 4800, 9600, 19200, 57600, et 115200. Exemple : baud=4800pNumeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800SettingsManagerVersion GPX cible. La version par dfaut est 1.0 mais vous pouvez choisir 1.1LTarget GPX version. The default version is 1.0, but you can even specify 1.1SettingsManagerlRetire les waypoints, traces ou routes des donnes. Il est possible de supprimer les trois types de donnes, mme si cela n'a pas de sens. Exemple : nuketypes,waypoints,routes,tracksRemove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracksSettingsManager)National Geographic Topo .tpg (waypoints)SettingsManagerHSi ncessaire, entrer l'encodage ici(If necessary, enter a character set hereMyIOConfigWindowBRestaurer les rglages par dfautRestore Default Settings MyMainWindoweXplorist ne supporte pas plus de 200 waypoints dans un fichier .gs. Rduisez le nombre de waypoints envoys.qeXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent.SettingsManagerHAjoute les waypoints au fichier HTMLWrite waypoints to HTMLSettingsManager@Fichier de donnes CarteSurTableCarteSurTable data fileSettingsManager0USB vers le port Srie 1USB to serial port 1SettingsManager0USB vers le port Srie 2USB to serial port 2SettingsManager0USB vers le port Srie 3USB to serial port 3SettingsManagerDIl y a eu une altitude non-valide.#There has been an invalid altitude.SettingsManager^Obtenir des waypoints depuis un appareil Garmin"Get waypoints from a Garmin deviceSettingsManagerFichiers exports de Map&Guide vers Palm/OS, contenant des waypoints et des routes (.pdb)KMap&Guide to Palm/OS exported files, containing waypoints and routes (.pdb)SettingsManagerVUne erreur a t dtecte dans les donnes."An error was detected in the data.SettingsManager^La version du modle du rcepteur est inconnue.1The receiver type resp. model version is unknown.SettingsManager TraceDcale.gpxTimeshiftedTrack.gpxSettingsManagerHTraite une route au lieu d'une trace"Work on a route instead of a trackSettingsManagerXRemplit les temps sans donnes dans la traceFill time gaps in trackSettingsManagerNCe filtre ne marche qu'avec des traces.$This filter only can work on tracks.SettingsManager<Crer des icnes de geocachingCreate geocaching icons MainWindow8Editer le filtre slectionnEdit the selected filter MyMainWindowXSupprime des points d'aprs un fichier d'arc"Remove points based on an arc fileSettingsManager<La configuration USB a chou.The USB-Configuration failed.SettingsManagerChoisir cette option efface toutes les donnes du rcepteur avant de faire un transfertPSetting this option erases all waypoints in the receiver before doing a transferSettingsManagerAjoute la position au champ adresse, comme vu dans la vue en liste de l'appareil. Cette option ne requiert pas de valeurkAdd position to the address field as seen in list views of the device. This option does not require a valueSettingsManagerlIl y a eu une erreur la cration de l'analyseur XML.*There was an error creating an XML Parser.SettingsManagerTLogiciel de vol voile Cambridge/Winpilot"Cambridge/Winpilot glider softwareSettingsManagerLlibpdb ne peut crer l'enregistrement.libpdb couldn't create record.SettingsManagerUtilise les valeurs de profondeur en sortie (ignores par dfaut):Use depth values on output (the default is to ignore them)SettingsManagerSupprime les points proches d'autres points, selon la distance indique. Exemples : position,distance=30f ou position,distance=40mwRemove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40mSettingsManagerjLes waypoints ne peuvent tre lus depuis l'interface.0The waypoints cannot be read from the interface.SettingsManagerNFichiers .sdf Suunto Trek Manager (STM)$Suunto Trek Manager (STM) .sdf filesSettingsManager(Lit la route comme une trace, crant des temps commenant du temps actuel et utilisant les temps de trajet estims indiqus dans votre fichier routeRead the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route fileSettingsManager|Enregistre les rglages actuels en tant que nouveau prrglage'Save the current settings as new preset MyMainWindowhRetire les points de trace moins de 1m de la trace:Remove trackpoints which are less than 1m apart from trackSettingsManager,Nom d'icne par dfautDefault icon nameSettingsManagerFormat du data logger Wintec WBT-100/200, comme l'application Windows de WintecQWintec WBT-100/200 data logger format, as created by Wintec's Windows applicationSettingsManager Route2.bcrSettingsManager`Il y a eu une erreur la configuration du port.(There was an error configuring the port.SettingsManager Route1.bcrSettingsManager TraceRduite.gpxTruncatedTrack.gpxSettingsManagerVIl y a eu une erreur dans la structure XML.(There was an error in the XML structure.SettingsManager2Quitter cette applicationQuit this application MyMainWindow&Annuler&Cancel MyMainWindowNLes rgions GPS ne sont pas supportes.GPS regions are not supported.SettingsManagerVIl y avait un waypoint d'un mauvais format.%There was a waypoint with bad format.SettingsManagerHNom d'icne pour rseau ad-hoc fermAd-hoc closed icon nameSettingsManagerDeLormeSettingsManagernCe fichier est d'une version de PathAway non supporte.5This file is from an unsupported version of PathAway.SettingsManagerCe filtre traite les waypoints et supprime les doublons selon leur nom, leur position ou d'aprs un fichier de correctionswThis filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections fileSettingsManager Wintec WBTSettingsManagerDRduire la trace d'aprs un cerclePurge track based on a circleSettingsManagerPlutt utiliser les noms courts (0) au lieu de la description (1) des waypoints pour crer les noms courtsZUse shortname (0) instead of the description (1) of the waypoints to synthesize shortnamesSettingsManager*L'option datum="nom du datum" peut tre utilis pour outrepasser le NAD27 (Amrique du Nord 1927 moyen) qui est correct pour les Etats-Unis continentaux. Les datum supports sont indiqus dans la documentation de GPSBabel, Appendice A, Supported Datums. Exemple : datum="NAD27"The option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManager:MS PocketStreets 2002 PushpinMS PocketStreets 2002 PushpinSettingsManager0Catgorie non supporte.Unsupported category.SettingsManager>Dcaler une trace dans le tempsTimeshift a trackSettingsManager<UTM n'est pas encore support.UTM is not supported yet.SettingsManager,Editer les prfrencesEdit PreferencesPreferencesConfigFichier contenant la description du polygone (obligatoire). Exemple : file=MaRgion.txtRFile containing the vertices of the polygon (required). Example: file=MyCounty.txtSettingsManagervLe type de route pour les changements de route est inconnu.*The road type for road changes is unknown.SettingsManager/dev/cu.WBT200-SPPslave-1SettingsManager,Editer les prfrencesEdit preferences MyMainWindow^Cette version de GDB n'est pas prise en charge."This GDB version is not supported.SettingsManager TrajetRetour.gpxJourneyBack.gpxSettingsManagerCette build exclut le support de GPX car expat n'est pas install.@This build excluded GPX support because expat was not installed.SettingsManagerbEcrit des traces compatibles avec Carto Exploreur,Write tracks compatible with Carto ExploreurSettingsManager0Distance depuis l'arc (requis). L'unit par dfaut est miles, mais il est recommand de toujours indiquer l'unit. Examples : distance=3M ou distance=5KDistance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5KSettingsManagerHTrie les waypoints chronologiquementSort waypoints chronologicallySettingsManagerpCe fichier n'est pas un fichier GeoNiche pris en charge.*This file is an unsupported GeoNiche file.SettingsManager,Fichier trace Kartex 5Kartex 5 Track FileSettingsManager@Il y a eu une erreur de lecture.There was a reading error.SettingsManagerZFichier d'exportation HSA Endeavour Navigator#HSA Endeavour Navigator export FileSettingsManagerLes points de trace ne sont pas tris selon l'indication de temps.*Track points are not ordered by timestamp.SettingsManagerNe conserver que les points entre le temps de dpart et le temps d'arrive5Only keep trackpoints between the start and stop timeSettingsManager&Manuel&Manual MyMainWindowTUne erreur d'I/O est apparue la lecture.!An I/O error occured during read.SettingsManager(WaypointsRduits.gpxWaypointsReduced.gpxSettingsManager(Texte KuDaTa PsiTrexKuDaTa PsiTrex textSettingsManagerrIl y avait un entte non-valide dans le fichier d'entre..There was an invalid header in the input file.SettingsManagerpUn point de trace sans indication de temps a t trouv.*A track point without timestamp was found.SettingsManagerAjouter cette option pour effacer les donnes de l'appareil la fin du tlchargementMAdd this option to erase the data from the device after the download finishedSettingsManagerbTous droits, y compris le copyright, rservs %1.2All rights, including the copyright, belong to %1. MyMainWindowZRetirer la destination de sortie slectionne&Remove the selected output destination MyMainWindow,Pas encore disponible.Not available yet.SettingsManagerIl y a eu une mauvaise indication de temps dans la route de tche.,There was a bad timestamp in the task route.SettingsManagerAutomatique AutomaticMyPreferencesConfigVQuitte cette application sans confirmation.4Quits this application without further confirmation. MyMainWindowChoisir cette option pour liminer de la route les points calculs, en conservant uniquement les points de route ayant un waypoint quivalentoSet this option to eliminate calculated route points from the route, only preserving only via stations in routeSettingsManager*Calcule une valeur de vitesse pour chaque point de trace, d'aprs les points environnants. Particulirement utile pour les points de trace interpolsSynthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpointsSettingsManagerfL'intervalle de rglage indiqu n'est pas support.&The given stop setting is unsupported.SettingsManagerPar dfaut les indices de geocaching ne sont pas crypts; utilisez cette option pour les crypter en ROT13XBy default geocaching hints are unencrypted; use this option to encrypt them using ROT13SettingsManagerRetire tous les points l'extrieur d'un polygone spcifi dans un fichier. Exemple : polygon,file=MaRgion.txt_Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txtSettingsManagerflibpdb n'a pas pu crer un signet d'enregistrement.'libpdb couldn't create bookmark record.SettingsManagerzSimplifie la trace pour une utilisation sur openstreetmap.org'Purge track for openstreetmap.org usageSettingsManager0Traces Vito Navigator IIVito Navigator II tracksSettingsManagerInterdit (0) ou autorise (1) les noms longs dans la cration de noms courts>Forbids (0) or allows (1) long names in synthesized shortnamesSettingsManagerGebabbel MainWindowNational Geographic TopoSettingsManager&Retirer&Remove MyMainWindow4Zlib a signal une erreur.Zlib reported an error.SettingsManager`nom d'icne par dfaut. Exemple : deficon=RedPin*Default icon name. Example: deficon=RedPinSettingsManager:Pas de donnes reues du GPS.)No data was received from the GPS device.SettingsManagerV(pop) Pemplace la liste (valeur par dfaut)(pop) Replace list (default)SettingsManagerWaypoints, routes and traces National Geographic Topo 3.x/4.x (.tpo)DNational Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo)SettingsManager6Le datum n'est pas reconnu.The datum is not recognized.SettingsManager Couleur pour les lignes ou les notes de carte. Couleur dfinie par la spcification CSS. Exemple pour la couleur rouge : color=#FF0000Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000SettingsManagerIndique le nom de l'icne utiliser pour les points d'accs dtectables et non-cryptsRSpecifies the name of the icon to use for non-stealth, non-encrypted access pointsSettingsManager@Format de rcepteur GPS MagellanMagellan GPS device formatSettingsManagerIndique le nom de l'icne utiliser pour les points d'accs non-dtectables et non-cryptsNSpecifies the name of the icon to use for stealth, non-encrypted access pointsSettingsManager>La lecture du fichier a chou.Reading the file failed.SettingsManagerLe fichier n'est pas valide ou pris en charge du fait de sa taille.7The file is invalid or unsupported due to its filesize.SettingsManagerhlibpdb n'a pas pu crer un enregistrement de rsum.&libpdb couldn't create summary record.SettingsManagerVCette liste contient les lments en sortie#This list contains the output items MainWindowIgnore les points sauf si la valeur d'erreur en miles (m) ou kilomtres (k) est atteinte. Exemple : error=0.001kkDrop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001kSettingsManager@Courte description du prrglageShort comment for the presetSavePresetWindowdImpossible d'interpoler les routes selon le temps."Cannot interpolate routes on time.SettingsManagerChoisir cette option pour autoriser les espaces dans les noms courts;Set this option to allow whitespace in generated shortnamesSettingsManagerUtilisez cette option pour inclure les logs de cache Groundspeak dans le document crIUse this option to include Groundspeak cache logs in the created documentSettingsManager2Entrez le nouveau nom iciEnter new name hereMySavePresetWindowNLe rayon doit tre plus grand que zro.'The radius should be greater than zero.SettingsManagerSupprime toutes les occurences de doublons. A, B, B et C donnera A et CJSuppress all instances of duplicates. A, B, B and C will result in A and CSettingsManagerNavigon Mobile Navigator (.rte)SettingsManagerUtilisez cette option si vous voulez pas que des images soient affiches sur l'appareil. Cette option ne requiert pas de valeurcUse this if you don't want a bitmap to be shown on the device. This option does not require a valueSettingsManager\Obtenir des waypoints depuis un fichier GarminGet waypoints from GarminSettingsManagerSuunto Trek ManagerSettingsManagerfPar dfaut, les donnes complmentaires des points de trace (vitesse calcule, date et heure, etc...) sont incluses. Exemple pour rduire la taille du fichier gnr : trackdata=0Per default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0SettingsManagerL'unit de distance spcifie n'est pas valide. Cela doit tre une de [km].;The distance specified was invalid. It must be one of [km].SettingsManagerCette option doit tre 'f' si vous souhaitez que l'altitude soit exprime en pieds (feet) and 'm' pour les mtres. 'f' par dfautkThis option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f'SettingsManagerdAffiche des informations propos de l'application)Display information about the application MyMainWindowZCela ne semble pas tre un fichier MapSource.*This does not seem to be a MapSource file.SettingsManagerConserve la premire occurence, mais utilise les coordonnes des derniers points et les supprimeOKeep the first occurence, but use the coordintaes of later points and drop themSettingsManagerRCe fichier n'est pas un fichier GeoNiche.!This file is not a GeoNiche file.SettingsManager0Fichiers trace IGN RandoIGN Rando track filesSettingsManagerCette option supprime tous les points tant plus proches d'un autre selon la distance indique, plutt que d'en laisser un seulzThis option removes all points that are within the specified distance of one another, rather than leaving just one of themSettingsManagerbIndique si Google Earth doit tracer la ligne reliant les points de trace au sol. C'est '0' par dfaut, les lignes ne sont pas traces. Exemple pour tracer les lignes : extrude=1Specifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1SettingsManagerHIl y a trop d'indicateurs de format.%There are too many format specifiers.SettingsManager,Slectionner la source Select SourceMyIOConfigWindowNom interne la base de donnes du fichier de sortie, lequel n'est pas identique au nom du fichier. Exemple : dbname=UnfoundgInternal database name of the output file, which is not equal to the file name. Example: dbname=UnfoundSettingsManagerNCartographie numrique TrackLogs (.trl) TrackLogs digital mapping (.trl)SettingsManager>Numro de version non support.Unsupported version number.SettingsManagerlRetire toutes les routes des donnes. Exemple : routes0Remove all routes from the data. Example: routesSettingsManagerSimplifie les routes ou traces, selon le nombre de points (voir l'option 'count') ou l'aberration maximale autorise (voir l'option 'error')Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option)SettingsManager6Configuration par dfaut... Defaults...PreferencesConfig,Indique l'apparence d'un point de donne. Les valeurs autorises sont : symbol (par dfaut), text, mapnote, circle or image. Exemple : wpt_type=symbolSpecifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbolSettingsManagerBValeurs spares par des virgulesComma separated valuesSettingsManagerAjoute des points si deux points sont spars de plus d'un intervalle spcifi en secondes. Ne peut tre utilis sur les routes car elles ne comportent pas de valeurs de temps. Exemple : time=10Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10SettingsManagerzLa gnration de ces types de fichiers n'est prise en charge.+Generating such filetypes is not supported.SettingsManagerDeLorme Street Atlas RouteSettingsManagerAjoute les descriptions la vue en liste de l'appareil. Cette option ne requiert pas de valeurRAdd descriptions to list views of the device. This option does not require a valueSettingsManagerRRcupre la liste de waypoints de la pilePop waypoint list from stackSettingsManagerN'utilise que les points de trace antrieurs ce temps. Exemple (anne, mois, jour, heure) : start=2007010110,stop=2007010118nOnly use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118SettingsManagerPlibpdb ne peut ajouter l'enregistrement.libpdb could not append record.SettingsManager Tout fichier (*) Any file (*)MyPreferencesConfig*Traiter les waypointsProcess waypoints MainWindow*Traiter les waypointsProcess Waypoints MainWindow>Il y avait une date non-valide.There was an invalid date.SettingsManager,Tous types de fichiers Any filetypeMyIOConfigWindowFiltre Rayon Radius FilterSettingsManagerVCette liste contient les lments en entre"This list contains the input items MainWindowGPS TrackMakerSettingsManager(Route de tche vide.Empty task route.SettingsManagerzTrie les waypoints par exactement une des options disponibles6Sort waypoints by exactly one of the available optionsSettingsManagerGrosFichier.gpx HugeFile.gpxSettingsManagerAffiche les tiquettes des points de trace et de route. Exemple pour ne pas les afficher : labels=0MDisplay labels on track and routepoints. Example to switch them off: labels=0SettingsManagerXRetourne la position actuelle comme waypoint%Return current position as a waypointSettingsManager$Traiter les tracesProcess Tracks MainWindow8Le fichier n'est pas valide.The file is invalid.SettingsManagerzVeuillez patienter pendant que GPSBabel traite les donnes...0Please wait while gpsbabel is processing data... MyMainWindowObtenir la position courante depuis un appareil Garmin et la transmettre un fichierEGet the current position from a Garmin device and stream it to a fileSettingsManagerBAjouter une destination de sortieAdd an output destination MyMainWindow LancerExecute MainWindow$Traiter les routesProcess Routes MainWindowUtilisez cette option pour crypter les indices des fichiers GPX Groundspeak en ROT13GUse this option to encrypt hints from Groundspeak GPX files using ROT13SettingsManagerHUn identifiant inconnu a t trouv. An unknwon identifier was found.SettingsManager`Il y a eu une erreur la conversion de la date.'There was an error converting the date.SettingsManagerUtilisez cette option pour crypter les indices des fichiers GPX Groundspeak en ROT13FUse this option to encrypt hints from Groundspeak GPX files with ROT13SettingsManager^Il y a eu une erreur l'allocation de mmoire.%There was an error allocating memory.SettingsManager&SuiviDePosition.kmlPositionLogging.kmlSettingsManager0Cette option spcifie le format d'entre et de sortie de l'heure. Les formatages sont identiques ceux de Windows. Un exemple de format : 'hh:mm:ss xx'This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx'SettingsManagerUtilise les valeurs de proximit en sortie (ignores par dfaut)>Use proximity values on output (the default is to ignore them)SettingsManagerjUn problme est survenu avec des donnes de waypoint.%A problem with waypoint data occured.SettingsManagerDLa distance n'a pas t spcifie. There was no distance specified.SettingsManager0Entrez vos commandes iciEnter your filter commands here FilterConfig6Il y a une option inconnue.There is an unknown option.SettingsManagerDWaypoints National Geographic Topo"National Geographic Topo waypointsSettingsManager4Cette option indique l'pingle utiliser si un waypoint a une date de cration postrieure celle indique par l'option 'oldthresh'. 'redpin' par dfautThis option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpinSettingsManager@Impossible d'crire les donnes.Could not write data.SettingsManager2Geocaching.com ou EasyGPSGeocaching.com or EasyGPSSettingsManagerCette option numrique ajoute le nombre de catgorie indiqu au waypointGThis numeric option adds the specified category number to the waypointsSettingsManager&TracesSeulement.gpxTracksOnly.gpxSettingsManagerSi le fichier source contient plus d'une route ou trace, utilisez cette option pour indiquer laquelle vous souhaitez en sortie (car ce format n'autorise qu'un lment par fichier). Exemple : index=1If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1SettingsManager4XML Garmin Training CenterGarmin Training Center xmlSettingsManager<Editer le type de cette entreEdit the type for this inputMyIOConfigWindowpL'unit Garmin ne supporte pas le transfert de waypoint./The Garmin unit does not support waypoint xfer.SettingsManagerrLa lecture du format maggeo n'est pas encore implmente.1Reading the maggeo format is not implemented yet.SettingsManager|Cre des waypoints depuis les entres de la liste de gocaches*Create waypoints from geocache log entriesSettingsManagerLance GPSBabelExecute gpsbabel MyMainWindowRLongueur maximale des noms courts gnrs&Maximum length of generated shortnamesSettingsManagerSortie PalmDocPalmDoc OutputSettingsManagerLieu par dfautDefault locationSettingsManager~Envoyer des waypoints, routes ou traces vers un appareil GarminCUpload GPX data like waypoints, routes or tracks to a Garmin deviceSettingsManagerrRcupration des donnes du GPS logger Wintec WBT-100/200&Wintec WBT-100/200 GPS logger downloadSettingsManagerZFichiers WaypointPlus Suunto Trek Manager STM*Suunto Trek Manager STM WaypointPlus filesSettingsManagerJLa ligne n'a pas pu tre interprte."The line could not be interpreted.SettingsManagerUtilisez cette option pour indiquer la feuille de style CSS utiliser avec le fichier HTML rsultantTUse this option to specify a CSS style sheet to be used with the resulting HTML fileSettingsManagerNIl y a eu un index de trace non-valide.!There was an invalid track index.SettingsManager@Lance GPSBabel avec vos rglages+Invokes gpsbabel according to your settings MyMainWindowBValeurs spares par un caractreCharacter separated valuesSettingsManagerPIl y avait une date d'un mauvais format.!There was a date in a bad format.SettingsManager<La grille n'est pas supporte.The grid is unsupported.SettingsManagerNUnits utilises lors de l'criture de commentaires. Indiquer 's' pour les units impriales (miles, pieds, etc...) ou 'm' pour les units mtriques. Exemple : units=mtUnits used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=mSettingsManager6Slectionner la destinationSelect DestinationMyIOConfigWindowRUne erreur de communication est survenue.A communication error occured.SettingsManager\Il y a eu une erreur l'ouverture du fichier.$There was an error opening the file.SettingsManagerFA t cr et publi en %1 par %2. *It was created and published in %1 by %2.  MyMainWindow^Le type de fichier est inconnu ou non-support.(The file type is unknown or unsupported.SettingsManagerLEditer la source d'entre slectionneEdit the selected input source MyMainWindowLa date est trop ancienne. Elle doit tre postrieure 1970-01-01.=The date is out of range. It has to be later than 1970-01-01.SettingsManagerDSupprime les doublons de waypointsPurge waypoint duplicatesSettingsManager(Fichier introuvable.Could not seek file.SettingsManager:Ce format Garmin est inconnu.This garmin format is unknown.SettingsManagerCarte sur tableSettingsManager>Format GpsDrive pour les tracesGpsDrive Format for TracksSettingsManagerAjoute les notes la vue en liste de l'appareil. Cette option ne requiert pas de valeurKAdd notes to list views of the device. This option does not require a valueSettingsManagernCette version de MapSend TRK n'est pas prise en charge.+This version of MapSend TRK is unsupported.SettingsManagervL'criture de fichiers Navicache n'est pas prise en charge.,There is no support writing Navicache files.SettingsManagerVAjouter cette option inverse le comportement de ce filtre. Il garde les points l'extrieur du polygone au lieu de ceux l'intrieur. Exemple : file=MaRgion.txt,excludeAdding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,excludeSettingsManagerNUn problme a t dtect par GPSBabel.#A problem was detected by gpsbabel. MyMainWindowPCe fichier n'est pas un fichier EasyGPS.This is not an EasyGPS file.SettingsManagerRCe fichier n'est pas un fichier QuoVadis.!This file is not a QuoVadis file.SettingsManagerInsre des points si deux points adjacents sont plus loigns qu'une distance donneKInsert points if two adjacent points are more than the given distance apartSettingsManagerHTri selon l'ID numrique de gocacheSort by numeric geocache IDSettingsManagerFUn nom de format doit tre indiqu.$A format name needs to be specified.SettingsManager4Simulation Franson GPSGateFranson GPSGate SimulationSettingsManagerGarminTracks.gpxSettingsManager2WaypointsAvecDoublons.gpxWaypointsWithDuplicates.gpxSettingsManager0Sortie Vcard (pour iPod)Vcard Output (for iPod)SettingsManagerzCette version du fichier MapSource n'est pas prise en charge.2This version of the MapSource file is unsupported.SettingsManagerSpcifie le format de coordonnes (datum) utiliser. Voir les formats supports dans l'appendice A de la documentation de GPSBabeliSpecifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formatsSettingsManager>Lit les points de contrle (dpart, arrive, via et stops) comme des waypoints/route/aucun (none). La valeur par dfaut est "none". Exemple : controls=waypoint}Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypointSettingsManagerNLa date ou l'heure ne sont pas valides.Either date or time is invalid.SettingsManager`Il y a eu une erreur l'ouverture d'un fichier."There was an error opening a file.SettingsManager~Le fichier de sortie est dj ouvert et ne peut tre r-ouvert.8The output file already is open and cannot get reopened.SettingsManagerTIl y a eu une ligne de trace non-reconnue.%There was an unrecognized track line.SettingsManagerSupprime les waypoints en double selon leur nom. A, B, B et C donnera A, B et CXRemove duplicated waypoints based on their name. A, B, B and C will result in A, B and CSettingsManager:Fichier DeLorme an1 (drawing)DeLorme an1 (drawing) fileSettingsManagerSupprime les waypoints en double selon leurs coordonnes. A, B, B et C donnera A, B et C_Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and CSettingsManagerPar dfaut les lignes traces ont une largeur de 6 pixels. Exemple pour des lignes plus fines : line_width=3^Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3SettingsManagerPar dfaut, les repres pour les traces et les routes sont tracs. Exemple pour supprimer le traage des repres : points=0jPer default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0SettingsManagerGpilotSSettingsManager.BeaucoupDeWaypoints.gpxWaypointsHuge.gpxSettingsManager"DeLorme XMap/SAHH 2006 Native .TXTSettingsManagerSi cette option est choisie, les informations sur le crateur du gocache ne seront pas traitesNIf this option is specified, geocache placer information will not be processedSettingsManagerSi vous souhaitez que les signets gnrs dbutent avec le nom court du waypoint, choisissez cette optionlIf you would like the generated bookmarks to start with the short name for the waypoint, specify this optionSettingsManagerPLes traces se superposent dans le temps.The tracks overlap in time.SettingsManagerLSupprime les points de trace aberrants,Purge trackpoints with an obvious aberrationSettingsManagerVL'intervalle de temps n'a pas t spcifi.%There was no time interval specified.SettingsManagerlRetire toutes les traces des donnes. Exemple : tracks0Remove all tracks from the data. Example: tracksSettingsManagerjUn dpassement de mmoire-tampon local a t dtect.%A local buffer overflow was detected.SettingsManagerRTaille de la chane de variable dpasse.Variable string size exceeded.SettingsManager|Le fichier d'entre ne semble pas tre un fichier .psp valide.7The input file does not appear to be a valid .psp file.SettingsManagerUtilise l'adresse MAC comme nom court pour le waypoint. Le SSID non-modifi est inclus dans la description du waypointsUse the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint descriptionSettingsManagerjErreur lors de la lecture du nombre de bits demands.2Error while reading the requested amount of bytes.SettingsManagertObtenir la position en temps rel depuis un fichier Garmin!Get realtime position from GarminSettingsManagerRCe numro de version de GPX est invalide."The GPX version number is invalid.SettingsManagerCre des waypoints partir de traces ou de routes. Exemple pour crer des waypoints depuis une trace : wpt=trk\Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trkSettingsManagerPort Srie 1 Serial port 1SettingsManagerPort Srie 2 Serial port 2SettingsManagerPort Srie 3 Serial port 3SettingsManagerRIl y avait un numro de route non-valide."There was an invalid route number.SettingsManagerGarminRoutes.gpxSettingsManagerNPosition et rythme cardiaque Garmin 301(Garmin 301 Custom position and heartrateSettingsManagerChamps spars par des tabulations, utiliss par OpenOffice, Ploticus etc.9Tab delimited fields useful for OpenOffice, Ploticus etc.SettingsManager,Traces Google Maps XMLGoogle Maps XML tracksSettingsManagerzConserve les traces mais supprime les waypoints et les routes)Keep tracks but drop waypoints and routesSettingsManagerInterprte la date comme indiqu. Les formatages sont identiques ceux de Windows. Exemple : date=YYYY/MM/DDjInterpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DDSettingsManagerLe format BCR ne supporte qu'une route par fichier, le fichier gpx doit tre divisKThe BCR format only supports one route per file, so the gpx file gets splitSettingsManager$Editer la commande Edit command MyMainWindowPWaypoints CSV Mapopolis.com Mapconverter(Mapopolis.com Mapconverter CSV waypointsSettingsManagerREntrez le nom du prrglage enregistrer'Enter a name for the preset to be savedSavePresetWindowCette build exclut le support de TEF car expat n'est pas disponible.?This build excluded TEF support because expat is not available.SettingsManager*(pop) Ajoute la liste(pop) Append listSettingsManagerLFichiers Navigon Mobile Navigator .rte#Navigon Mobile Navigator .rte filesSettingsManagerZIl y a eu une erreur la lecture du fichier.(An error occured while reading the file.SettingsManagerLa catgorie par dfaut est "My points". Exemple pour en changer : category="Best Restaurants"XThe default category is "My points". Example to change this: category="Best Restaurants"SettingsManagerzIl y a eu une erreur inattendue l'effacement d'un waypoint.2There was an unexpected error deleting a waypoint.SettingsManager2GeocachingDB pour Palm/OSGeocachingDB for Palm/OSSettingsManager^Fichiers WaypointPlus Suunto Trek Manager (STM),Suunto Trek Manager (STM) WaypointPlus filesSettingsManager OziExplorerSettingsManager TraceRduite.gpxPurgedTrack.gpxSettingsManager*QuoVadis pour Palm OSQuoVadis for Palm OSSettingsManagerSupprime les waypoints prsentant une dilution de la prcision verticale suprieure la valeur donne. Exemple : vdop=20bRemove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20SettingsManagerZCe fichier ne semble pas tre un fichier an1.*This file does not seem to be an an1 file.SettingsManagerDCouleur d'arrire-plan du waypointWaypoint background colorSettingsManagerxLa commande actuelle semble comme suit. Utilisez la syntaxe gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt:The current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: MyMainWindow(La distance est requise. Les distances peuvent tre indiques en pieds ou en mtres (en pieds par dfaut). Exemples : distance=0.1f ou distance=0.1mThe distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1mSettingsManagergpsutil est un outil simple, en ligne de commande traitant les donnes de waypoint@gpsutil is a simple command line tool dealing with waypoint dataSettingsManagerCoastalExplorer n'est pas support car expat n'est pas install.DThere is no CoastalExplorer support because expat was not installed.SettingsManagerAjoute la date indique (YYYMMDD) aux traces qui en sont dpourvues. Exemple : date=20071224LComplete date-free tracks with given date (YYYYMMDD). Example: date=20071224SettingsManager|Supprime des points d'aprs un polygone dfini dans un fichier4Drop points according to a file describing a polygonSettingsManagerllibpdb n'a pas pu insrer un enregistrement de rsum.&libpdb couldn't insert summary record.SettingsManager(Traces Vito SmartMapVito SmartMap tracksSettingsManagerDSlectionner le fichier de filtresSelect Filter FileMyIOConfigWindowzLa combinaison de rfrence et de grille n'est pas supporte.1The combination of datum and grid is unsupported.SettingsManager|Le fichier d'entre ne semble pas tre un fichier .TPO valide.4The input file does not look like a valid .TPO file.SettingsManager"Chemin/Appareil : Path/Device:IOConfig&Pas de document MS.No MS document.SettingsManagerJCe type d'enregistrement est inconnu.This record type is unknown.SettingsManagerMagellan MapsendSettingsManagerCre des routes partir de traces ou de waypoints. Exemple pour crer une route depuis des waypoints : rte=wpt\Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wptSettingsManagerDLa table de liens n'est pas trie.The link table is unsorted.SettingsManagerdSupprime des points d'aprs un fichier de polygone%Remove points based on a polygon fileSettingsManager2L'opration est un succs'The operation was successfully finished MyMainWindowtRetire tous les waypoints des donnes. Exemple : waypoints6Remove all waypoints from the data. Example: waypointsSettingsManager6Fichiers de donnes G7ToWinG7ToWin data filesSettingsManagerLCe fichier n'est pas un fichier Cetus.The file is not a Cetus file.SettingsManager4La chane est trop longue.The string is to long.SettingsManagernIl y a eu une erreur l'criture du fichier de sortie..There was an error writing to the output file.SettingsManagernPoint non-valide dans le temps pour appeler 'pop-args'.)Invalid point in time to call 'pop_args'.SettingsManager&Google Earth (Keyhole) Markup LanguageSettingsManagerHCliquer pour slectionner un fichier+Click to select a file from your filesystemIOConfigCe format ne supporte pas la lecture de fichiers XML car libexpat n'tait pas disponible.MThis format does not support reading XML files as libexpat was not available.SettingsManager6Efface les donnes charges Clears all currently loaded data MyMainWindowgebabbel-0.4+repack/binincludes/translations/en_EN.qm0000644000175000017500000023726511110036332021701 0ustar hannohanno|<>^T^Ԯ 4r5?(Ⱦ?b^% L7~rn"#N@$ >(),o/ #0_.v3n97@ D2KM$FO/uRoT;D[.}]=b cXLe?~gnp3r1r ~b! O*"1MA"h "U#e6#$L$$%%%Ei%$%t&&sc&.E&'() @)Eָ)}Ӑ~))G*)g*t~*+" +d#+#,1D,uK,*-#-H -8-.( .s.2.2.4g/<6/;e/?0B0C$1YEMI1H.2I2jP'2S<2V3%Z` 3nuu3Q03N4a14C45+5R+55E66M0U6\77@7178~͙98 S9hI95 S9*9֦9:MFN:t:;>;;뗃>B6d>?'?{?@!@1AA"1BAR1CA6A9*A=kB3@"BeG.BIAC<NKSCXÞDP_ODdADdmEfEE$FZфF:FfG!TGSGGHj04HH!I?IIȃJɲJTEJ4 JɵKL?LZ LL埮M4ĄMIN'NuN>O aOd8nO[NPPV5mPP.Q,1Qj3ުQ45RZ;'RARDl3SF>SOT8Oz)T[-T]T]UiEUlVrutVx'~V%WANWTWX IXCIXjIXIXl%XYkYZ!Z.Z[@[g[[[\\*\Q)\xw\Fn\]Fţ~]ɤ]/j^ :^oA.^!4^_Q_/ `X``]a_WbbNbKbUbqc$fc^Sd&cdoed G#d e ]ej We$fSfG!Ef"cf%ng2,cgo8fg>h@HhPBhQ=uh^i+`_ijc[RihnjjpNjx kxkZzk~l 5l_lpm(mhmn>ȕn@nd}o oL{o8to8xppnq0tqz&YqrArcrɲsHPhsϲXs)NtbtYtu~u:u2v^vPHvw6woQw Nx% x_OxQ.yr'0y4unz=Cz[CzC{+EO{XPt{Rܼ|3U6^|XU}X}b`3}k}mN~<oA^~ps0{|I~7/ay34"!N@^>Q 2Tyrb\55O}>r+cҠUfֽ0N僅a a5 g:.,gCZFܵd6F"þX&6&Ȏ( )).f.1H.> /'r9K0NR]dfC|&~sg~xn .vRM` )N2(#V˧SEik#estupdHgr>&C!ʹgK,*5#"V!")!#zi(#,3-H/6T-8^<@RG^EJ"dJ3 UVJ`TFmjqj.x>o-YsRnU"nޓ"Xn5`v73#]27my?  + 9i $' 4 5d 8 B9G EjY F G W]Tr W~ Y* [l c@ eѤ eO f:n g i% i mt r }, A # p~ , ] K % !^ y^ R@ O#{ :P mAL ' e ޱ5 < u N WuE    ( 5o G) n$ j N _ = '2x *; *r 0u/ 0xu 9 ; * @ D IW>M IZ Z ]ʾˆ ^S fke$ w x ( {Ć u>Ļ b0 n^ bŪ h `> .Z IƐ bƸ  %C iu~ ǩ u $ȝ J S WɊ •.ʲ J R;, ׂna y˞ J ̘ y  ҘL ON  {3 L $y6 (ܥτ -W.ϻ 6/5 6@ 7Ў 8[\ : :HT D-ь E F Lc On U' ]~n _Ӥ c3 fmn% iz j& n ռ nc nւ v^N {vP yCכ u l9 o` F؜ ɞ c bM ٚ 7B Ԑڂ S) (۟ "S ~O ܋ N D#0 6r  ځ^B ~ވ \T w.ߎ PS G + n N 5s 7T >x ?B F I ] IM OL# O= Yo1i [F dr gݴ h~ L l> o_ o# q xC } I c. 5 uX Z  - MG w  6 zs rX  I# ݗ ݦI P  0 h E ~" \  s  ^~^ # B '\\ W 9N ؎  &U= +~} / 0 2E 2C 4, Bm Bq D Q S Ttl T# V V@ ] _b a]u f4W h n oU5 {۾ f r> | ! >- O^ >  V C `E ., S > n LeD 3sw 菵 1$ Ns   >^ NeND#.#h&&0ESIIdSVG~Wh.=``miU ^kh m o p6 /pi ZtF w< z G|t ~ W~ f# !L/nnCLl{aaaaCǮt (˲:C82$HN0C3x( 3@ 5N;?cFeiG8chl^w}~ZTajgNn/y(%nn=R.1e~$m# ݾ E1> . u~!Ǖ!_]!酾!]1"bi"1 MainWindowOK FilterConfigOKIOConfigOKPreferencesConfigOKSavePresetWindow&OK MyMainWindow...IOConfig...PreferencesConfig Destination MyMainWindow&Add MyMainWindow Plain textSettingsManagerStreet addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - "SettingsManager&Delete Preset... MyMainWindowInfrastructure closed icon nameSettingsManager&There was an error while writing data.SettingsManagernContains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset MyMainWindowHikeTechSettingsManager Infile.gpxSettingsManagerQOnly use points of tracks whose (non case-sensitive) title matches the given nameSettingsManager&Edit MyMainWindow&File MyMainWindow&Help MyMainWindow&Quit MyMainWindowkThis filter can be used to convert GPS data between different data types, e.g. convert waypoints to a trackSettingsManagerThe operation failed MyMainWindow!The port could not be configured.SettingsManager&This file is not a PathAway .pdb file.SettingsManager Garmin PCX5SettingsManager7A waypoint which is not in the waypoint list was found.SettingsManagerA bad date occured.SettingsManager!I am pleased to be used by you :) MyMainWindowName:SavePresetWindowType:IOConfigPurgedByArc.wptSettingsManager)National Geographic Topo waypoints (.tpg)SettingsManager2Create shortname based on the MAC hardware addressSettingsManager6There was an invalid character in date or time format.SettingsManagerPurge waypoints based on a fileSettingsManager InputFile.locSettingsManager Outfile.wptSettingsManager\Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wptSettingsManager,Suppress use of handshaking in name of speedSettingsManagerGarmin POI databaseSettingsManager Main Toolbar MyMainWindowGarminTextInput.txtSettingsManagerThe track header is invalid.SettingsManagerJDistance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0SettingsManager Merge TracksSettingsManager&Realtime positioning is not supported.SettingsManager%The track file is unknown or invalid.SettingsManager!This track point type is unknown.SettingsManagerThe feature is unknown.SettingsManagerYour title was missing.SettingsManagerVReverse a route or track. Rarely needed as most applications can do this by themselvesSettingsManagerAdding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional fileSettingsManager`If this option is added, event marker icons are ignored and therefore not converted to waypointsSettingsManagerSpecifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0SettingsManager2There was an error detected in the data structure.SettingsManager-Invalid GPS datum or not a WaypointPlus file.SettingsManager"The GPS datum headline is missing.SettingsManagertCombine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop.SettingsManagerUse distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter)SettingsManager4The original error message reported by gpsbabel was: MyMainWindowNavitrak DNA marker formatSettingsManagerxThis option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking modeSettingsManagerError while parsing XML.SettingsManagerRoutes are not supported.SettingsManager!This file is not a gpspilot file.SettingsManagerThe file is not a cotoGPS file.SettingsManager5You must specify either count or error, but not both.SettingsManager MyCounty.txtSettingsManagerbBarograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=autoSettingsManagerNLatitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required)SettingsManagerSpecifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0SettingsManager&There was a time of day in bad format.SettingsManagerTomTom POI fileSettingsManager)The file header is incomplete or invalid.SettingsManagerGet routes from a Garmin deviceSettingsManager&Garmin MapSource - txt (tab delimited)SettingsManagerMemory allocation failed.SettingsManagerNot in property catalog.SettingsManager TwoRoutes.gpxSettingsManagerEmpty routes are not allowed.SettingsManagerThe stack was empty.SettingsManagerThere was an error in pdb_Read.SettingsManagerOThis option breaks track segments into separate tracks when reading a .USR fileSettingsManagerDataFromWBT.gpxSettingsManagerSplit into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' optionsSettingsManagerHThis build excluded Google Maps support because expat was not installed.SettingsManager1setshort_defname was called without a valid name.SettingsManager*The file is not a Magellan Navigator file.SettingsManager$This character set also is known as:MyIOConfigWindowPathAway Database for Palm/OSSettingsManagerWaypointsToDrop.csvSettingsManagerWNo labels on the pins are generated, thus the descriptions of the waypoints are droppedSettingsManager"Make synthesized shortnames uniqueSettingsManagerGEOnet Names Server (GNS)SettingsManagerAd-hoc open icon nameSettingsManager*There was an invalid value for the option.SettingsManagerThe distance unit is unknown.SettingsManagerBad internal state detected.SettingsManagerSimplifiedTrack.gpxSettingsManager0Zlib is not available in this build of gpsbabel.SettingsManagerThe stream was broken.SettingsManagerSynthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPSSettingsManagerNavicache.com XMLSettingsManagerThe USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily.SettingsManagerSynthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filterSettingsManagerPath to Gpsbabel:PreferencesConfig7Delete the current preset. Attention: There is no undo! MyMainWindowSpecifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0SettingsManagerMerge multiple tracks into oneSettingsManagerSpecifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0SettingsManager There was an error in vsnprintf.SettingsManagerThe datum is unsupported.SettingsManagerInfrastructure open icon nameSettingsManagerAbout to delete preset MyMainWindowFailed to perform pdb_Read.SettingsManagerThe sector size is unsupported.SettingsManagerThe port could not be opened.SettingsManagerGInsert points if two adjacent points are more than the given time apartSettingsManager Lowrance USRSettingsManagerGarmin MapSourceSettingsManagerIncludes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output fileSettingsManagerThe option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManagerJA value of 0 will disable reduced symbols when zooming. The default is 10.SettingsManagerUnexpected end of route.SettingsManagerDisplay the online help MyMainWindow Discarded.gpxSettingsManagerThe syncronisation failed.SettingsManagerPremature EOD processing.SettingsManager'The format for road changes is invalid.SettingsManager*Send waypoints, routes or tracks to GarminSettingsManagerUse this option to suppress the dashed lines between waypointsSettingsManagerGeocaching.comSettingsManagerMarker type for unfound pointsSettingsManagerSuppress retired geocachesSettingsManagerThe precision is invalid.SettingsManagerPlease enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional:MySavePresetWindowCut Track based on timesSettingsManager-Check this option to turn realtime logging on MainWindowThis option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23SettingsManagerImprove Waypoint Names MainWindow'The data is invalid or of unknown type.SettingsManager*This route record type is not implemented.SettingsManagerNetStumbler Summary File (text)SettingsManager&Save Preset... MyMainWindow}Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDDSettingsManager$Suunto Trek Manager STM (.sdf) filesSettingsManagerlSplit track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more detailsSettingsManagerUnsupported data size.SettingsManager&The given serial speed is unsupported.SettingsManager'The version of the file is unsupported.SettingsManager&Select path to the gpsbabel executablePreferencesConfig$The GPS datum is unknown or invalid.SettingsManagerPurgedByPolygon.wptSettingsManagerValues of this filter itemListItemCancel FilterConfigCancelIOConfigCancelPreferencesConfigCancelSavePresetWindowcDon't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,excludeSettingsManagerIllegal read mode.SettingsManagerType of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for detailsSettingsManagerThe track version is unknown.SettingsManagerPurge close pointsSettingsManager!A filename needs to be specified.SettingsManagerCtrl+A MyMainWindowCtrl+E MyMainWindowCtrl+M MyMainWindowCtrl+P MyMainWindowCtrl+Q MyMainWindowCtrl+R MyMainWindowCtrl+S MyMainWindowCtrl+X MyMainWindowSelect Gpsbabel binaryMyPreferencesConfigDrop all data except track dataSettingsManager)There was an error initialising the port.SettingsManagerError writing the output file.SettingsManagerGPSmanSettingsManager5A communication error occured while sending wayoints.SettingsManagerCIt has been released under the following terms and conditions: %1.  MyMainWindowFilter MyMainWindow2There was an invalid character in the time option.SettingsManager}This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for FahrenheitSettingsManagerFugawiSettingsManager}Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypointSettingsManager Language:PreferencesConfigSee You flight analysis dataSettingsManagerrGebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executablePreferencesConfigThis disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removedSettingsManager$There was an invalid section header.SettingsManagerGPS logs are not supported.SettingsManager)Enter a short comment for the preset hereSavePresetWindow(U.S. Census Bureau Tiger Mapping ServiceSettingsManagerYahoo Geocode API dataSettingsManagerThis option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3SettingsManager(Opens a dialog to modify the preferences MyMainWindow/Microsoft Streets and Trips 2002-2006 waypointsSettingsManagerIntype MyMainWindowLast Used Settings MyMainWindow*A different number of points was expected.SettingsManager"An error was detected in wpt_type.SettingsManager:An internal error in cet_disp_character_set_names occured.SettingsManagerEasyGPS binary formatSettingsManager)An invalid database subtype was detected.SettingsManager Save PresetMySavePresetWindowHDownload data from a WBT device and erase its memory contents afterwardsSettingsManagerThe file type is unknown.SettingsManagerDThe snlen option controls the maximum length of generated shortnamesSettingsManagerEdit the type for this filterMyIOConfigWindowOutsideMyCounty.gpxSettingsManager!The value for gpl_point is wrong.SettingsManager6There was an internal error while working on a record.SettingsManagerGPSBabel arc filter fileSettingsManagerFill distance gaps in trackSettingsManager`Restoring default settings will reset all your current settings. Do you really want to continue? MyMainWindowMerge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG"SettingsManager'libpdb couldn't append bookmark record.SettingsManagerEdit &Command... MyMainWindowWaypoint foreground colorSettingsManager Remove the selected input source MyMainWindowJThis option specifies the icon or waypoint type to write for each waypointSettingsManager2gpsbabel can only read TPO versions through 3.x.x.SettingsManagerHXCSV input style not declared. Use ... -i xcsv,style=path/to/style.fileSettingsManager9Disables (0) or enables (1) unique synthesized shortnamesSettingsManagerThe file is not an IGC file.SettingsManagerWReturns the current position as a single waypoint. This option does not require a valueSettingsManager7The input file does not appear to be a valid .TPG file.SettingsManagerlibpdb couldn't append record.SettingsManagerSource MyMainWindowBThe time interval specified was invalid. It must be one of [dhms].SettingsManagerDell Axim Navigation SystemSettingsManager)There was an error setting the baud rate.SettingsManagerGarminWaypoints.gpxSettingsManagerThis filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apartSettingsManager Points.gpxSettingsManagerURemove unreliable points with high dilution of precision (horizontal and/or vertical)SettingsManager&This is not a Magellan Navigator file.SettingsManager item on stack (requires the depth option to be set)SettingsManager@MS PocketStreets 2002 Pushpin waypoints; not fully supported yetSettingsManagerDelete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,delSettingsManagerThere is nothing to do.SettingsManager If necessary, enter options hereMyIOConfigWindowDeLorme XMap HH Native .WPTSettingsManager(WiFiFoFum 2.0 for PocketPC XML waypointsSettingsManager+Merges output with an already existing fileSettingsManagerLets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' optionSettingsManager*The file is invalid (no property catalog).SettingsManagerHThis option merges all tracks into a single track with multiple segmentsSettingsManagerOptions MyMainWindowGThere is no support for this input type because expat is not available.SettingsManager&GPSPilot Tracker for Palm/OS waypointsSettingsManagerLets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' optionSettingsManagerVProcessing tracks can cause long processing times when reading from serial GPS devices MainWindowDelete the current preset MyMainWindowGarmin MapSource - gdbSettingsManagerGarmin MapSource - mpsSettingsManager!There was a bad timeadj argument.SettingsManager%There was an error in the fat1 chain.SettingsManagerEdit the type for this outputMyIOConfigWindowAn unknown objective occured.SettingsManager?This file format only supports tracks, not waypoints or routes.SettingsManagerUnable to create an XML parser.SettingsManagerSynthesizes geocaching icons MainWindow#libpdb could not get record memory.SettingsManagerTThis option specifies the icon or waypoint type to write for each waypoint on outputSettingsManagerGGenerate file with lat/lon for centering map. Example: genurl=tiger.ctrSettingsManagerGeocaching.com .locSettingsManager/A name or field error occured in the .dbf file.SettingsManagerOuttype MyMainWindow@This build excluded KML support because expat was not installed.SettingsManager1There was an error autodetecting the data format.SettingsManager+Map&Guide 'Tour Exchange Format' XML routesSettingsManagerOLength of the generated shortnames. Default is 16 characters. Example: snlen=16SettingsManager@Only keep points within a certain distance of the given arc fileSettingsManager=The communication was not OK. Please check the bit rate used.SettingsManagerdRemove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10SettingsManagerGarmin GPS deviceSettingsManager ConfigurationIOConfig ConfigurationSavePresetWindowNIMA/GNIS Geographic Names FileSettingsManager)Specifies the name of the route to createSettingsManagerFilter Configuration FilterConfigMapTech Exchange FormatSettingsManagerGeoNiche (.pdb)SettingsManager&Check this option to process waypoints MainWindowCThis option specifies the speed of the simulation in knots per hourSettingsManagerThe download was not complete.SettingsManagerAdd an input source MyMainWindowName for the preset to saveSavePresetWindow)Allows to edit the command to be executed MyMainWindow]This option specifies the default category for gdb output. It should be a number from 1 to 16SettingsManagermUse this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp"SettingsManager$The type doesn't seem to be correct.SettingsManager'gpsbabel was unable to allocate memory.SettingsManagerEdit &Preferences... MyMainWindow"An unexpected end of file occured.SettingsManager!Command unit to power itself downSettingsManager;Correct trackpoint timestamps by a delta. Example: move=+1hSettingsManagerDThis build excluded WFFF_XML support because expat is not available.SettingsManager;No Garmin USB device seems to be connected to the computer.SettingsManager;There was an attempt to read an unexpected amount of bytes.SettingsManager4Maximum number of points to keep. Example: count=500SettingsManagerKThe input file is from an old version of the USR file and is not supported.SettingsManagerIReduce the amount of trackpoints to a maximum of 500 (for Garmin devices)SettingsManager0Sportsim track files (part of zipped .ssz files)SettingsManagerJSpecifies the name of the icon to use for stealth, encrypted access pointsSettingsManagerThe GPS datum is unsupported.SettingsManager/An attempt to output too many pushpins occured.SettingsManagerBThe file looks like a PathAway .pdb file, but it has no gps magic.SettingsManager7Discards waypoint names and tries to create better ones MainWindow$The file is not a GeocachingDB file.SettingsManager;The name is a reserved database name and must not get used.SettingsManagerOriginalTrack.gpxSettingsManagerLanguage setting:PreferencesConfig&Process MyMainWindowwUse cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to itSettingsManagerDefault radius (proximity)SettingsManagerCThis track data is invalid or the format is an unsupported version.SettingsManagerOptions:IOConfigKAn internal error occured: formats are not ordered in ascending size order.SettingsManager~Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errorsSettingsManager Output.wptSettingsManager Input.locSettingsManagerMap&Guide/Motorrad RoutenplanerSettingsManager[Only read turns but skip all other points. Only keeps waypoints associated with named turnsSettingsManager The format specifier is invalid.SettingsManager(There was a coordinates structure error.SettingsManager*There was an error while parsing a record.SettingsManagerWaypointsWithoutDuplicates.gpxSettingsManager!MapTech Exchange Format waypointsSettingsManagerLength of generated shortnamesSettingsManager8Universal csv with field structure defined in first lineSettingsManager&Brauniger IQ Series Barograph DownloadSettingsManagerTrackLogs digital mappingSettingsManager.Unsupported file format version in input file.SettingsManager"CoPilot Flight Planner for Palm/OSSettingsManagerGarmin Points of InterestSettingsManager'An error occured opening the .dbf file.SettingsManagerUnexpected end of file.SettingsManagerICannot split more than one track. Please pack or merge before processing.SettingsManagerGarmin text format exampleSettingsManager(pop) Discard top of stackSettingsManagerGet tracks from a Garmin deviceSettingsManager#CompeGPS & Navigon Mobile NavigatorSettingsManager/There was an attempt to output too many points.SettingsManager HugeTrack.gpxSettingsManager$CompeGPS data files (.wpt/.trk/.rte)SettingsManager)Purge data based on polygon and arc filesSettingsManager#This list contains the filter items MainWindow,Magellan NAV Companion for Palm/OS waypointsSettingsManagerZMargin for map in degrees or percentage. Only useful in conjunction with the genurl optionSettingsManagerCThis TPO file's format is to young (newer than 2.7.7) for gpsbabel.SettingsManagerConfigure Filter MyMainWindow4Allow UPPERCASE CHARACTERS in synthesized shortnamesSettingsManagerCannot create an XML Parser.SettingsManager+DeLorme XMat HH Street Atlas USA .WPT (PPC)SettingsManagerbAn error occured while trying to read positioning data. Maybe the device has no satellite fix yet.SettingsManagerUniversal GPS XML file formatSettingsManagerYPath to the xcsv style file. See the appendix C of the gpsbabel Documentation for detailsSettingsManager(There was a bad timestamp in the track .SettingsManagerMAdvanced stack operations on tracks. Please see the gpsbabel docs for detailsSettingsManager$Magellan SD files (as for eXplorist)SettingsManagerSystem Configuration:PreferencesConfig(The given parity setting is unsupported.SettingsManager Too few waypoints in task route.SettingsManagerAdds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2mSettingsManager1Drop points according to a file describing an arcSettingsManagerA parse error occured.SettingsManager$There have been invalid coordinates.SettingsManager$Max length of waypoint name to writeSettingsManagerRKeep turns. This option only makes sense in conjunction with the 'simplify' filterSettingsManageroThe file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. MyMainWindowCompeGPS waypointsSettingsManager5Example showing all options of the garmin text formatSettingsManagercgpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. MyMainWindow$Sorry, but the file %1 was not foundListItemTDrop calculated hidden points (route points that do not have an equivalent waypoint.SettingsManagerInvalid fix type.SettingsManagerBase URL for link tagsSettingsManagerA read error occured.SettingsManager GpxData.gpxSettingsManagerDefines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmmSettingsManagerpdb_Read failed.SettingsManagerSort by waypoint short nameSettingsManagerqDon't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosortSettingsManager3Realtime tracking (-T) is exclusive of other modes.SettingsManagerNo interval was specified.SettingsManagerThis option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles)SettingsManagerIXCSV output style not declared. Use ... -o xcsv,style=path/to/style.fileSettingsManagerA write error occured.SettingsManagerGet and erase data from WBTSettingsManagerTopoMapPro Places FileSettingsManager"This input record type is unknown.SettingsManager"Purge track to 500 points (Garmin)SettingsManagerOut of data reading waypoints.SettingsManager9Symbol to use for point data. Example: deficon="Red Flag"SettingsManagerCRemove waypoints with the same name or location of another waypointSettingsManager-Cannot interpolate on both time and distance.SettingsManagerThe section header is invalid.SettingsManager#FAI/IGC Flight Recorder Data FormatSettingsManager5Max number of comments to write. Example: maxcmts=200SettingsManagerGarmin serial/USB device formatSettingsManager The color name was unrecognized.SettingsManagerThe temperature is invalid.SettingsManager/crosstrack and length may not be used together.SettingsManager8Writing output for this state currently is not supportedSettingsManager1Enter the path to a file or port of a device hereMyIOConfigWindowAn internal error occured.SettingsManagerdManipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging)SettingsManager DeLorme GPLSettingsManagerPer default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1SettingsManagercotoGPS for Palm/OSSettingsManager!The XML parser cannot be created.SettingsManagerConfigure Output MyMainWindowTextual OutputSettingsManager$An error occured in the source file.SettingsManagerThis file type is unsupported.SettingsManager!The character set is unsupported.SettingsManagerZUse this option to include Groundspeak cache logs in the created document if there are anySettingsManager@MapSend version TRK file to generate (3 or 4). Example: trkver=3SettingsManagerFAI/IGC Flight RecorderSettingsManagerDeLorme Street Atlas PlusSettingsManagerpNumeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800SettingsManagerLTarget GPX version. The default version is 1.0, but you can even specify 1.1SettingsManagerRemove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracksSettingsManager)National Geographic Topo .tpg (waypoints)SettingsManager(If necessary, enter a character set hereMyIOConfigWindowRestore Default Settings MyMainWindowqeXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent.SettingsManagerWrite waypoints to HTMLSettingsManagerCarteSurTable data fileSettingsManagerUSB to serial port 1SettingsManagerUSB to serial port 2SettingsManagerUSB to serial port 3SettingsManager#There has been an invalid altitude.SettingsManager"Get waypoints from a Garmin deviceSettingsManagerKMap&Guide to Palm/OS exported files, containing waypoints and routes (.pdb)SettingsManager"An error was detected in the data.SettingsManager1The receiver type resp. model version is unknown.SettingsManagerTimeshiftedTrack.gpxSettingsManager"Work on a route instead of a trackSettingsManagerFill time gaps in trackSettingsManager$This filter only can work on tracks.SettingsManagerCreate geocaching icons MainWindowEdit the selected filter MyMainWindow"Remove points based on an arc fileSettingsManagerThe USB-Configuration failed.SettingsManagerPSetting this option erases all waypoints in the receiver before doing a transferSettingsManagerkAdd position to the address field as seen in list views of the device. This option does not require a valueSettingsManager*There was an error creating an XML Parser.SettingsManager"Cambridge/Winpilot glider softwareSettingsManagerlibpdb couldn't create record.SettingsManager:Use depth values on output (the default is to ignore them)SettingsManagerwRemove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40mSettingsManager0The waypoints cannot be read from the interface.SettingsManager$Suunto Trek Manager (STM) .sdf filesSettingsManagerRead the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route fileSettingsManager'Save the current settings as new preset MyMainWindow:Remove trackpoints which are less than 1m apart from trackSettingsManagerDefault icon nameSettingsManagerQWintec WBT-100/200 data logger format, as created by Wintec's Windows applicationSettingsManager Route2.bcrSettingsManager(There was an error configuring the port.SettingsManager Route1.bcrSettingsManagerTruncatedTrack.gpxSettingsManager(There was an error in the XML structure.SettingsManagerQuit this application MyMainWindow&Cancel MyMainWindowGPS regions are not supported.SettingsManager%There was a waypoint with bad format.SettingsManagerAd-hoc closed icon nameSettingsManagerDeLormeSettingsManager5This file is from an unsupported version of PathAway.SettingsManagerwThis filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections fileSettingsManager Wintec WBTSettingsManagerPurge track based on a circleSettingsManagerZUse shortname (0) instead of the description (1) of the waypoints to synthesize shortnamesSettingsManagerThe option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27"SettingsManagerMS PocketStreets 2002 PushpinSettingsManagerUnsupported category.SettingsManagerTimeshift a trackSettingsManagerUTM is not supported yet.SettingsManagerEdit PreferencesPreferencesConfigRFile containing the vertices of the polygon (required). Example: file=MyCounty.txtSettingsManager*The road type for road changes is unknown.SettingsManager/dev/cu.WBT200-SPPslave-1SettingsManagerEdit preferences MyMainWindow"This GDB version is not supported.SettingsManagerJourneyBack.gpxSettingsManager@This build excluded GPX support because expat was not installed.SettingsManager,Write tracks compatible with Carto ExploreurSettingsManagerDistance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5KSettingsManagerSort waypoints chronologicallySettingsManager*This file is an unsupported GeoNiche file.SettingsManagerKartex 5 Track FileSettingsManagerThere was a reading error.SettingsManager#HSA Endeavour Navigator export FileSettingsManager*Track points are not ordered by timestamp.SettingsManager5Only keep trackpoints between the start and stop timeSettingsManager&Manual MyMainWindow!An I/O error occured during read.SettingsManagerWaypointsReduced.gpxSettingsManagerKuDaTa PsiTrex textSettingsManager.There was an invalid header in the input file.SettingsManager*A track point without timestamp was found.SettingsManagerMAdd this option to erase the data from the device after the download finishedSettingsManager2All rights, including the copyright, belong to %1. MyMainWindow&Remove the selected output destination MyMainWindowNot available yet.SettingsManager,There was a bad timestamp in the task route.SettingsManager AutomaticMyPreferencesConfig4Quits this application without further confirmation. MyMainWindowoSet this option to eliminate calculated route points from the route, only preserving only via stations in routeSettingsManagerSynthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpointsSettingsManager&The given stop setting is unsupported.SettingsManagerXBy default geocaching hints are unencrypted; use this option to encrypt them using ROT13SettingsManager_Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txtSettingsManager'libpdb couldn't create bookmark record.SettingsManager'Purge track for openstreetmap.org usageSettingsManagerVito Navigator II tracksSettingsManager>Forbids (0) or allows (1) long names in synthesized shortnamesSettingsManagerGebabbel MainWindowNational Geographic TopoSettingsManager&Remove MyMainWindowZlib reported an error.SettingsManager*Default icon name. Example: deficon=RedPinSettingsManager)No data was received from the GPS device.SettingsManager(pop) Replace list (default)SettingsManagerDNational Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo)SettingsManagerThe datum is not recognized.SettingsManagerColour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000SettingsManagerRSpecifies the name of the icon to use for non-stealth, non-encrypted access pointsSettingsManagerMagellan GPS device formatSettingsManagerNSpecifies the name of the icon to use for stealth, non-encrypted access pointsSettingsManagerReading the file failed.SettingsManager7The file is invalid or unsupported due to its filesize.SettingsManager&libpdb couldn't create summary record.SettingsManager#This list contains the output items MainWindowkDrop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001kSettingsManagerShort comment for the presetSavePresetWindow"Cannot interpolate routes on time.SettingsManager;Set this option to allow whitespace in generated shortnamesSettingsManagerIUse this option to include Groundspeak cache logs in the created documentSettingsManagerEnter new name hereMySavePresetWindow'The radius should be greater than zero.SettingsManagerJSuppress all instances of duplicates. A, B, B and C will result in A and CSettingsManagerNavigon Mobile Navigator (.rte)SettingsManagercUse this if you don't want a bitmap to be shown on the device. This option does not require a valueSettingsManagerGet waypoints from GarminSettingsManagerSuunto Trek ManagerSettingsManagerPer default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0SettingsManager;The distance specified was invalid. It must be one of [km].SettingsManagerkThis option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f'SettingsManager)Display information about the application MyMainWindow*This does not seem to be a MapSource file.SettingsManagerOKeep the first occurence, but use the coordintaes of later points and drop themSettingsManager!This file is not a GeoNiche file.SettingsManagerIGN Rando track filesSettingsManagerzThis option removes all points that are within the specified distance of one another, rather than leaving just one of themSettingsManagerSpecifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1SettingsManager%There are too many format specifiers.SettingsManager Select SourceMyIOConfigWindowgInternal database name of the output file, which is not equal to the file name. Example: dbname=UnfoundSettingsManager TrackLogs digital mapping (.trl)SettingsManagerUnsupported version number.SettingsManager0Remove all routes from the data. Example: routesSettingsManagerSimplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option)SettingsManager Defaults...PreferencesConfigSpecifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbolSettingsManagerComma separated valuesSettingsManagerAdds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10SettingsManager+Generating such filetypes is not supported.SettingsManagerDeLorme Street Atlas RouteSettingsManagerRAdd descriptions to list views of the device. This option does not require a valueSettingsManagerPop waypoint list from stackSettingsManagernOnly use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118SettingsManagerlibpdb could not append record.SettingsManager Any file (*)MyPreferencesConfigProcess waypoints MainWindowProcess Waypoints MainWindowThere was an invalid date.SettingsManager Any filetypeMyIOConfigWindow Radius FilterSettingsManager"This list contains the input items MainWindowGPS TrackMakerSettingsManagerEmpty task route.SettingsManager6Sort waypoints by exactly one of the available optionsSettingsManager HugeFile.gpxSettingsManagerMDisplay labels on track and routepoints. Example to switch them off: labels=0SettingsManager%Return current position as a waypointSettingsManagerProcess Tracks MainWindowThe file is invalid.SettingsManager0Please wait while gpsbabel is processing data... MyMainWindowEGet the current position from a Garmin device and stream it to a fileSettingsManagerAdd an output destination MyMainWindowExecute MainWindowProcess Routes MainWindowGUse this option to encrypt hints from Groundspeak GPX files using ROT13SettingsManager An unknwon identifier was found.SettingsManager'There was an error converting the date.SettingsManagerFUse this option to encrypt hints from Groundspeak GPX files with ROT13SettingsManager%There was an error allocating memory.SettingsManagerPositionLogging.kmlSettingsManagerThis option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx'SettingsManager>Use proximity values on output (the default is to ignore them)SettingsManager%A problem with waypoint data occured.SettingsManager There was no distance specified.SettingsManagerEnter your filter commands here FilterConfigThere is an unknown option.SettingsManager"National Geographic Topo waypointsSettingsManagerThis option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpinSettingsManagerCould not write data.SettingsManagerGeocaching.com or EasyGPSSettingsManagerGThis numeric option adds the specified category number to the waypointsSettingsManagerTracksOnly.gpxSettingsManagerIf the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1SettingsManagerGarmin Training Center xmlSettingsManagerEdit the type for this inputMyIOConfigWindow/The Garmin unit does not support waypoint xfer.SettingsManager1Reading the maggeo format is not implemented yet.SettingsManager*Create waypoints from geocache log entriesSettingsManagerExecute gpsbabel MyMainWindow&Maximum length of generated shortnamesSettingsManagerPalmDoc OutputSettingsManagerDefault locationSettingsManagerCUpload GPX data like waypoints, routes or tracks to a Garmin deviceSettingsManager&Wintec WBT-100/200 GPS logger downloadSettingsManager*Suunto Trek Manager STM WaypointPlus filesSettingsManager"The line could not be interpreted.SettingsManagerTUse this option to specify a CSS style sheet to be used with the resulting HTML fileSettingsManager!There was an invalid track index.SettingsManager+Invokes gpsbabel according to your settings MyMainWindowCharacter separated valuesSettingsManager!There was a date in a bad format.SettingsManagerThe grid is unsupported.SettingsManagertUnits used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=mSettingsManagerSelect DestinationMyIOConfigWindowA communication error occured.SettingsManager$There was an error opening the file.SettingsManager*It was created and published in %1 by %2.  MyMainWindow(The file type is unknown or unsupported.SettingsManagerEdit the selected input source MyMainWindow=The date is out of range. It has to be later than 1970-01-01.SettingsManagerPurge waypoint duplicatesSettingsManagerCould not seek file.SettingsManagerThis garmin format is unknown.SettingsManagerCarte sur tableSettingsManagerGpsDrive Format for TracksSettingsManagerKAdd notes to list views of the device. This option does not require a valueSettingsManager+This version of MapSend TRK is unsupported.SettingsManager,There is no support writing Navicache files.SettingsManagerAdding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,excludeSettingsManager#A problem was detected by gpsbabel. MyMainWindowThis is not an EasyGPS file.SettingsManager!This file is not a QuoVadis file.SettingsManagerKInsert points if two adjacent points are more than the given distance apartSettingsManagerSort by numeric geocache IDSettingsManager$A format name needs to be specified.SettingsManagerFranson GPSGate SimulationSettingsManagerGarminTracks.gpxSettingsManagerWaypointsWithDuplicates.gpxSettingsManagerVcard Output (for iPod)SettingsManager2This version of the MapSource file is unsupported.SettingsManageriSpecifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formatsSettingsManager}Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypointSettingsManagerEither date or time is invalid.SettingsManager"There was an error opening a file.SettingsManager8The output file already is open and cannot get reopened.SettingsManager%There was an unrecognized track line.SettingsManagerXRemove duplicated waypoints based on their name. A, B, B and C will result in A, B and CSettingsManagerDeLorme an1 (drawing) fileSettingsManager_Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and CSettingsManager^Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3SettingsManagerjPer default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0SettingsManagerGpilotSSettingsManagerWaypointsHuge.gpxSettingsManager"DeLorme XMap/SAHH 2006 Native .TXTSettingsManagerNIf this option is specified, geocache placer information will not be processedSettingsManagerlIf you would like the generated bookmarks to start with the short name for the waypoint, specify this optionSettingsManagerThe tracks overlap in time.SettingsManager,Purge trackpoints with an obvious aberrationSettingsManager%There was no time interval specified.SettingsManager0Remove all tracks from the data. Example: tracksSettingsManager%A local buffer overflow was detected.SettingsManagerVariable string size exceeded.SettingsManager7The input file does not appear to be a valid .psp file.SettingsManagersUse the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint descriptionSettingsManager2Error while reading the requested amount of bytes.SettingsManager!Get realtime position from GarminSettingsManager"The GPX version number is invalid.SettingsManager\Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trkSettingsManager Serial port 1SettingsManager Serial port 2SettingsManager Serial port 3SettingsManager"There was an invalid route number.SettingsManagerGarminRoutes.gpxSettingsManager(Garmin 301 Custom position and heartrateSettingsManager9Tab delimited fields useful for OpenOffice, Ploticus etc.SettingsManagerGoogle Maps XML tracksSettingsManager)Keep tracks but drop waypoints and routesSettingsManagerjInterpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DDSettingsManagerKThe BCR format only supports one route per file, so the gpx file gets splitSettingsManager Edit command MyMainWindow(Mapopolis.com Mapconverter CSV waypointsSettingsManager'Enter a name for the preset to be savedSavePresetWindow?This build excluded TEF support because expat is not available.SettingsManager(pop) Append listSettingsManager#Navigon Mobile Navigator .rte filesSettingsManager(An error occured while reading the file.SettingsManagerXThe default category is "My points". Example to change this: category="Best Restaurants"SettingsManager2There was an unexpected error deleting a waypoint.SettingsManagerGeocachingDB for Palm/OSSettingsManager,Suunto Trek Manager (STM) WaypointPlus filesSettingsManager OziExplorerSettingsManagerPurgedTrack.gpxSettingsManagerQuoVadis for Palm OSSettingsManagerbRemove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20SettingsManager*This file does not seem to be an an1 file.SettingsManagerWaypoint background colorSettingsManagerThe current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: MyMainWindowThe distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1mSettingsManager@gpsutil is a simple command line tool dealing with waypoint dataSettingsManagerDThere is no CoastalExplorer support because expat was not installed.SettingsManagerLComplete date-free tracks with given date (YYYYMMDD). Example: date=20071224SettingsManager4Drop points according to a file describing a polygonSettingsManager&libpdb couldn't insert summary record.SettingsManagerVito SmartMap tracksSettingsManagerSelect Filter FileMyIOConfigWindow1The combination of datum and grid is unsupported.SettingsManager4The input file does not look like a valid .TPO file.SettingsManager Path/Device:IOConfigNo MS document.SettingsManagerThis record type is unknown.SettingsManagerMagellan MapsendSettingsManager\Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wptSettingsManagerThe link table is unsorted.SettingsManager%Remove points based on a polygon fileSettingsManager'The operation was successfully finished MyMainWindow6Remove all waypoints from the data. Example: waypointsSettingsManagerG7ToWin data filesSettingsManagerThe file is not a Cetus file.SettingsManagerThe string is to long.SettingsManager.There was an error writing to the output file.SettingsManager)Invalid point in time to call 'pop_args'.SettingsManager&Google Earth (Keyhole) Markup LanguageSettingsManager+Click to select a file from your filesystemIOConfigMThis format does not support reading XML files as libexpat was not available.SettingsManager Clears all currently loaded data MyMainWindowgebabbel-0.4+repack/binincludes/translations/fr_FR.ts0000644000175000017500000072673011110036264021730 0ustar hannohanno FilterConfig Filter Configuration Configuration des filtres Enter your filter commands here Entrez vos commandes ici OK Cancel Annuler IOConfig Configuration Type: Format : Characterset: Encodage : Path/Device: Chemin/Appareil : Click to select a file from your filesystem Cliquer pour sélectionner un fichier ... ... Options: Options : OK Cancel Annuler ListItem Values of this filter item Valeurs de ce filtre Sorry, but the file %1 was not found Désolé, le fichier %1 est introuvable Sorry, Gebabbel does not know what this item is all about. Désolé, Gebabbel ne connaît pas cet élément. MainWindow Gebabbel Processing tracks can cause long processing times when reading from serial GPS devices Le traitement des traces peut être long avec un récepteur GPS à port série Process Tracks Traiter les traces Discards waypoint names and tries to create better ones Supprime les noms de waypoints et essaie d'en créer de meilleurs Improve Waypoint Names Améliorer les noms de waypoints Check this option to turn realtime logging on Cocher cette option pour activer le suivi en temps réel Realtime Tracking Suivi en temps réel Process waypoints Traiter les waypoints Check this option to process waypoints Cocher cette option pour traiter les waypoints Process Waypoints Traiter les waypoints Synthesizes geocaching icons Crée des icônes de geocaching Create geocaching icons Créer des icônes de geocaching Processing routes can cause long processing times when reading from serial GPS devices Le traitement des routes peut être long avec un récepteur GPS à port série Process Routes Traiter les routes This list contains the output items Cette liste contient les éléments en sortie 1 1 This list contains the input items Cette liste contient les éléments en entrée This list contains the filter items Cette liste contient les éléments des filtres Gpsbabel gets invoked by passing the current settings GPSBabel est lancé avec les réglages actuels Execute Lancer MyIOConfigWindow Edit the type for this input Editer le type de cette entrée Edit the type for this output Editer le type de cette sortie Edit the type for this filter Editer le type de ce filtre If necessary, enter options here Si nécessaire, entrer les options ici If necessary, enter a character set here Si nécessaire, entrer l'encodage ici This character set also is known as: Cet encodage est aussi connu comme : Enter the path to a file or port of a device here Entrer le chemin d'un fichier ou le port d'un appareil ici Any filetype Tous types de fichiers Select Source Sélectionner la source Select Destination Sélectionner la destination Select Filter File Sélectionner le fichier de filtres MyMainWindow Intype Type d'entrée Source Outtype Type de sortie Destination Filter Filtre Options This is %1, version %2. %1, version %2. It was created and published in %1 by %2. A été créé et publié en %1 par %2. It has been released under the following terms and conditions: %1. A été distribué sous les termes et conditions suivants : %1. All rights, including the copyright, belong to %1. Tous droits, y compris le copyright, réservés %1. There is no real manual, but you can consult the following resources: The excellent gpsbabel documentation as found on %1 The Gebabbel-FAQ as found on %2 If questions remain, don't hesitate to contact the author %3 Il n'y a pas de vrai manuel, mais vous pouvez consulter les ressources suivantes : L'excellente documentation de GPSBabel %1 La FAQ de Gebabbel %2 Si vous vous posez encore des questions, n'hésitez pas à contacter l'auteur %3 &File &Fichier &Edit &Edition &Help &Aide Main Toolbar Barre d'outils principale &Clear &Purger Clears all currently loaded data Efface les données chargées &Delete Preset... &Effacer le préréglage... Delete the current preset Efface le préréglage actuel Delete the current preset. Attention: There is no undo! Efface le préréglage actuel. Attention : aucune annulation possible ! &Save Preset... &Enregistrer le préréglage... Ctrl+S Save the current settings as new preset Enregistre les réglages actuels en tant que nouveau préréglage Save the current settings as new preset for later usage Enregistre les réglages actuels en tant que nouveau préréglage pour un prochain usage &Process &Traiter Ctrl+X Execute gpsbabel Lance GPSBabel Invokes gpsbabel according to your settings Lance GPSBabel avec vos réglages &Quit &Quitter Ctrl+Q Quit this application Quitter cette application Quits this application without further confirmation. Quitte cette application sans confirmation. Edit &Command... Editer la &Commande... Ctrl+E Edit command Editer la commande Allows to edit the command to be executed Permet d'éditer la commande à exécuter Edit &Preferences... Editer les &Préférences... Ctrl+P Edit preferences Editer les préférences Opens a dialog to modify the preferences Ouvre une boîte de dialogue pour modifier les préférences &Manual &Manuel Ctrl+M Display the online help Afficher l'aide en ligne Shows the online help Affiche l'aide en ligne &About &A propos Ctrl+A Display information about the application Affiche des informations à propos de l'application &Add &Ajouter Add an input source Ajoute une source d'entrée Edit the selected input source Editer la source d'entrée sélectionnée &Remove &Retirer Ctrl+R Remove the selected input source Retirer la source d'entrée sélectionnée Add an output destination Ajouter une destination de sortie Edit the selected output destination Editer la destination de sortie sélectionnée Remove the selected output destination Retirer la destination de sortie sélectionnée Add a filter Ajouter un filtre Edit the selected filter Editer le filtre sélectionné Remove the selected filter Retirer le filtre sélectionné Contains presets for your frequently needed gpsbabel commands. Click on the button Save to create a new preset Contient les préréglages pour vos commandes GPSBabel les plus utilisées. Cliquer sur le bouton Sauver pour créer un nouveau préréglage I am pleased to be used by you :) Je suis content que vous m'utilisiez :) Settings at last quit or before choosing another preset Réglages à la dernière fermeture ou avant de choisir un autre préréglage About to delete preset Sur le point d'effacer le préréglage This will delete the current preset, and there is no undo. Cela va effacer le préréglage actuel, et il n'y a pas d'annulation possible. &OK &OK &Cancel &Annuler The file "%1" cannot be executed. Please enter the complete path to it in the command line or the preferences. Le fichier "%1" ne peut être traité. Entrez son chemin complet dans la ligne de commande ou dans les préférences. Please wait while gpsbabel is processing data... Veuillez patienter pendant que GPSBabel traite les données... The operation was successfully finished L'opération est un succès The operation failed L'opération a échoué A problem was detected by gpsbabel. Un problème a été détecté par GPSBabel. The original error message reported by gpsbabel was: Le message d'erreur initial reporté par GPSBabel est : gpsbabel was unexpectedly quit during its operation. Created files should not get used but deleted. GPSBabel a quitté de manière inattendue l'opération. Les fichiers créés ne doivent être utilisés mais effacés. Command Editor Editeur de Commandes The current command looks as follows. Please use the syntax gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: La commande actuelle semble comme suit. Utilisez la syntaxe gpsbabel -w -r -t -Sn -Si -T -i intype,inoptions -f infile.txt -x filtertype,filteroptions -o outtype,outoptions -F outfile.txt: Last Used Settings Derniers réglages utilisés Configure Input Configurer l'entrée Configure Output Configurer la sortie Configure Filter Configurer les filtres Restore Default Settings Restaurer les réglages par défaut Restoring default settings will reset all your current settings. Do you really want to continue? Restaurer les réglages par défaut va effacer vos réglages actuels. Voulez-vous vraiment continuer ? MyPreferencesConfig Automatic Automatique Select Gpsbabel binary Sélectionner le fichier du programme GPSBabel Any file (*) Tout fichier (*) Executable files (*.exe);;Any file (*) Fichier exécutable (*.exe);;Tout fichier (*) MySavePresetWindow Save Preset Enregistrer le préréglage Please enter a name for the new preset. Choosing the name of an existing preset will overwrite the existing preset. The comment is optional: Entrez un nom pour le nouveau préréglage. Choisir le nom d'un préréglage existant l'écrasera. Le commentaire est optionnel : Enter new name here Entrez le nouveau nom ici PreferencesConfig Edit Preferences Editer les préférences Language: Langue : Select the language in which you want to use Gebabbel Sélectionner la langue dans laquelle vous souhaitez utiliser Gebabbel System Configuration: Configuration système : User Configuration: Configuration utilisateur : Language setting: Localisation : Cancel Annuler OK Resets all settings to default values, including presets Restaurer tous les réglages par défaut, y compris les préréglages Defaults... Configuration par défaut... Select path to the gpsbabel executable Sélectionner le chemin de l'exécutable GPSBabel ... ... Gebabbel needs to know where gpsbabel can be found. Leave this field empty to use the built in gpsbabel executable Gebabbel à besoin de savoir où se trouve GPSBabel. Laissez ce champ vide pour utiliser l'exécutable GPSBabel inclus Path to Gpsbabel: Chemin vers GPSBabel: SavePresetWindow Configuration Comment: Commentaire : Short comment for the preset Courte description du préréglage Enter a short comment for the preset here Entrez une courte description du préréglage ici Name: Nom : Name for the preset to save Nom du préréglage à enregistrer Enter a name for the preset to be saved Entrez le nom du préréglage à enregistrer OK Cancel Annuler SettingsManager Cut Track based on times Couper la trace à partir d'une indication de temps OriginalTrack.gpx TraceOriginale.gpx TruncatedTrack.gpx TraceRéduite.gpx Only keep trackpoints between the start and stop time Ne conserver que les points entre le temps de départ et le temps d'arrivée Drop all data except track data Supprimer les données autres que celles de trace HugeFile.gpx GrosFichier.gpx TracksOnly.gpx TracesSeulement.gpx Keep tracks but drop waypoints and routes Conserve les traces mais supprime les waypoints et les routes Fill time gaps in track Remplit les temps sans données dans la trace InputTrack.gpx TraceDeDépart.gpx InterpolatedTrack.gpx TraceInterpolée.gpx Insert points if two adjacent points are more than the given time apart Insère des points si deux points adjacents sont plus distants qu'un temps donné Fill distance gaps in track Remplit les espaces sans données dans la trace Insert points if two adjacent points are more than the given distance apart Insère des points si deux points adjacents sont plus éloignés qu'une distance donnée Garmin text format example Exemple de format texte Garmin GarminTextInput.txt EntréeDeTexteGarmin.txt GarminTextOutput.txt SortieDeTexteGarmin.txt Example showing all options of the garmin text format Exemple montrant toutes les options du format de texte Garmin Get waypoints from Garmin Obtenir des waypoints depuis un fichier Garmin GarminWaypoints.gpx Get waypoints from a Garmin device Obtenir des waypoints depuis un appareil Garmin Get routes from Garmin Obtenir des routes depuis un fichier Garmin GarminRoutes.gpx Get routes from a Garmin device Obtenir des routes depuis un appareil Garmin Get tracks from Garmin Obtenir des traces depuis un fichier Garmin GarminTracks.gpx Get tracks from a Garmin device Obtenir des traces depuis un appareil Garmin Get realtime position from Garmin Obtenir la position en temps réel depuis un fichier Garmin PositionLogging.kml SuiviDePosition.kml Get the current position from a Garmin device and stream it to a file Obtenir la position courante depuis un appareil Garmin et la transmettre à un fichier Get and erase data from WBT Obtenir et effacer des données depuis un appareil WBT /dev/cu.WBT200-SPPslave-1 DataFromWBT.gpx DonnéesDeWBT.gpx Download data from a WBT device and erase its memory contents afterwards Télécharge les données d'un appareil WBT et efface ensuite le contenu de sa mémoire Merge Tracks Fusionner les traces JourneyThere.gpx TrajetAller.gpx JourneyBack.gpx TrajetRetour.gpx CompleteJourney.gpx TrajetComplet.gpx Merge multiple tracks into one Fusionne plusieurs traces en une seule Purge track to 500 points (Garmin) Réduire la trace à 500 points (Garmin) HugeTrack.gpx GrandeTrace.gpx PurgedTrack.gpx TraceRéduite.gpx Reduce the amount of trackpoints to a maximum of 500 (for Garmin devices) Réduit le nombre de points de la trace à un maximum de 500 (appareils Garmin) Purge track for openstreetmap.org usage Simplifie la trace pour une utilisation sur openstreetmap.org SimplifiedTrack.gpx TraceSimplifiée.gpx Remove trackpoints which are less than 1m apart from track Retire les points de trace à moins de 1m de la trace Purge close points Supprime les points rapprochés Infile1.loc FichierEntrée1.loc Infile2.loc FichierEntrée2.loc Outfile.wpt FichierSortie.wpt Remove points closer than the given distance to adjacent points Retire les points plus proches qu'une distance donnée des points adjacents Purge waypoints based on a file Supprime des waypoints d'après un fichier WaypointsHuge.gpx BeaucoupDeWaypoints.gpx WaypointsToDrop.csv WaypointsASupprimer.csv WaypointsReduced.gpx WaypointsRéduits.gpx Removes any waypoint from the data if it is in the exclude file Retire les waypoints des données s'ils sont dans un fichier d'exclusion Purge data based on polygon and arc files Supprime des données d'après des fichiers de polygones ou d'arcs Points.gpx MyCounty.txt MaRégion.txt OutsideMyCounty.gpx EnDehorsDeMaRégion.gpx Drop points according to files describing a polygon resp. an arc Supprime des points d'après des polygones ou des arcs définis dans un fichier Purge track based on a circle Réduire la trace d'après un cercle Input.loc Entrée.loc Output.wpt Sortie.wpt Radius Filter Filtre Rayon Purge trackpoints with an obvious aberration Supprime les points de trace aberrants Infile.gpx FichierEntrée.gpx Discarded.gpx Supprimés.gpx Remove points where the GPS device obviously was wrong Retire les points pour lesquels le GPS était dans l'erreur Purge waypoint duplicates Supprime les doublons de waypoints WaypointsWithDuplicates.gpx WaypointsAvecDoublons.gpx WaypointsWithoutDuplicates.gpx WaypointsSansDoublons.gpx Remove waypoints with the same name or location of another waypoint Retire les points ayant le même nom ou la même position qu'un autre Remove points based on a polygon file Supprime des points d'après un fichier de polygone InputFile.loc FichierEntrée.loc PurgedByPolygon.wpt RéduitParPolygone.wpt Drop points according to a file describing a polygon Supprime des points d'après un polygone défini dans un fichier Remove points based on an arc file Supprime des points d'après un fichier d'arc PurgedByArc.wpt RéduitParArc.wpt Drop points according to a file describing an arc Supprime des points d'après un arc défini dans un fichier Send waypoints, routes or tracks to Garmin Envoyer des waypoints, routes ou traces vers un appareil Garmin GpxData.gpx DonnéesGpx.gpx Upload GPX data like waypoints, routes or tracks to a Garmin device Envoyer des waypoints, routes ou traces vers un appareil Garmin Split routes for Motorrad Routenplaner Diviser des routes pour Motorrad Routenplaner TwoRoutes.gpx DeuxRoutes.gpx Route1.bcr Route2.bcr The BCR format only supports one route per file, so the gpx file gets split Le format BCR ne supporte qu'une route par fichier, le fichier gpx doit être divisé Timeshift a track Décaler une trace dans le temps TimeshiftedTrack.gpx TraceDécalée.gpx Shift trackpoint times by one hour Décaler le point de trace d'une heure USB port N 1 Port USB N 1 USB port N 2 Port USB N 2 USB port N 3 Port USB N 3 Serial port 1 Port Série 1 Serial port 2 Port Série 2 Serial port 3 Port Série 3 USB to serial port 1 USB vers le port Série 1 USB to serial port 2 USB vers le port Série 2 USB to serial port 3 USB vers le port Série 3 Garmin GPS device Récepteur GPS Garmin Magellan GPS device Récepteur GPS Magellan Magellan GPS device format Format de récepteur GPS Magellan Numeric value of bitrate. Valid options are 1200, 2400, 4800, 9600, 19200, 57600, and 115200. Example: baud=4800 Valeur numérique du débit de données. Les options sont 1200, 2400, 4800, 9600, 19200, 57600, et 115200. Exemple : baud=4800 Suppress use of handshaking in name of speed Supprime le protocole "serrement de mains" pour gagner du temps Setting this option erases all waypoints in the receiver before doing a transfer Choisir cette option efface toutes les données du récepteur avant de faire un transfert Brauniger IQ Series Barograph Download Téléchargement depuis un barographe Brauniger IQ Series Cambridge/Winpilot glider software Logiciel de vol à voile Cambridge/Winpilot Path to the xcsv style file. See the appendix C of the gpsbabel Documentation for details Chemin vers le fichier de style xscv. Voir l'appendice C de la documentation de GPSBabel pour plus de détails Forbids (0) or allows (1) long names in synthesized shortnames Interdit (0) ou autorise (1) les noms longs dans la création de noms courts Forbids (0) or allows (1) white spaces in synthesized shortnames Interdit (0) ou autorise (1) les espaces dans les noms courts créés Disables (0) or enables (1) UPPERCASE NAMES in synthesized shortnames Désactive (0) ou active (1) les NOMS EN MAJUSCULE dans les noms courts créés Disables (0) or enables (1) unique synthesized shortnames Désactive (0) ou active (1) les noms courts uniques The value specified will be prepended to URL names (e.g. turn relative paths to absolute paths) La valeur indiquée sera ajoutée avant l'URL (par exemple pour transformer un chemin relatif en chemin absolu) Use shortname (0) instead of the description (1) of the waypoints to synthesize shortnames Plutôt utiliser les noms courts (0) au lieu de la description (1) des waypoints pour créer les noms courts Specifies the datum format to use. See the appendix A of the gpsbabel documentation for supported formats Spécifie le format de coordonnées (datum) à utiliser. Voir les formats supportés dans l'appendice A de la documentation de GPSBabel CarteSurTable data file Fichier de données CarteSurTable Cetus for Palm/OS Cetus pour Palm/OS CoastalExplorer XML Comma separated values Valeurs séparées par des virgules CompeGPS data files (.wpt/.trk/.rte) Fichiers de données CompeGPS (.wpt/.trk/.rte) CoPilot Flight Planner for Palm/OS CoPilot Flight Planner pour Palm/OS cotoGPS for Palm/OS cotoGPS pour Palm/OS Dell Axim Navigation System file format (.gpb) Format de fichier Dell Axim Navigation System (.gpb) DeLorme an1 (drawing) file Fichier DeLorme an1 (drawing) DeLorme GPL DeLorme Street Atlas Plus DeLorme Street Atlas Route Keep turns. This option only makes sense in conjunction with the 'simplify' filter Conserve les virages. Cette option n'est utile qu'en conjonction avec le filtre 'simplify' Only read turns but skip all other points. Only keeps waypoints associated with named turns Ne lit que les virages et saute les autres points. Ne garde que les waypoints de virages associés à un nom Split into multiple routes at turns. Create separate routes for each street resp. at each turn point. Cannot be used together with the 'turns_only' or 'turns_important' options Scinde en plusieurs routes aux virages. Crée des routes séparées pour chaque rue respectivement à chaque changement de direction. Ne peut pas être utilisé avec les options 'turns_only' ou 'turns_important' Read control points (start, end, vias, and stops) as waypoint/route/none. Default value is "none". Example: controls=waypoint Lit les points de contrôle (départ, arrivée, via et stops) comme des waypoints/route/aucun (none). La valeur par défaut est "none". Exemple : controls=waypoint Read the route as if it was a track, synthesizing times starting from the current time and using the estimated travel times specified in your route file Lit la route comme une trace, créant des temps commençant du temps actuel et utilisant les temps de trajet estimés indiqués dans votre fichier route DeLorme XMap HH Native .WPT DeLorme XMap/SAHH 2006 Native .TXT DeLorme XMat HH Street Atlas USA .WPT (PPC) EasyGPS binary format Format binaire EasyGPS FAI/IGC Flight Recorder Data Format Format d'enregistreur de vol FAI/IGC Fugawi Garmin 301 Custom position and heartrate Position et rythme cardiaque Garmin 301 Garmin Logbook XML Garmin MapSource - gdb Garmin MapSource - mps Garmin MapSource - txt (tab delimited) Garmin MapSource - txt (délimité par des tabulations) Interpret date as specified. The format is written similarly to those in Windows. Example: date=YYYY/MM/DD Interprète la date comme indiqué. Les formatages sont identiques à ceux de Windows. Exemple : date=YYYY/MM/DD The option datum="datum name" can be used to specify how the datum is interpreted. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" L'option datum="datum name" peut être utilisée pour spécifier comment le système de coordonnées doit être interprété. Les formats supportés sont indiqués dans l'appendice A de la documentation de GPSBabel. Exemple: datum="NAD27" This option specifies the input and output format for the time. The format is written similarly to those in Windows. An example format is 'hh:mm:ss xx' Cette option spécifie le format d'entrée et de sortie de l'heure. Les formatages sont identiques à ceux de Windows. Un exemple de format : 'hh:mm:ss xx' Garmin PCX5 Garmin POI database Base de donnée Garmin POI Return current position as a waypoint Retourne la position actuelle comme waypoint Command unit to power itself down Demande à l'appareil de s'éteindre Geocaching.com (.loc) If this option is specified, geocache placer information will not be processed Si cette option est choisie, les informations sur le créateur du géocache ne seront pas traitées GeocachingDB for Palm/OS GeocachingDB pour Palm/OS GEOnet Names Server (GNS) GeoNiche (.pdb) Google Earth (Keyhole) Markup Language Google Maps XML tracks Traces Google Maps XML GpilotS GPS TrackMaker GPSBabel arc filter file Fichier de filtre en arc GPSBabel GpsDrive Format Format GpsDrive GpsDrive Format for Tracks Format GpsDrive pour les traces GPSman GPSPilot Tracker for Palm/OS waypoints Waypoints GPSPilot Tracker pour Palm/OS gpsutil is a simple command line tool dealing with waypoint data gpsutil est un outil simple, en ligne de commande traitant les données de waypoint Universal GPS XML file format Format de fichier GPS XML universel HikeTech Holux gm-100 waypoints (.wpo) Waypoints Holux gm-100 (.wpo) HSA Endeavour Navigator export File Fichier d'exportation HSA Endeavour Navigator IGN Rando track files Fichiers trace IGN Rando Kartex 5 Track File Fichier trace Kartex 5 Kartex 5 Waypoint File Fichier waypoint Kartex 5 KuDaTa PsiTrex text Texte KuDaTa PsiTrex Lowrance USR If this option is added, event marker icons are ignored and therefore not converted to waypoints Si cette option est ajoutée, les icônes de marqueurs d'événement sont ignorés et ainsi ne sont pas convertis en waypoints This option breaks track segments into separate tracks when reading a .USR file Cette option sépare les segments de trace en traces distinctes lors de la lecture de fichiers .USR Magellan Mapsend Magellan NAV Companion for Palm/OS waypoints Waypoints Magellan NAV Companion pour Palm/OS Magellan SD files (as for eXplorist) Fichiers Magellan SD (pour eXplorist) Map&Guide 'Tour Exchange Format' XML routes Routes Map&Guide 'Tour Exchange Format' XML Set this option to eliminate calculated route points from the route, only preserving only via stations in route Choisir cette option pour éliminer de la route les points calculés, en conservant uniquement les points de route ayant un waypoint équivalent Map&Guide to Palm/OS exported files, containing waypoints and routes (.pdb) Fichiers exportés de Map&Guide vers Palm/OS, contenant des waypoints et des routes (.pdb) Mapopolis.com Mapconverter CSV waypoints Waypoints CSV Mapopolis.com Mapconverter MapTech Exchange Format waypoints Waypoints MapTech Exchange Format Microsoft AutoRoute 2002 resp. Streets and Trips (pin/route reader) Streets and Trips Microsoft AutoRoute 2002 (lecteur de point/route) Microsoft Streets and Trips 2002-2006 waypoints Waypoints Microsoft Streets and Trips 2002-2006 Motorrad Routenplaner/Map&Guide routes (.bcr) Routes Motorrad Routenplaner/Map&Guide (.bcr) MS PocketStreets 2002 Pushpin waypoints; not fully supported yet Waypoints Pushpin MS PocketStreets 2002 ; pas encore totalement pris en charge National Geographic Topo waypoints (.tpg) Waypoints National Geographic Topo (.tpg) National Geographic Topo 2.x tracks (.tpo) Traces National Geographic Topo 2.x (.tpo) National Geographic Topo 3.x/4.x waypoints, routes and tracks (.tpo) Waypoints, routes and traces National Geographic Topo 3.x/4.x (.tpo) Navicache.com XML Suppress retired geocaches Supprime les géocaches enlevés Navigon Mobile Navigator (.rte) Navitrak DNA marker format Format de marqueur Navitrak DNA NetStumbler Summary File (text) Fichier résumé NetStumbler (texte) Specifies the name of the icon to use for non-stealth, encrypted access points Indique le nom de l'icône à utiliser pour les points d'accès détectables et cryptés Specifies the name of the icon to use for non-stealth, non-encrypted access points Indique le nom de l'icône à utiliser pour les points d'accès détectables et non-cryptés Specifies the name of the icon to use for stealth, encrypted access points Indique le nom de l'icône à utiliser pour les points d'accès non-détectables et cryptés Specifies the name of the icon to use for stealth, non-encrypted access points Indique le nom de l'icône à utiliser pour les points d'accès non-détectables et non-cryptés Use the MAC address as the short name for the waypoint. The unmodified SSID is included in the waypoint description Utilise l'adresse MAC comme nom court pour le waypoint. Le SSID non-modifié est inclus dans la description du waypoint NIMA/GNIS Geographic Names File Fichier de noms géographiques NIMA/GNIS OziExplorer PathAway Database for Palm/OS Base de données PathAway pour Palm/OS Specifies the input and output format for the date. The format is written similarly to those in Windows. Example: date=YYMMDD Indique le format d'entrée et de sortie de la date. Les formatages sont identiques à ceux de Windows. Exemple : date=YYMMDD QuoVadis for Palm OS QuoVadis pour Palm OS Raymarine Waypoint File (.rwf) Fichier de waypoints Raymarine (.rwf) See You flight analysis data Données d'analyse de vol See You Sportsim track files (part of zipped .ssz files) Fichiers de Trace Sportsim (partie de fichiers .ssz zippés) Suunto Trek Manager STM (.sdf) files Fichiers Suunto Trek Manager STM (.sdf) Suunto Trek Manager STM WaypointPlus files Fichiers WaypointPlus Suunto Trek Manager STM Tab delimited fields useful for OpenOffice, Ploticus etc. Champs séparés par des tabulations, utilisés par OpenOffice, Ploticus etc. TomTom POI file Fichier de POI TomTom TopoMapPro Places File Fichier Places TopoMapPro TrackLogs digital mapping (.trl) Cartographie numérique TrackLogs (.trl) U.S. Census Bureau Tiger Mapping Service Universal csv with field structure defined in first line Fichier csv universel avec structure des champs en première ligne Vito Navigator II tracks Traces Vito Navigator II WiFiFoFum 2.0 for PocketPC XML waypoints Waypoints XML WiFiFoFum 2.0 pour PocketPC Infrastructure closed icon name Nom d'icône pour réseau infrastructure fermé Infrastructure open icon name Nom d'icône pour réseau infrastructure ouvert Ad-hoc closed icon name Nom d'icône pour réseau ad-hoc fermé Ad-hoc open icon name Nom d'icône pour réseau ad-hoc ouvert Create shortname based on the MAC hardware address Crée des noms courts basés sur l'adresse MAC du matériel Wintec WBT-100/200 data logger format, as created by Wintec's Windows application Format du data logger Wintec WBT-100/200, comme l'application Windows de Wintec Wintec WBT-100/200 GPS logger download Récupération des données du GPS logger Wintec WBT-100/200 Add this option to erase the data from the device after the download finished Ajouter cette option pour effacer les données de l'appareil à la fin du téléchargement Yahoo Geocode API data Données de l'API de géocodage Yahoo Character separated values Valeurs séparées par un caractère NMEA 0183 sentences Phrases NMEA 0183 Specifies if GPRMC sentences are processed. If not specified, this option is enabled. Example to disable GPRMC sentences: gprmc=0 Indique si les phrases GPRMC sont traitées. Si non-indiqué, cette option est activée. Exemple pour désactiver les phrases GPRMC : gprmc=0 Specifies if GPGGA sentences are processed. If not specified, this option is enabled. Example to disable GPGGA sentences: gpgga=0 Indique si les phrases GPGGA sont traitées. Si non-indiqué, cette option est activée. Exemple pour désactiver les phrases GPGGA : gpgga=0 Specifies if GPVTG sentences are processed. If not specified, this option is enabled. Example to disable GPVTG sentences: gpvtg=0 Indique si les phrases GPVTG sont traitées. Si non-indiqué, cette option est activée. Exemple pour désactiver les phrases GPVTG : gpvtg=0 Specifies if GPGSA sentences are processed. If not specified, this option is enabled. Example to disable GPGSA sentences: gpgsa=0 Indique si les phrases GPGSA sont traitées. Si non-indiqué, cette option est activée. Exemple pour désactiver les phrases GPGSA : gpgsa=0 Returns the current position as a single waypoint. This option does not require a value Renvoie la position actuelle comme un seul waypoint. Cette option ne requiert aucune valeur Specifies the baud rate of the serial connection when used with the real-time tracking option -T. Example: baud=4800 Indique le débit en bauds de la connexion série utilisée avec l'option de suivi en temps réel -T. Exemple : baud=4800 Garmin Points of Interest Vito SmartMap tracks Traces Vito SmartMap Geogrid Viewer tracklogs Traces Geogrid Viewer G7ToWin data files Fichiers de données G7ToWin This option specifies the icon or waypoint type to write for each waypoint on output Cette option indique l'icône ou le type de waypoint à écrire pour chaque waypoint en sortie Max number of comments to write. Example: maxcmts=200 Nombre maximal de commentaires à écrire. Exemple : maxcmts=200 Garmin serial/USB device format Format d'appareil série/USB Garmin Maximum length of generated shortnames Longueur maximale des noms courts générés Set this option to allow whitespace in generated shortnames Choisir cette option pour autoriser les espaces dans les noms courts Default icon name Nom d'icône par défaut This numeric option adds the specified category number to the waypoints Cette option numérique ajoute le nombre de catégorie indiqué au waypoint Internal database name of the output file, which is not equal to the file name Nom interne à la base de données du fichier de sortie, lequel n'est pas identique au nom du fichier Append icon_descr at the end of a waypoint description Ajoute icon_descr à la fin de la description d'un waypoint Default icon name. Example: deficon=RedPin nom d'icône par défaut. Exemple : deficon=RedPin If the source file contains more than one route or track, use this option to specify which one you want to output (as this format only allows one per file). Example: index=1 Si le fichier source contient plus d'une route ou trace, utilisez cette option pour indiquer laquelle vous souhaitez en sortie (car ce format n'autorise qu'un élément par fichier). Exemple : index=1 Default radius (proximity) Rayon par défaut (proximité) Length of the generated shortnames. Default is 16 characters. Example: snlen=16 Longueur des noms courts générés. La longueur par défaut est 16 caractères. Exemple : snlen=16 Specify another name for not categorized data (the default reads as Not Assigned). Example: zerocat=NotAssigned Indique un autre nom pour les données non-catégorisées (lues par défaut comme Non-assignées). Exemple : zerocat=NonAssigne Type of the drawing layer to be created. Valid values include drawing, road, trail, waypoint or track. Example: type=waypoint Type du calque de dessin à créer. Les valeurs valides sont : drawing, road, trail, waypoint ou track. Exemple : type=waypoint Type of the road to be created. Valid values include limited, toll, ramp, us, primary, state, major, ferry, local or editable. As the syntax is very special, see the gpsbabel docs for details Type de la route à créer. Les valeurs valides sont : limited, toll, ramp, us, primary, state, major, ferry, local ou editable. La syntaxe étant très spéciale, voir la documentation de GPSBabel pour le detail If geocache data is available, do not write it to the output Si des données de géocache sont disponibles, ne pas les inclure dans la sortie Symbol to use for point data. Example: deficon="Red Flag" Symbole à utiliser pour un point de donnée. Exemple : deficon="Red Flag" Colour for lines or mapnote data. Any color as defined by the CSS specification is understood. Example for red color: color=#FF0000 Couleur pour les lignes ou les notes de carte. Couleur définie par la spécification CSS. Exemple pour la couleur rouge : color=#FF0000 A value of 0 will disable reduced symbols when zooming. The default is 10. Une valeur de 0 désactive l'affichage de symboles réduits lors du grossissement. 10 par défaut. Specifies the appearence of point data. Valid values include symbol (the default), text, mapnote, circle or image. Example: wpt_type=symbol Indique l'apparence d'un point de donnée. Les valeurs autorisées sont : symbol (par défaut), text, mapnote, circle or image. Exemple : wpt_type=symbol If the waypoint type is circle, this option is used to specify its radius. The default is 0.1 miles (m). Kilometres also can be used (k). Example: wpt_type=circle,radius=0.01k Si le type de waypoint est 'circle', cette option indique son rayon. 0.1 miles (m) par défaut. On peut aussi utiliser les kilomètres (k). Exemple : wpt_type=circle,radius=0.01k Barograph to GPS time diff. Either use auto or an integer value for seconds. Example: timeadj=auto Décalage de temps entre le barographe et le GPS. Accepte la valeur auto ou un nombre entier de secondes. Exemple : timeadj=auto Franson GPSGate Simulation Simulation Franson GPSGate This option specifies the speed of the simulation in knots per hour Cette option indique la vitesse de la simulation en noeuds Adding this option splits the output into multiple files using the output filename as a base. Waypoints, any route and any track will result in an additional file Ajouter cette option divise la sortie en fichiers multiples utilisant le nom de la sortie comme base. Chaque waypoint, route ou trace crée un fichier supplémentaire This option specifies the default category for gdb output. It should be a number from 1 to 16 Cette option spécifie la catégorie par défaut d'une sortie gdb. Cela devrait être un nombre entre 1 et 16 Version of gdb file to generate (1 or 2). Version du fichier gdb à générer (1 ou 2). Drop calculated hidden points (route points that do not have an equivalent waypoint. Ignore les points cachés calculés (points de route qui n'ont pas de waypoint équivalent). Version of mapsource file to generate (3, 4 or 5) Version du fichier MapSource à générer (3, 4 ou 5) Merges output with an already existing file Fusionne la sortie à un fichier existant Use depth values on output (the default is to ignore them) Utilise les valeurs de profondeur en sortie (ignorées par défaut) Use proximity values on output (the default is to ignore them) Utilise les valeurs de proximité en sortie (ignorées par défaut) This option specifies the unit to be used when outputting distance values. Valid values are M for metric (meters/kilometres) or S for statute (feet/miles) Cette option indique l'unité à utiliser lorsque des distances apparaissent en sortie. Les vleurs valides sont M pour les unités métriques (mètres/kilomètres) et S (statute) pour les unités impériales (pieds/miles) This value specifies the grid to be used on write. Idx or short are valid parameters for this option Cette valeur indique la grille à utiliser à l'écriture. 'Idx' ou 'short' sont les paramètres valides pour cette option This option specifies the precision to be used when writing coordinate values. Precision is the number of digits after the decimal point. The default precision is 3 Cette option indique le nombre de décimales à utiliser lors de l'écriture de coordonnées. La précision par défaut est 3 This option specifies the unit to be used when writing temperature values. Valid values are C for Celsius or F for Fahrenheit Cette option indique l'unité de température à utiliser. Les valeurs valides sont C pour Celsius ou F pour Fahrenheit This option specifies the local time zone to use when writing times. It is specified as an offset from Universal Coordinated Time (UTC) in hours. Valid values are from -23 to +23 Cette option indique l'heure locale à utiliser à l'écriture d'heures. C'est le décalage par rapport au temps UTC en heures. Les valeurs valides vont de -23 à +23 Write tracks compatible with Carto Exploreur Ecrit des traces compatibles avec Carto Exploreur Garmin Training Center xml XML Garmin Training Center Geocaching.com .loc This option specifies the icon or waypoint type to write for each waypoint Cette option indique l'icône ou le type de waypoint à écrire pour chaque waypoint This option specifies the default name for waypoint icons Cette option indique le nom par défaut des icônes de waypoint Per default lines are drawn between points in tracks and routes. Example to disable line-drawing: lines=0 Par défaut des lignes sont tracées entre les points de traces et de routes. Exemple pour désactiver les lignes : lines=0 Per default placemarks for tracks and routes are drawn. Example to disable drawing of placemarks: points=0 Par défaut, les repères pour les traces et les routes sont tracés. Exemple pour supprimer le traçage des repères : points=0 Per default lines are drawn in a width of 6 pixels. Example to get thinner lines: line_width=3 Par défaut les lignes tracées ont une largeur de 6 pixels. Exemple pour des lignes plus fines : line_width=3 This option specifies the line color as a hexadecimal number in AABBGGRR format, where A is alpha, B is blue, G is green, and R is red Cette option indique la couleur de la ligne au format hexadécimal AABBGGRR, où A est le canal alpha, B le bleu, G le vert et R le rouge Per default this option is zero, so that altitudes are clamped to the ground. When this option is nonzero, altitudes are allowed to float above or below the ground surface. Example: floating=1 Par défaut cette option est à zéro, de sorte que les altitudes sont collées au sol. Quand cette option n'est pas à zéro, les altitudes peuvent flotter au-dessus ou au-dessous du sol. Exemple : floating=1 Specifies whether Google Earth should draw lines from trackpoints to the ground or not. It defaults to '0', which means no extrusion lines are drawn. Example to set the lines: extrude=1 Indique si Google Earth doit tracer la ligne reliant les points de trace au sol. C'est '0' par défaut, les lignes ne sont pas tracées. Exemple pour tracer les lignes : extrude=1 Per default, extended data for trackpoints (computed speed, timestamps, and so on) is included. Example to reduce the size of the generated file substantially: trackdata=0 Par défaut, les données complémentaires des points de trace (vitesse calculée, date et heure, etc...) sont incluses. Exemple pour réduire la taille du fichier généré : trackdata=0 Units used when writing comments. Specify 's' for "statute" (miles, feet etc.) or 'm' for "metric". Example: units=m Unités utilisées lors de l'écriture de commentaires. Indiquer 's' pour les unités impériales (miles, pieds, etc...) ou 'm' pour les unités métriques. Exemple : units=m Display labels on track and routepoints. Example to switch them off: labels=0 Affiche les étiquettes des points de trace et de route. Exemple pour ne pas les afficher : labels=0 This option allows you to specify the number of points kept in the 'snail trail' generated in the realtime tracking mode Cette option permet de spécifier le nombre de points conservés dans la "queue de comète" générée dans le mode de suivi en temps réel Length of generated shortnames Longueur des noms courts générés Suppress whitespace in generated shortnames Supprime les espaces dans les noms courts générés Create waypoints from geocache log entries Crée des waypoints depuis les entrées de la liste de géocaches Base URL for link tags URL de base pour les étiquettes de lien Target GPX version. The default version is 1.0, but you can even specify 1.1 Version GPX cible. La version par défaut est 1.0 mais vous pouvez choisir 1.1 Write waypoints to HTML Ajoute les waypoints au fichier HTML Use this option to specify a CSS style sheet to be used with the resulting HTML file Utilisez cette option pour indiquer la feuille de style CSS à utiliser avec le fichier HTML résultant Use this option to encrypt hints from Groundspeak GPX files using ROT13 Utilisez cette option pour crypter les indices des fichiers GPX Groundspeak en ROT13 Use this option to include Groundspeak cache logs in the created document Utilisez cette option pour inclure les logs de cache Groundspeak dans le document créé Defines the format of the coordinates. Supported formats include decimal degrees (degformat=ddd), decimal minutes (degformat=dmm) or degrees, minutes, seconds (degformat=dms). If this option is not specified, the default is dmm Définit le format des coordonnées. Les formats pris en charge incluent les degrès décimaux (degformat=ddd), les minutes décimales (degformat=dmm) ou degrès, minutes, secondes (degformat=dms). Si cette option n'est pas spécifiée, cela sera dmm par défault This option should be 'f' if you want the altitude expressed in feet and 'm' for meters. The default is 'f' Cette option doit être 'f' si vous souhaitez que l'altitude soit exprimée en pieds (feet) and 'm' pour les mètres. 'f' par défaut This option merges all tracks into a single track with multiple segments Cette option fusionne toutes les traces en une seule trace à segments multiples Magellan Explorist Geocaching waypoints (extension: .gs). Waypoints de géocaching Magellan Explorist (extension : .gs). MapSend version TRK file to generate (3 or 4). Example: trkver=3 Version MapSend des fichiers TRK à générer (3 ou 4). Exemple : trkver=3 Motorrad Routenplaner (Map&Guide) routes (bcr files) Routes Motorrad Routenplaner (Map&Guide) : fichiers bcr Specifies the name of the route to create Indique le nom de la route à créer Radius of our big earth (default 6371000 meters). Careful experimentation with this value may help to reduce conversion errors Rayon de notre bonne vieille Terre (6371000 mètres par défaut). Des expérimentations prudentes avec cette valeur peut aider à réduire les erreurs de conversion National Geographic Topo .tpg (waypoints) The option datum="datum name" can be used to override the default of NAD27 (N. America 1927 mean) which is correct for the continental U.S. Supported datum formats can be found in the gpsbabel documentation, Appendix A, Supported Datums. Example: datum="NAD27" L'option datum="nom du datum" peut être utilisé pour outrepasser le NAD27 (Amérique du Nord 1927 moyen) qui est correct pour les Etats-Unis continentaux. Les datum supportés sont indiqués dans la documentation de GPSBabel, Appendice A, Supported Datums. Exemple : datum="NAD27" Navigon Mobile Navigator .rte files Fichiers Navigon Mobile Navigator .rte The maximum synthesized shortname length Longueur maximale des noms courts synthétisés Allow UPPERCASE CHARACTERS in synthesized shortnames Autorise les CARACTERES MAJUSCULES dans les noms courts synthétisés Make synthesized shortnames unique Rend les noms courts synthétisés uniques Waypoint foreground color Couleur d'avant-plan du waypoint Waypoint background color Couleur d'arrière-plan du waypoint PalmDoc Output Sortie PalmDoc Use this option to suppress the dashed lines between waypoints Utilisez cette option pour supprimer les pointillés entre les waypoints Internal database name of the output file, which is not equal to the file name. Example: dbname=Unfound Nom interne à la base de données du fichier de sortie, lequel n'est pas identique au nom du fichier. Exemple : dbname=Unfound Use this option to encrypt hints from Groundspeak GPX files with ROT13 Utilisez cette option pour crypter les indices des fichiers GPX Groundspeak en ROT13 Use this option to include Groundspeak cache logs in the created document if there are any Utilisez cette option pour inclure les logs de cache Groundspeak dans le document créé s'il y en a If you would like the generated bookmarks to start with the short name for the waypoint, specify this option Si vous souhaitez que les signets générés débutent avec le nom court du waypoint, choisissez cette option Default location Lieu par défaut Suunto Trek Manager (STM) .sdf files Fichiers .sdf Suunto Trek Manager (STM) Suunto Trek Manager (STM) WaypointPlus files Fichiers WaypointPlus Suunto Trek Manager (STM) Textual Output Sortie textuelle No labels on the pins are generated, thus the descriptions of the waypoints are dropped Il n'est pas généré d'étiquettes pour les épingles, alors les descriptions des waypoints sont ignorées Generate file with lat/lon for centering map. Example: genurl=tiger.ctr Générer un fichier avec latitude/longitude pour centrer la carte. Exemple : genurl=tiger.ctr Margin for map in degrees or percentage. Only useful in conjunction with the genurl option Marge pour la carte en degrès ou pourcentage. Utile uniquement en conjonction avec l'option 'genurl' The snlen option controls the maximum length of generated shortnames L'option 'snlen' contrôle la longueur maximale des noms courts générés Days after which points are considered old Nombre de jours après lesquels les points sont considérés comme anciens This option specifies the pin to be used if a waypoint has a creation time newer than specified by the 'oldthresh' option. The default is redpin Cette option indique l'épingle à utiliser si un waypoint a une date de création postérieure à celle indiquée par l'option 'oldthresh'. 'redpin' par défaut This option specifies the pin to be used if a waypoint has a creation time older than specified by the 'oldthresh' option. The default is greenpin Cette option indique l'épingle à utiliser si un waypoint a une date de création antérieure à celle indiquée par l'option 'oldthresh'. 'greenpin' par défaut Marker type for unfound points Type de marqueur pour les points non-trouvés Lets you specify the number of pixels to be generated by the Tiger server along the horizontal axis when using the 'genurl' option Vous permet d'indiquer le nombre de pixels à générer par le serveur Tiger sur l'axe horizontal lors de l'utilisation de l'option 'genurl' Lets you specify the number of pixels to be generated by the Tiger server along the vertical axis when using the 'genurl' option Vous permet d'indiquer le nombre de pixels à générer par le serveur Tiger sur l'axe vertical lors de l'utilisation de l'option 'genurl' The icon description already is the marker L'icône de description est déjà le marqueur Vcard Output (for iPod) Sortie Vcard (pour iPod) By default geocaching hints are unencrypted; use this option to encrypt them using ROT13 Par défaut les indices de geocaching ne sont pas cryptés; utilisez cette option pour les crypter en ROT13 Street addresses will be added to the notes field of waypoints, separated by , per default. Use this option to specify another delimiter. Example: addrsep=" - " Les adresses seront ajoutées au champs notes des waypoints, séparées par , par défaut. Utilisez cette fonction pour spécifier un autre délimiteur. Exemple : addrsep=" - " Max length of waypoint name to write Longueur maximale du nom de waypoint à écrire Complete date-free tracks with given date (YYYYMMDD). Example: date=20071224 Ajoute la date indiquée (YYYMMDD) aux traces qui en sont dépourvues. Exemple : date=20071224 Decimal seconds to pause between groups of strings. Example for one second: pause=10 Longueur de la pause entre les groupes de valeurs, en dixièmes de secondes. Exemple pour une seconde : pause=10 Append realtime positioning data to the output file instead of truncating. This option does not require a value Ajoute les données de position en temps réel au fichier de sortie au lieu de le tronquer. Cette option ne requiert pas de valeur Use this bitmap, 24x24 or smaller, 24 or 32 bit RGB colors or 8 bit indexed colors. Example: bitmap="tux.bmp" Utiliser cette image, 24x24 ou plus petite, RVB 24 ou 32 bits de couleur ou couleurs indexées 8 bits. Exemple : bitmap="tux.bmp" The default category is "My points". Example to change this: category="Best Restaurants" La catégorie par défaut est "My points". Exemple pour en changer : category="Best Restaurants" Use this if you don't want a bitmap to be shown on the device. This option does not require a value Utilisez cette option si vous voulez pas que des images soient affichées sur l'appareil. Cette option ne requiert pas de valeur Add descriptions to list views of the device. This option does not require a value Ajoute les descriptions à la vue en liste de l'appareil. Cette option ne requiert pas de valeur Add notes to list views of the device. This option does not require a value Ajoute les notes à la vue en liste de l'appareil. Cette option ne requiert pas de valeur Add position to the address field as seen in list views of the device. This option does not require a value Ajoute la position au champ adresse, comme vu dans la vue en liste de l'appareil. Cette option ne requiert pas de valeur Only keep points within a certain distance of the given arc file Ne conserve que les points proches d'un arc défini par un fichier jusqu'à une distance donnée File containing the vertices of the polygonal arc (required). Example: file=MyArcFile.txt Fichier contenant les coordonnées des points de l'arc polygonal (requis). Exemple: file=MonFichierArc.txt Distance from the polygonal arc (required). The default unit is miles, but it is recommended to always specify the unit. Examples: distance=3M or distance=5K Distance depuis l'arc (requis). L'unité par défaut est miles, mais il est recommandé de toujours indiquer l'unité. Examples : distance=3M ou distance=5K Only keep points outside the given distance instead of including them (optional). Inverts the behaviour of this filter. Ne conserve que les points au-delà de la distance donnée (optionnel). Inverse le comportement de ce filtre. Use distance from the vertices instead of the lines (optional). Inverts the behaviour of this filter to a multi point filter instead of an arc filter (similar to the radius filter) Utilise la distance depuis les angles au lieu des lignes (optionnel). Inverse le comportement de ce filtre en un filtre multi-point en place d'un filtre d'arc (similaire au filtre rayon) Remove unreliable points with high dilution of precision (horizontal and/or vertical) Supprime les points non-fiables présentant une grande dilution de la précision (horizontale et/ou verticale) Remove waypoints with horizontal dilution of precision higher than the given value. Example: hdop=10 Supprime les waypoints présentant une dilution de la précision horizontale supérieure à la valeur donnée. Exemple : hdop=10 Remove waypoints with vertical dilution of precision higher than the given value. Example: vdop=20 Supprime les waypoints présentant une dilution de la précision verticale supérieure à la valeur donnée. Exemple : vdop=20 Only remove waypoints with vertical and horizontal dilution of precision higher than the given values. Requires both hdop and vdop to be specified. Example: hdop=10,vdop=20,hdopandvdop Ne supprime que les waypoints présentant une dilution de la précision horizontale et verticale supérieure aux valeurs données. Requiert les valeurs de hdop et vdop. Exemple : hdop=10,vdop=20,hdopandvdop This filter will work on waypoints and remove duplicates, either based on their name, location or on a corrections file Ce filtre traite les waypoints et supprime les doublons selon leur nom, leur position ou d'après un fichier de corrections Remove duplicated waypoints based on their name. A, B, B and C will result in A, B and C Supprime les waypoints en double selon leur nom. A, B, B et C donnera A, B et C Remove duplicated waypoints based on their coordinates. A, B, B and C will result in A, B and C Supprime les waypoints en double selon leurs coordonnées. A, B, B et C donnera A, B et C Suppress all instances of duplicates. A, B, B and C will result in A and C Supprime toutes les occurences de doublons. A, B, B et C donnera A et C Keep the first occurence, but use the coordintaes of later points and drop them Conserve la première occurence, mais utilise les coordonnées des derniers points et les supprime This filter will work on tracks or routes and fills gaps between points that are more than the specified amount of seconds, kilometres or miles apart Ce filtre fonctionne sur les traces ou les routes et remplit les espaces vides entre les points séparés d'un certain temps en secondes, ou d'une certaine distance en kilomètres ou miles Adds points if two points are more than the specified time interval in seconds apart. Cannot be used in conjunction with routes, as route points don't include a time stamp. Example: time=10 Ajoute des points si deux points sont séparés de plus d'un intervalle spécifié en secondes. Ne peut être utilisé sur les routes car elles ne comportent pas de valeurs de temps. Exemple : time=10 Adds points if two points are more than the specified distance in miles or kilometres apart. Example: distance=1k or distance=2m Ajoute des points si deux points sont séparés de plus d'une distance spécifiée en kilomètres ou en miles. Exemple : distance=1k ou distance=2m Work on a route instead of a track Traite une route au lieu d'une trace Remove waypoints, tracks, or routes from the data. It's even possible to remove all three datatypes from the data, though this doesn't make much sense. Example: nuketypes,waypoints,routes,tracks Retire les waypoints, traces ou routes des données. Il est possible de supprimer les trois types de données, même si cela n'a pas de sens. Exemple : nuketypes,waypoints,routes,tracks Remove all waypoints from the data. Example: waypoints Retire tous les waypoints des données. Exemple : waypoints Remove all routes from the data. Example: routes Retire toutes les routes des données. Exemple : routes Remove all tracks from the data. Example: tracks Retire toutes les traces des données. Exemple : tracks Remove points outside a polygon specified by a special file. Example: polygon,file=MyCounty.txt Retire tous les points à l'extérieur d'un polygone spécifié dans un fichier. Exemple : polygon,file=MaRégion.txt File containing the vertices of the polygon (required). Example: file=MyCounty.txt Fichier contenant la description du polygone (obligatoire). Exemple : file=MaRégion.txt Adding this option inverts the behaviour of this filter. It then keeps points outside the polygon instead of points inside. Example: file=MyCounty.txt,exclude Ajouter cette option inverse le comportement de ce filtre. Il garde les points à l'extérieur du polygone au lieu de ceux à l'intérieur. Exemple : file=MaRégion.txt,exclude Remove points close to other points, as specified by distance. Examples: position,distance=30f or position,distance=40m Supprime les points proches d'autres points, selon la distance indiquée. Exemples : position,distance=30f ou position,distance=40m The distance is required. Distances can be specified by feet or meters (feet is the default). Examples: distance=0.1f or distance=0.1m La distance est requise. Les distances peuvent être indiquées en pieds ou en mètres (en pieds par défaut). Exemples : distance=0.1f ou distance=0.1m This option removes all points that are within the specified distance of one another, rather than leaving just one of them Cette option supprime tous les points étant plus proches d'un autre selon la distance indiquée, plutôt que d'en laisser un seul Includes or excludes waypoints based on their proximity to a central point. The remaining points are sorted so that points closer to the center appear earlier in the output file Inclut ou exclut les waypoints selon leur proximité à un point central. Les points restants sont classés dans le fichier de sortie selon leur proximité décroissante au centre Latitude for center point in miles (m) or kilometres (k). (D.DDDDD) (required) Latitude du point central (D.DDDDD) (obligatoire) Longitude for center point (D.DDDDD) (required) Longitude du point central (D.DDDDD) (obligatoire) Distance from center (required). Example: distance=1.5k,lat=30.0,lon=-90.0 Distance au centre (obligatoire). Exemple : distance=1.5k,lat=30.0,lon=-90.0 Don't keep but remove points close to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,exclude Ne conserve pas mais supprime les points proches du centre. Exemple : distance=1.5k,lat=30.0,lon=-90.0,exclude Don't sort the remaining points by their distance to the center. Example: distance=1.5k,lat=30.0,lon=-90.0,nosort Ne trie pas les points restants selon leur distance au centre. Exemple : distance=1.5k,lat=30.0,lon=-90.0,nosort Limit the number of kept points. Example: distance=1.5k,lat=30.0,lon=-90.0,maxcount=400 Limite le nombre de points conservés. Exemple : distance=1.5k,lat=30.0,lon=-90.0,maxcount=400 Create a named route containing the resulting waypoints. Example: distance=1.5k,lat=30.0,lon=-90.0,asroute=MyRoute Crée une route nommée contenant les waypoints restant. Exemple : distance=1.5k,lat=30.0,lon=-90.0,asroute=MaRoute Reverse a route or track. Rarely needed as most applications can do this by themselves Inverse une route ou une trace. Rarement nécessaire car la plupart des applications permettent de le faire Simplify routes or tracks, either by the amount of points (see the count option) or the maximum allowed aberration (see the error option) Simplifie les routes ou traces, selon le nombre de points (voir l'option 'count') ou l'aberration maximale autorisée (voir l'option 'error') Maximum number of points to keep. Example: count=500 Nombre maximal de points à conserver. Exemple : count=500 Drop points except the given error value in miles (m) or kilometres (k) gets reached. Example: error=0.001k Ignore les points sauf si la valeur d'erreur en miles (m) ou kilomètres (k) est atteinte. Exemple : error=0.001k Use cross-track error (this is the default). Removes points close to a line drawn between the two points adjacent to it Utilise l'erreur d'alignement "cross-track" (c'est la valeur par défaut). Retire les points proches d'une ligne tracée entre les deux points adjacents This disables the default crosstrack option. Instead, points that have less effect to the overall length of the path are removed Cela désactive l'option cross-track. A la place, les points qui ont le moins d'effet sur la longueur du chemin indiquée sont retirés Advanced stack operations on tracks. Please see the gpsbabel docs for details Opérations avancées sur des piles de données de trace. Se référer à la documentation de GPSBabel pour plus de détails Push waypoint list onto stack Place la list de waypoints dans la pile Pop waypoint list from stack Récupère la liste de waypoints de la pile Swap waypoint list with <depth> item on stack (requires the depth option to be set) Remplace les waypoints de la liste par <depth> points de la pile (requiert la définition de la valeur de l'option depth) (push) Copy waypoint list (push) Copie la liste de waypoints (pop) Append list (pop) Ajoute la liste (pop) Discard top of stack (pop) Remplace le haut de la pile (pop) Replace list (default) (pop) Pemplace la liste (valeur par défaut) (swap) Item to use (default=1) (swap) Eléments à utiliser (défaut=1) Sort waypoints by exactly one of the available options Trie les waypoints par exactement une des options disponibles Sort by numeric geocache ID Tri selon l'ID numérique de géocache Sort by waypoint short name Tri selon le nom court de waypoint Sort by waypoint description Tri selon la description de waypoint Sort waypoints chronologically Trie les waypoints chronologiquement Manipulate track lists (timeshifting, time or distance based cutting, combining, splitting, merging) Manipule des listes de traces (décalage temporel, découpage selon le temps ou la distance, combinaison, division, fusion) Correct trackpoint timestamps by a delta. Example: move=+1h Décale les valeurs de temps des points de trace. Exemple : move=+1h Combine multiple tracks into one. Useful if you have multiple tracks of one tour, maybe caused by an overnight stop. Combine plusieurs traces en une seule. Utile pour un trajet en plusieurs traces comprenant des arrêts pour la nuit. Split by date or time interval. Example to split a single track into separate tracks for each day: split,title="ACTIVE LOG # %Y%m%d". See the gpsbabel docs for more examples Divise par date ou intervalle de temps. Exemple pour diviser une seule trace en traces distinctes pour chaque jour : split,title="ACTIVE LOG # %Y%m%d". Voir la documentation de GPSBabel pour plus d'exemples Merge multiple tracks for the same way, e.g. as recorded by two GPS devices, sorted by the point's timestamps. Example: merge,title="COMBINED LOG" Combine de multiples traces du même trajet, par exemple enregistrées par deux GPS, triées selon le temps des points. Exemple : merge,title="TRACE COMBINEE" Only use points of tracks whose (non case-sensitive) title matches the given name N'utilise que les points de trace dont le nom (insensible à la casse) est identique au nom donné Only use trackpoints after this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 N'utilise que les points de trace postérieurs à ce temps. Exemple (année, mois, jour, heure) : start=2007010110,stop=2007010118 Only use trackpoints before this timestamp. Example (year, month, day, hour): start=2007010110,stop=2007010118 N'utilise que les points de trace antérieurs à ce temps. Exemple (année, mois, jour, heure) : start=2007010110,stop=2007010118 Base title for newly created tracks Titre de base pour les nouvelles traces créées Synthesize GPS fixes (valid values are PPS, DGPS, 3D, 2D, NONE), e.g. when converting from a format that doesn't contain GPS fix status to one that requires it. Example: fix=PPS Synthétise une acquisition GPS (les valeurs valides sont PPS, DGPS, 3D, 2D, NONE), par exemple pour la conversion d'un format ne comportant pas de statut d'acquisition vers un autre le nécessitant. Exemple : fix=PPS Synthesize course. This option computes resp. recomputes a value for the GPS heading at each trackpoint, e.g. when working on trackpoints from formats that don't support heading information or when trackpoints have been synthesized by the interpolate filter Synthétise la direction. Cette option calcule ou recalcule une valeur de cap pour chaque point de trace, par exemple quand le format d'entrée ne supporte pas cette information ou lorsque les points de trace ont été synthétisés à partir du filtre 'interpolate' Synthesize speed computes a speed value at each trackpoint, based on the neighboured points. Especially useful for interpolated trackpoints Calcule une valeur de vitesse pour chaque point de trace, d'après les points environnants. Particulièrement utile pour les points de trace interpolés Split track if points differ more than x kilometers (k) or miles (m). See the gpsbabel docs for more details Divise la trace si les points sont éloignés de plus de x kilomètres (k) ou miles (m). Voir la documentation de GPSBabel pour plus de détails This filter can be used to convert GPS data between different data types, e.g. convert waypoints to a track Ce filtre peut être utilisé pour convertir le type des données GPS, par exemple convertir des waypoints en trace Creates waypoints from tracks or routes, e.g. to create waypoints from a track, use: wpt=trk Crée des waypoints à partir de traces ou de routes. Exemple pour créer des waypoints depuis une trace : wpt=trk Creates routes from waypoints or tracks, e.g. to create a route from waypoints, use: rte=wpt Crée des routes à partir de traces ou de waypoints. Exemple pour créer une route depuis des waypoints : rte=wpt Creates tracks from waypoints or routes, e.g. to create a track from waypoints, use: trk=wpt Crée des traces à partir de routes ou de waypoints. Exemple pour créer une trace depuis des waypoints : trk=wpt Delete source data after transformation. This is most useful if you are trying to avoid duplicated data in the output. Example: wpt=trk,del Efface les données après la transformation. C'est utile pour éviter les doublons dans la sortie. Exemple : wpt=trk,del DeLorme Map&Guide/Motorrad Routenplaner Map&Guide/Motorrad Routenplaner Carte sur table Dell Axim Navigation System Geocaching.com GPS XML format Format GPS XML Garmin MapSource FAI/IGC Flight Recorder Enregistreur de vol FAI/IGC Google Earth Keyhole Markup Language Geocaching.com or EasyGPS Geocaching.com ou EasyGPS MapTech Exchange Format Map&Guide to Palm/OS exported files Fichiers exportés Map&Guide vers Palm/OS MS PocketStreets 2002 Pushpin MS PocketStreets 2002 Pushpin CompeGPS & Navigon Mobile Navigator CompeGPS & Navigon Mobile Navigator Suunto Trek Manager National Geographic Topo waypoints Waypoints National Geographic Topo TrackLogs digital mapping Cartographie numérique TrackLogs National Geographic Topo Plain text Texte brut CompeGPS track Trace CompeGPS Wintec WBT CompeGPS waypoints Waypoints CompeGPS This file does not seem to be an an1 file. Ce fichier ne semble pas être un fichier an1. The radius should be greater than zero. Le rayon doit être plus grand que zéro. The port could not be opened. Le port ne peut pas être ouvert. The port could not be configured. Le port ne peut pas être configuré. The syncronisation failed. La synchronisation a échoué. Bad internal state detected. Mauvais état interne détecté. Serial error detected. Erreur série détectée. The download was not complete. Le téléchargement n'a pas été terminé. This track data is invalid or the format is an unsupported version. Ces données de trace ne sont pas valides ou dans une version non-supportée. The track header is invalid. L'entête de trace n'est pas valide. Failed to perform pdb_Read. Echec de pdb_Read. The file is not a Cetus file. Ce fichier n'est pas un fichier Cetus. libpdb could not create record. libpdb ne peut créer l'enregistrement. libpdb could not append record. libpdb ne peut ajouter l'enregistrement. The character set is unknown. L'encodage des caractères est inconnu. The link table is unsorted. La table de liens n'est pas triée. The extra table is unsorted. La tableau supplémentaire n'est pas trié. The character set is unsupported. L'encodage des caractères n'est pas pris en charge. An internal error in cet_disp_character_set_names occured. Une erreur interne est survenue dans cet_disp_character_set_names. An internal error occured. Une erreur interne est survenue. There is no CoastalExplorer support because expat was not installed. CoastalExplorer n'est pas supporté car expat n'est pas installé. Unable to create an XML parser. Impossible de créer un analyseur XML. A parse error occured. Une erreur d'analyse est survenue. The datum is unsupported. Le datum n'est pas pris en charge. UTM is not supported yet. UTM n'est pas encore supporté. The system of coordinates is invalid. Le système de coordonnées n'est pas valide. A problem with waypoint data occured. Un problème est survenu avec des données de waypoint. The length for generated shortnames is invalid. La longueur pour les noms courts générés n'est pas valide. The value for radius is invalid. La valeur du rayon n'est pas valide. Realtime positioning is not supported. Le positionnement en temps réel n'est pas pris en charge. pdb_Read failed. pdb_Read a échoué. The file is not a CoPilot file. Ce fichier n'est pas un fichier CoPilot. The file is not a cotoGPS file. Ce fichier n'est pas un fichier cotoGPS. Unexpected end of file. Fin de fichier inattendue. A different number of points was expected. Le nombre de point attendu était différent. The line could not be interpreted. La ligne n'a pas pu être interprêtée. There are too many format specifiers. Il y a trop d'indicateurs de format. The format specifier is invalid. L'indicateur de format n'est pas valide. The value for gpl_point is wrong. La valeur de gpl_point est fausse. The version of the file is unsupported. La version du fichier n'est pas prise en charge. The combination of datum and grid is unsupported. La combinaison de référence et de grille n'est pas supportée. The track file is unknown or invalid. Le fichier de trace est inconnu ou non-valide. Zlib is not available in this build of gpsbabel. Zlib n'est pas disponible dans cette build de GPSBabel. The file type is unknown or unsupported. Le type de fichier est inconnu ou non-supporté. This is not an EasyGPS file. Ce fichier n'est pas un fichier EasyGPS. The string is to long. La chaîne est trop longue. Cannot init. Impossible d'initialiser. The Garmin unit does not support waypoint xfer. L'unité Garmin ne supporte pas le transfert de waypoint. The waypoints cannot be read from the interface. Les waypoints ne peuvent être lus depuis l'interface. An error occured while trying to read positioning data. Maybe the device has no satellite fix yet. Une erreur est survenue en essayant de lire la position. Peut être que l'appareil n'a pas encore acquis de satellite. There is nothing to do. Il n'y a rien à faire. There is not enough memory. Il n'y a pas assez de mémoire. A communication error occured while sending wayoints. Une erreur de communication a eu lieu à lors de l'envoi de waypoints. This garmin format is unknown. Ce format Garmin est inconnu. The precision is invalid. La précision n'est pas valide. The GPS datum is unknown or invalid. Le datum GPS est inconnu ou non-valide. The distance unit is unknown. L'unité de distance est inconnue. Either date or time is invalid. La date ou l'heure ne sont pas valides. The temperature unit is unknown. L'unité de température est inconnue. The temperature is invalid. La température n'est pas valide. The file header is incomplete or invalid. L'entête du fichier est incomplet ou n'est pas valide. The grid is unsupported. La grille n'est pas supportée. The grid headline is missing. L'entête de grille est manquant. The GPS datum is unsupported. Le datum GPS n'est pas pris en charge. The GPS datum headline is missing. L'entête de la référence GPS est manquant. A waypoint without name has been found. Un waypoint sans nom a été trouvé. A waypoint which is not in the waypoint list was found. Un waypoint qui n'est pas dans la liste a été trouvé. An unknwon identifier was found. Un identifiant inconnu a été trouvé. Zlib reported an error. Zlib a signalé une erreur. An error occured while reading the file. Il y a eu une erreur à la lecture du fichier. Could not write data. Impossible d'écrire les données. The given serial speed is unsupported. La vitesse indiquée du port série n'est pas prise en charge. The given bit setting is unsupported. Le réglage de bit indiqué n'est pas supporté. The given parity setting is unsupported. Le réglage de parité indiqué n'est pas supporté. The given stop setting is unsupported. L'intervalle de réglage indiqué n'est pas supporté. The file is not a GeocachingDB file. Ce fichier n'est pas un fichier GeocachingDB. libpdb couldn't create record. libpdb ne peut créer l'enregistrement. libpdb couldn't append record. libpdb ne peut ajouter l'enregistrement. An unexpected end of file occured. Une fin de fichier inattendue est survenue. An I/O error occured during read. Une erreur d'I/O est apparue à la lecture. A local buffer overflow was detected. Un dépassement de mémoire-tampon local a été détecté. An error was detected in the data. Une erreur a été détectée dans les données. The file is invalid. Le fichier n'est pas valide. This GDB version is not supported. Cette version de GDB n'est pas prise en charge. Empty routes are not allowed. Les routes vides ne sont pas autorisées. Unexpected end of route. Fin de route inattendue. Unsupported data size. Taille de donnée non supportée. Unsupported category. Catégorie non supportée. Unsupported version number. Numéro de version non supporté. This build excluded GEO support because expat was not installed. Cette build exclut le support de GEO car expat n'est pas installé. This file is not a GeoNiche file. Ce fichier n'est pas un fichier GeoNiche. The waypoint could not be allocated. Le waypoint n'a pu être attribué. Premature EOD processing field 1 (target). EOD prématuré à l'analyse du champ 1 (target). This route record type is not implemented. Ce type d'enregistrement de route n'est pas implémenté. This record type is unknown. Ce type d'enregistrement est inconnu. Premature EOD processing. Traitement EOD prématuré. This file is an unsupported GeoNiche file. Ce fichier n'est pas un fichier GeoNiche pris en charge. libpdb could not get record memory. libpdb n'a pas pu accéder à la mémoire d'enregistrement. The name is a reserved database name and must not get used. Le nom est un nom réservé de la base de données et ne doit pas être utilisé. This build excluded Google Maps support because expat was not installed. Cette build exclut le support de Google Maps car expat n'est pas installé. The file type is unknown. Ce type de fichier est inconnu. This track point type is unknown. Ce type de point de trace est inconnu. This input record type is unknown. Ce type d'enregistrement est inconnu. This file is not a gpspilot file. Ce fichier n'est pas un fichier gpspilot. The output file already is open and cannot get reopened. Le fichier de sortie est déjà ouvert et ne peut être ré-ouvert. This build excluded GPX support because expat was not installed. Cette build exclut le support de GPX car expat n'est pas installé. Cannot create an XML Parser. Ne peut pas créer un parser XML. Memory allocation failed. L'attribution de memoire a échoué. Error while parsing XML. Erreur lors de l'analyse XML. The GPX version number is invalid. Ce numéro de version de GPX est invalide. Please Uncompress the file first. Dé-compressez le fichier auparavant. The file format is invalid. Ce format de fichier est invalide. The file format version is invalid. Cette version de format de fichier est invalide. Reading this file format is not supported. La lecture de ce format de fichier n'est pas prise en charge. There was an error while reading data from .wpo file. Il y a eu une erreur à la lecture du fichier .wpo. There was an error writing to the output file. Il y a eu une erreur à l'écriture du fichier de sortie. This build excluded HSA Endeavour support because expat was not installed. Cette build exclut le support de HSA Endeavour car expat n'est pas installé. The file is not an IGC file. Ce fichier n'est pas un fichier IGC. There was an error while parsing a record. Il y a eu une erreur lors de l'analyse d'un enregistrement. There was an internal error while working on a record. Il y a eu une erreur interne pendant le traitement d'un enregistrement. A bad date occured. Une mauvaise date est apparue. Reading the file failed. La lecture du fichier a échoué. There was a waypoint with bad format. Il y avait un waypoint d'un mauvais format. There was a date in a bad format. Il y avait une date d'un mauvais format. There was a time of day in bad format. Il y avait une heure d'un mauvais format. There was a bad timestamp in the track . Il y avait une mauvaise indication de temps dans la trace. Empty task route. Route de tâche vide. Too few waypoints in task route. Trop peu de waypoints dans la route de tâche. There was a bad timestamp in the task route. Il y a eu une mauvaise indication de temps dans la route de tâche. There was a bad timeadj argument. Il y avait un mauvais argument à 'timeadj'. There is no support for this input type because expat is not available. Ce type d'entrée n'est pas pris en charge car expat n'est pas disponible. There was an error in the XML structure. Il y a eu une erreur dans la structure XML. There have been invalid coordinates. Il y a eu des coordonnées non-valides. There has been an invalid altitude. Il y a eu une altitude non-valide. There was an error in vsnprintf. Il y a eu une erreur dans vsnprintf. There was an invalid track index. Il y a eu un index de trace non-valide. There was an invalid section header. Il y a eu un entête de section non-valide. Cannot interpolate on both time and distance. Impossible d'interpoler à la fois le temps et la distance. Cannot interpolate routes on time. Impossible d'interpoler les routes selon le temps. No interval was specified. Aucun intervalle n'a été spécifié. This build excluded KML support because expat was not installed. Cette build exclut le support de KML car expat n'est pas installé. Argument should be 's' for statute units or 'm' for metrics. L'argument devrait être 's' pour les unités impériales ou 'm' pour les unités métriques. There was an error reading a byte. Il y a eu une erreur à la lecture d'un octet. The input file is from an old version of the USR file and is not supported. Le fichier d'entrée est d'une ancienne version du fichier USR et n'est pas pris en charge. eXplorist does not support more than 200 waypoints in one .gs file. Please decrease the number of waypoints sent. eXplorist ne supporte pas plus de 200 waypoints dans un fichier .gs. Réduisez le nombre de waypoints envoyés. Reading the maggeo format is not implemented yet. La lecture du format maggeo n'est pas encore implémentée. This is not a Magellan Navigator file. Ce n'est pas un fichier Magellan Navigator. The receiver type resp. model version is unknown. La version du modèle du récepteur est inconnue. No data was received from the GPS device. Pas de données reçues du GPS. The communication was not OK. Please check the bit rate used. Communication défaillante. Vérifiez le débit utilisé. There was an error configuring the port. Il y a eu une erreur à la configuration du port. There was an error opening the serial port. Il y a eu une erreur à l'ouverture du port série. There was an error while reading data. Il y a eu une erreur à la lecture des données. There was an error while writing data. Il y a eu une erreur à l'écriture des données. There was no acknowledgment from the GPS device. Il n'y a pas eu de réponse de l'appareil GPS. There was an unexpected error deleting a waypoint. Il y a eu une erreur inattendue à l'effacement d'un waypoint. An unknown objective occured. Un objectif inconnu est survenu. Invalid point in time to call 'pop_args'. Point non-valide dans le temps pour appeler 'pop-args'. There is an unknown filter type. Il y a un type de filtre inconnu. There is an unknown option. Il y a une option inconnue. Realtime tracking (-T) is not suppored by this input type. Le suivi en temps réel (-T) n'est pas supporté par ce type d'entrée. Realtime tracking (-T) is exclusive of other modes. Le suivi en temps réel (-T) exclut les autres modes. The file is not a Magellan Navigator file. Ce fichier n'est pas un fichier Magellan Navigator. This version of MapSend TRK is unsupported. Cette version de MapSend TRK n'est pas prise en charge. Out of data reading waypoints. Lecture de waypoints en dehors des données. GPS logs are not supported. Les logs GPS ne sont pas pris en charge. GPS regions are not supported. Les régions GPS ne sont pas supportées. The track version is unknown. La version de la trace est inconnue. This does not seem to be a MapSource file. Cela ne semble pas être un fichier MapSource. This version of the MapSource file is unsupported. Cette version du fichier MapSource n'est pas prise en charge. setshort_defname was called without a valid name. 'setshort_defname' a été invoqué sans un nom valide. Could not seek file. Fichier introuvable. There was a reading error. Il y a eu une erreur de lecture. Not in property catalog. N'est pas dans le catalogue de propriétés. The stream was broken. Le flux a été rompu. There was an error in the fat1 chain. Il y avait une erreur dans la chaîne fat1. No MS document. Pas de document MS. This byte-order is unsupported. Cet ordre d'octets n'est pas supporté. The sector size is unsupported. Cette taille de secteur n'est pas prise en charge. The file is invalid (no property catalog). Le fichier n'est pas valide (pas de catalogue de propriétés). The data is invalid or of unknown type. Les données ne sont pas valides ou de type inconnu. An unsupported byte order was detected. Un ordre d'octet non-supporté a été détecté. The XML parser cannot be created. L'analyseur XML n'a pas pu être créé. There is no support writing Navicache files. L'écriture de fichiers Navicache n'est pas prise en charge. Illegal read mode. Mode de lecture illégal. There was an invalid date. Il y avait une date non-valide. The date is out of range. It has to be later than 1970-01-01. La date est trop ancienne. Elle doit être postérieure à 1970-01-01. There was an error opening a file. Il y a eu une erreur à l'ouverture d'un fichier. There was an error setting the baud rate. Il y a eu une erreur lors du réglage du débit. No data was received. Pas de données reçues. libpdb couldn't create summary record. libpdb n'a pas pu créer un enregistrement de résumé. libpdb couldn't insert summary record. libpdb n'a pas pu insérer un enregistrement de résumé. libpdb couldn't create bookmark record. libpdb n'a pas pu créer un signet d'enregistrement. libpdb couldn't append bookmark record. libpdb n'a pas pu ajouter un signet d'enregistrement. There was an error detected in the data structure. Une erreur a été détectée dans la structure des données. There was an error converting the date. Il y a eu une erreur à la conversion de la date. There was an error in pdb_Read. Il y a eu une erreur dans pdb_Read. This file is not a PathAway .pdb file. Ce fichier n'est pas un fichier .pdb PathAway. This file is from an unsupported version of PathAway. Ce fichier est d'une version de PathAway non supportée. An invalid database subtype was detected. Un sous-type non-valide de base de données a été détecté. The file looks like a PathAway .pdb file, but it has no gps magic. Le fichier ressemble à un fichier .pdb PathAway mais n'a pas de gps magic. There was an unrecognized track line. Il y a eu une ligne de trace non-reconnue. Error while reading the requested amount of bytes. Erreur lors de la lecture du nombre de bits demandés. The input file does not appear to be a valid .psp file. Le fichier d'entrée ne semble pas être un fichier .psp valide. Variable string size exceeded. Taille de la chaîne de variable dépassée. An attempt to output too many pushpins occured. Une tentative de sortie de trop de points est survenue. This file is not a QuoVadis file. Ce fichier n'est pas un fichier QuoVadis. There was an error storing further records. Il y a eu une erreur en stockant plus d'enregistrements. This filter only can work on tracks. Ce filtre ne marche qu'avec des traces. The color name was unrecognized. Le nom de couleur n'a pas été reconnu. An attempt to read past the end of the file was detected. Une tentative d'écriture au-delà de la fin du fichier a été détectée. This file format cannot be written. Ce format de fichier ne peut être écrit. An error occured opening the .shp file. Il y a eu une erreur à l'ouverture du fichier .shp. An error occured opening the .dbf file. Il y a eu une erreur à l'ouverture du fichier .dbf. A name or field error occured in the .dbf file. Une erreur de nom ou de champ est survenue dans le fichier .dbf. There was an error opening a file or a port. Il y a eu une erreur à l'ouverture d'un fichier ou d'un port. Routes are not supported. Les routes ne sont pas prises en charge. You must specify either count or error, but not both. Vous devez spécifier soit 'count' soit 'error', mais pas les deux. crosstrack and length may not be used together. crosstrack et length ne s'utilisent pas simultanément. The stack was empty. La pile était vide. This file type is unsupported. Ce type de fichier n'est pas pris en charge. The section header is invalid. L'entête de section n'est pas valide. Invalid GPS datum or not a WaypointPlus file. Datum non-valide ou ceci n'est pas un fichier WaypointPlus. The feature is unknown. Cette fonction est inconnue. Only one of both features (route or track) is supported by STM. Une seule des deux fonctions (route ou trace) est supportée par STM. This build excluded TEF support because expat is not available. Cette build exclut le support de TEF car expat n'est pas disponible. An error occured in the source file. Une erreur est survenue dans le fichier source. The amount of waypoints differed to the internal item count. Le nombre de waypoints est différent du comptage interne. There was an attempt to read an unexpected amount of bytes. Il y a eu une tentative de lire une quantité d'octets inattendue. The datum is not recognized. Le datum n'est pas reconnu. The input file does not appear to be a valid .TPG file. Le fichier d'entrée ne semble pas être un fichier .TPG valide. There was an attempt to output too many points. Il y a eu une tentative de sortie d'un trop grand nombre de points. The input file does not look like a valid .TPO file. Le fichier d'entrée ne semble pas être un fichier .TPO valide. This TPO file's format is to young (newer than 2.7.7) for gpsbabel. Le format de ce fichier TPO est trop récent (après 2.7.7) pour GPSBabel. This file format only supports tracks, not waypoints or routes. Ce format ne supporte que les traces, pas les waypoints ni les routes. gpsbabel can only read TPO versions through 3.x.x. GPSBabel peut seulement lire les fichiers TPO 3.x.x. Writing output for this state currently is not supported L'écriture d'une sortie n'est pas encore supporté pour cet état There was an invalid character in the time option. Il y avait un caractère non-valide dans l'option de temps. Invalid fix type. Type d'acquisition non-valide. A track point without timestamp was found. Un point de trace sans indication de temps a été trouvé. Track points are not ordered by timestamp. Les points de trace ne sont pas triés selon l'indication de temps. Your title was missing. Votre titre manquait. The tracks overlap in time. Les traces se superposent dans le temps. There was no time interval specified. L'intervalle de temps n'a pas été spécifié. The time interval specified was invalid. It must be a positive number. L'intervalle de temps spécifié n'est pas valide. Cela doit être un nombre positif. The time interval specified was invalid. It must be one of [dhms]. L'unité d'intervalle de temps spécifié n'est pas valide. Cela doit être une de [dhms]. There was no distance specified. La distance n'a pas été spécifiée. The distance specified was invalid. It must be a positive number. La distance spécifiée n'est pas valide. Cela doit être un nombre positif. The distance specified was invalid. It must be one of [km]. L'unité de distance spécifiée n'est pas valide. Cela doit être une de [km]. Parameter for range was to long. Le paramètre pour l'étendue était trop long. There was an invalid character for range. Il y avait un caractère non-valide pour l'étendue. There was an invalid time stamp for range-check. Il y a eu une mauvaise indication de temps pour la vérification d'intervalle. Cannot split more than one track. Please pack or merge before processing. Impossible de diviser plus d'une trace. Veuillez fusionner (pack ou merge) avant traitement. There was an invalid value for the option. Il y avait une valeur non-valide pour l'option. Not available yet. Pas encore disponible. gpsbabel was unable to allocate memory. GPSBabel n'a pas pu allouer la mémoire. A filename needs to be specified. Un nom de fichier doit être indiqué. Error writing the output file. Erreur à l'écriture du fichier de sortie. There was an invalid character in date or time format. Il y avait un caractère non-valide dans le format de date ou d'heure. A format name needs to be specified. Un nom de format doit être indiqué. Unsupported file format version in input file. Version de format de fichier non supportée pour le fichier d'entrée. There was an invalid header in the input file. Il y avait un entête non-valide dans le fichier d'entrée. There was an error allocating memory. Il y a eu une erreur à l'allocation de mémoire. A communication error occured. Une erreur de communication est survenue. A read error occured. Une erreur de lecture est survenue. A write error occured. Une erreur d'écriture est survenue. There was an error initialising the port. Il y a eu une erreur à l'initialisation du port. A timout occured while attempting to read data. Temps imparti dépassé à la tentative de lecture des données. There was an error opening the file. Il y a eu une erreur à l'ouverture du fichier. There was a bad response from the unit. L'unité a fourni une mauvaise réponse. There was an error autodetecting the data format. Il y a eu une erreur lors de l'autodétection du format de données. An internal error occured: formats are not ordered in ascending size order. Une erreur interne est survenue : les formats ne sont pas triés par taille croissante. This build excluded WFFF_XML support because expat is not available. Cette build exclut le support de WFFF_XML car expat n'est pas disponible. XCSV input style not declared. Use ... -i xcsv,style=path/to/style.file Type d'entrée XCSV non-déclaré. Utiliser ... -i xcsv,style=path/to/style.file XCSV output style not declared. Use ... -o xcsv,style=path/to/style.file Type de sortie XCSV non-déclaré. Utiliser ... -o xcsv,style=path/to/style.file There was an error creating an XML Parser. Il y a eu une erreur à la création de l'analyseur XML. This format does not support reading XML files as libexpat was not available. Ce format ne supporte pas la lecture de fichiers XML car libexpat n'était pas disponible. Generating such filetypes is not supported. La génération de ces types de fichiers n'est prise en charge. The road type for road changes is unknown. Le type de route pour les changements de route est inconnu. The format for road changes is invalid. Le format pour le changement de route n'est pas valide. The file is invalid or unsupported due to its filesize. Le fichier n'est pas valide ou pris en charge du fait de sa taille. There was a coordinates structure error. Il y a eu une erreur de structure de coordonnées. There was an invalid route number. Il y avait un numéro de route non-valide. An error was detected in wpt_type. Une erreur a été trouvée dans wpt_type. The type doesn't seem to be correct. Le type ne semble pas être correct. The USB-Configuration failed. La configuration USB a échoué. The USB-Configuration failed. Probably a kernel module blocks the device. As superuser root, try to execute the commands rmmod garmin_gps and chmod o+rwx /proc/bus/usb -R to solve the problem temporarily. La configuration USB a échoué. Un module du kernel bloque probablement l'appareil. En tant que super utilisateur root, essayez d'exécuter les commandes rmmod garmin_gps' et 'chmod o+rwx /proc/bus/usb -R pour résoudre le problème temporairement. No Garmin USB device seems to be connected to the computer. Il ne semble pas y avoir d'appareil USB Garmin connecté à cet ordinateur. gebabbel-0.4+repack/binincludes/binincludes.qrc0000755000175000017500000000165211110036064020635 0ustar hannohanno icons/AppIcon.png icons/Blank.png icons/FileOpen.png icons/FileSave.png icons/FileConvert.png icons/FileDelete.png icons/Floppy.png icons/Folder.png icons/FolderWarning.png icons/USBplug.png icons/GpsDevice.png icons/EditEditCommand.png icons/EditPresetFile.png icons/FileQuit.png icons/HelpAbout.png icons/HelpManual.png icons/Filter.png icons/Delete.png icons/Add.png icons/Edit.png icons/EditEditPreferences.png translations/de_DE.qm translations/en_EN.qm translations/fr_FR.qm gebabbel-0.4+repack/doc/0000755000175000017500000000000010564141427014102 5ustar hannohannogebabbel-0.4+repack/doc/LastUsedSettings.kdi0000755000175000017500000000261310530061173020035 0ustar hannohanno{b`EZmo6IĒ-q\0iu%*""H~He)9I+@L=QvƄTxr{z|y@׵~O|ڝvc󶶢Ԇ{B?ƂC M(yOpHȫFiAhx `*X֬?̸aK/I!Qy$8ugL*˙R1Z1 UswTkx(1 a:VҜ7>MY%9hn5) t p%2;e튗X[`UDM"Qɸ@fr;C OLa(7l,J Ö-V-bܸ*takY:w°8u"MQu\4^$^ߚZj,1YzpelhV9Z*saB\ CwUf[*;׏zLyLӷk͍!e-E &<!#cM+'F-k{Le&H(U,Sb#5b{3cUJߢ#7*R\93vI! p\\ey Lx"TF0津L i:ť8 [qV߇@Ʀcn@| &&MaYqx  ®f:߿\Ђy;kyZd9 *x;te%f_\˕P<