diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py index e104f4022..a687ded64 100644 --- a/openlp/core/lib/__init__.py +++ b/openlp/core/lib/__init__.py @@ -80,6 +80,9 @@ def get_text_file_string(text_file): content_string = None try: file_handle = open(text_file, u'r') + if not file_handle.read(3) == '\xEF\xBB\xBF': + # no BOM was found + file_handle.seek(0) content = file_handle.read() content_string = content.decode(u'utf-8') except (IOError, UnicodeError): @@ -191,10 +194,10 @@ def validate_thumb(file_path, thumb_path): ``thumb_path`` The path to the thumb. """ - if not os.path.exists(unicode(thumb_path)): + if not os.path.exists(thumb_path): return False - image_date = os.stat(unicode(file_path)).st_mtime - thumb_date = os.stat(unicode(thumb_path)).st_mtime + image_date = os.stat(file_path).st_mtime + thumb_date = os.stat(thumb_path).st_mtime return image_date <= thumb_date def resize_image(image_path, width, height, background=u'#000000'): diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py index 86e0a0a30..b6f12d180 100644 --- a/openlp/core/lib/db.py +++ b/openlp/core/lib/db.py @@ -358,10 +358,17 @@ class Manager(object): def delete_all_objects(self, object_class, filter_clause=None): """ - Delete all object records + Delete all object records. + This method should only be used for simple tables and not ones with + relationships. The relationships are not deleted from the database and + this will lead to database corruptions. ``object_class`` The type of object to delete + + ``filter_clause`` + The filter governing selection of objects to return. Defaults to + None. """ try: query = self.session.query(object_class) diff --git a/openlp/core/lib/eventreceiver.py b/openlp/core/lib/eventreceiver.py index 14b6126bc..40cac8e35 100644 --- a/openlp/core/lib/eventreceiver.py +++ b/openlp/core/lib/eventreceiver.py @@ -115,8 +115,12 @@ class EventReceiver(QtCore.QObject): ``slidecontroller_live_stop_loop`` Stop the loop on the main display. + **Servicemanager related signals** + ``servicemanager_new_service`` + A new service is being loaded or created. + ``servicemanager_previous_item`` Display the previous item in the service. diff --git a/openlp/core/lib/formattingtags.py b/openlp/core/lib/formattingtags.py index ea5547f27..bc0055325 100644 --- a/openlp/core/lib/formattingtags.py +++ b/openlp/core/lib/formattingtags.py @@ -149,11 +149,17 @@ class FormattingTags(object): tags = [] for tag in FormattingTags.html_expands: if not tag[u'protected'] and not tag.get(u'temporary'): - tags.append(tag) - # Remove key 'temporary' from tags. It is not needed to be saved. - for tag in tags: - if u'temporary' in tag: - del tag[u'temporary'] + # Using dict ensures that copy is made and encoding of values + # a little later does not affect tags in the original list + tags.append(dict(tag)) + tag = tags[-1] + # Remove key 'temporary' from tags. + # It is not needed to be saved. + if u'temporary' in tag: + del tag[u'temporary'] + for element in tag: + if isinstance(tag[element], unicode): + tag[element] = tag[element].encode('utf8') # Formatting Tags were also known as display tags. QtCore.QSettings().setValue(u'displayTags/html_tags', QtCore.QVariant(cPickle.dumps(tags) if tags else u'')) @@ -171,9 +177,13 @@ class FormattingTags(object): user_expands = QtCore.QSettings().value(u'displayTags/html_tags', QtCore.QVariant(u'')).toString() # cPickle only accepts str not unicode strings - user_expands_string = str(unicode(user_expands).encode(u'utf8')) + user_expands_string = str(user_expands) if user_expands_string: user_tags = cPickle.loads(user_expands_string) + for tag in user_tags: + for element in tag: + if isinstance(tag[element], str): + tag[element] = tag[element].decode('utf8') # If we have some user ones added them as well FormattingTags.add_html_tags(user_tags) diff --git a/openlp/core/lib/htmlbuilder.py b/openlp/core/lib/htmlbuilder.py index 9bce2bcac..e4cdecd72 100644 --- a/openlp/core/lib/htmlbuilder.py +++ b/openlp/core/lib/htmlbuilder.py @@ -113,10 +113,10 @@ sup { document.getElementById('lyricsmain').style.visibility = lyrics; document.getElementById('image').style.visibility = lyrics; outline = document.getElementById('lyricsoutline') - if(outline!=null) + if(outline != null) outline.style.visibility = lyrics; shadow = document.getElementById('lyricsshadow') - if(shadow!=null) + if(shadow != null) shadow.style.visibility = lyrics; document.getElementById('footer').style.visibility = lyrics; } @@ -129,10 +129,28 @@ sup { var match = /-webkit-text-fill-color:[^;\"]+/gi; if(timer != null) clearTimeout(timer); + /* + QtWebkit bug with outlines and justify causing outline alignment + problems. (Bug 859950) Surround each word with a to workaround, + but only in this scenario. + */ + var txt = document.getElementById('lyricsmain'); + if(window.getComputedStyle(txt).textAlign == 'justify'){ + var outline = document.getElementById('lyricsoutline'); + if(outline != null) + txt = outline; + if(window.getComputedStyle(txt).webkitTextStrokeWidth != '0px'){ + newtext = newtext.replace(/(\s| )+(?![^<]*>)/g, + function(match) { + return '' + match + ''; + }); + newtext = '' + newtext + ''; + } + } text_fade('lyricsmain', newtext); text_fade('lyricsoutline', newtext); - text_fade('lyricsshadow', newtext.replace(match, "")); - if(text_opacity()==1) return; + text_fade('lyricsshadow', newtext.replace(match, '')); + if(text_opacity() == 1) return; timer = setTimeout(function(){ show_text(newtext); }, 100); @@ -149,18 +167,18 @@ sup { slides) still looks pretty and is zippy. */ var text = document.getElementById(id); - if(text==null) return; + if(text == null) return; if(!transition){ text.innerHTML = newtext; return; } - if(newtext==text.innerHTML){ + if(newtext == text.innerHTML){ text.style.opacity = parseFloat(text.style.opacity) + 0.3; - if(text.style.opacity>0.7) + if(text.style.opacity > 0.7) text.style.opacity = 1; } else { text.style.opacity = parseFloat(text.style.opacity) - 0.3; - if(text.style.opacity<=0.1){ + if(text.style.opacity <= 0.1){ text.innerHTML = newtext; } } @@ -172,7 +190,7 @@ sup { } function show_text_complete(){ - return (text_opacity()==1); + return (text_opacity() == 1); } diff --git a/openlp/core/lib/plugin.py b/openlp/core/lib/plugin.py index 76e54ef8d..624ce2083 100644 --- a/openlp/core/lib/plugin.py +++ b/openlp/core/lib/plugin.py @@ -91,8 +91,9 @@ class Plugin(QtCore.QObject): ``checkPreConditions()`` Provides the Plugin with a handle to check if it can be loaded. - ``getMediaManagerItem()`` - Returns an instance of MediaManagerItem to be used in the Media Manager. + ``createMediaManagerItem()`` + Creates a new instance of MediaManagerItem to be used in the Media + Manager. ``addImportMenuItem(import_menu)`` Add an item to the Import menu. @@ -100,8 +101,8 @@ class Plugin(QtCore.QObject): ``addExportMenuItem(export_menu)`` Add an item to the Export menu. - ``getSettingsTab()`` - Returns an instance of SettingsTabItem to be used in the Settings + ``createSettingsTab()`` + Creates a new instance of SettingsTabItem to be used in the Settings dialog. ``addToMenu(menubar)`` @@ -156,10 +157,10 @@ class Plugin(QtCore.QObject): self.icon = None self.media_item_class = media_item_class self.settings_tab_class = settings_tab_class + self.settings_tab = None + self.mediaItem = None self.weight = 0 self.status = PluginStatus.Inactive - # Set up logging - self.log = logging.getLogger(self.name) self.previewController = plugin_helpers[u'preview'] self.liveController = plugin_helpers[u'live'] self.renderer = plugin_helpers[u'renderer'] @@ -178,7 +179,7 @@ class Plugin(QtCore.QObject): Provides the Plugin with a handle to check if it can be loaded. Failing Preconditions does not stop a settings Tab being created - Returns True or False. + Returns ``True`` or ``False``. """ return True @@ -210,15 +211,14 @@ class Plugin(QtCore.QObject): """ return self.status == PluginStatus.Active - def getMediaManagerItem(self): + def createMediaManagerItem(self): """ Construct a MediaManagerItem object with all the buttons and things - you need, and return it for integration into openlp.org. + you need, and return it for integration into OpenLP. """ if self.media_item_class: - return self.media_item_class(self.mediadock.media_dock, self, - self.icon) - return None + self.mediaItem = self.media_item_class(self.mediadock.media_dock, + self, self.icon) def addImportMenuItem(self, importMenu): """ @@ -247,16 +247,15 @@ class Plugin(QtCore.QObject): """ pass - def getSettingsTab(self, parent): + def createSettingsTab(self, parent): """ - Create a tab for the settings window to display the configurable - options for this plugin to the user. + Create a tab for the settings window to display the configurable options + for this plugin to the user. """ if self.settings_tab_class: - return self.settings_tab_class(parent, self.name, + self.settings_tab = self.settings_tab_class(parent, self.name, self.getString(StringContent.VisibleName)[u'title'], self.icon_path) - return None def addToMenu(self, menubar): """ diff --git a/openlp/core/lib/pluginmanager.py b/openlp/core/lib/pluginmanager.py index db5d9b60e..d63a37dde 100644 --- a/openlp/core/lib/pluginmanager.py +++ b/openlp/core/lib/pluginmanager.py @@ -90,7 +90,7 @@ class PluginManager(object): thisdepth = len(path.split(os.sep)) if thisdepth - startdepth > 2: # skip anything lower down - continue + break modulename = os.path.splitext(path)[0] prefix = os.path.commonprefix([self.basepath, path]) # hack off the plugin base path @@ -113,7 +113,7 @@ class PluginManager(object): plugin_objects.append(plugin) except TypeError: log.exception(u'Failed to load plugin %s', unicode(p)) - plugins_list = sorted(plugin_objects, self.order_by_weight) + plugins_list = sorted(plugin_objects, key=lambda plugin: plugin.weight) for plugin in plugins_list: if plugin.checkPreConditions(): log.debug(u'Plugin %s active', unicode(plugin.name)) @@ -122,29 +122,13 @@ class PluginManager(object): plugin.status = PluginStatus.Disabled self.plugins.append(plugin) - def order_by_weight(self, x, y): + def hook_media_manager(self): """ - Sort two plugins and order them by their weight. - - ``x`` - The first plugin. - - ``y`` - The second plugin. - """ - return cmp(x.weight, y.weight) - - def hook_media_manager(self, mediadock): - """ - Loop through all the plugins. If a plugin has a valid media manager - item, add it to the media manager. - - ``mediatoolbox`` - The Media Manager itself. + Create the plugins' media manager items. """ for plugin in self.plugins: if plugin.status is not PluginStatus.Disabled: - plugin.mediaItem = plugin.getMediaManagerItem() + plugin.createMediaManagerItem() def hook_settings_tabs(self, settings_form=None): """ @@ -152,14 +136,12 @@ class PluginManager(object): item, add it to the settings tab. Tabs are set for all plugins not just Active ones - ``settingsform`` + ``settings_form`` Defaults to *None*. The settings form to add tabs to. """ for plugin in self.plugins: if plugin.status is not PluginStatus.Disabled: - plugin.settings_tab = plugin.getSettingsTab(settings_form) - else: - plugin.settings_tab = None + plugin.createSettingsTab(settings_form) settings_form.plugins = self.plugins def hook_import_menu(self, import_menu): @@ -225,7 +207,7 @@ class PluginManager(object): def get_plugin_by_name(self, name): """ - Return the plugin which has a name with value ``name`` + Return the plugin which has a name with value ``name``. """ for plugin in self.plugins: if plugin.name == name: diff --git a/openlp/core/lib/serviceitem.py b/openlp/core/lib/serviceitem.py index b12a27f1d..62418f49e 100644 --- a/openlp/core/lib/serviceitem.py +++ b/openlp/core/lib/serviceitem.py @@ -119,6 +119,7 @@ class ServiceItem(object): self.image_border = u'#000000' self.background_audio = [] self.theme_overwritten = False + self.temporary_edit = False self._new_item() def _new_item(self): @@ -365,6 +366,7 @@ class ServiceItem(object): """ self._uuid = other._uuid self.notes = other.notes + self.temporary_edit = other.temporary_edit # Copy theme over if present. if other.theme is not None: self.theme = other.theme diff --git a/openlp/core/lib/settingstab.py b/openlp/core/lib/settingstab.py index 46263efca..f36f9f561 100644 --- a/openlp/core/lib/settingstab.py +++ b/openlp/core/lib/settingstab.py @@ -125,3 +125,9 @@ class SettingsTab(QtGui.QWidget): """ pass + + def tabVisible(self): + """ + Tab has just been made visible to the user + """ + pass diff --git a/openlp/core/ui/maindisplay.py b/openlp/core/ui/maindisplay.py index e439b1db1..328970d45 100644 --- a/openlp/core/ui/maindisplay.py +++ b/openlp/core/ui/maindisplay.py @@ -45,7 +45,7 @@ log = logging.getLogger(__name__) class Display(QtGui.QGraphicsView): """ - This is a general display screen class. Here the general display settings + This is a general display screen class. Here the general display settings will done. It will be used as specialized classes by Main Display and Preview display. """ @@ -66,7 +66,7 @@ class Display(QtGui.QGraphicsView): """ Set up and build the screen base """ - log.debug(u'Start Display base setup (live = %s)' % self.isLive) + log.debug(u'Start Display base setup (live = %s)' % self.isLive) self.setGeometry(self.screen[u'size']) log.debug(u'Setup webView') self.webView = QtWebKit.QWebView(self) diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index 9d546629b..07c90e62f 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -176,92 +176,100 @@ class Ui_MainWindow(object): self.themeManagerDock) # Create the menu items action_list = ActionList.get_instance() - action_list.add_category(UiStrings().File, CategoryOrder.standardMenu) + action_list.add_category(unicode(UiStrings().File), + CategoryOrder.standardMenu) self.fileNewItem = shortcut_action(mainWindow, u'fileNewItem', [QtGui.QKeySequence(u'Ctrl+N')], self.serviceManagerContents.onNewServiceClicked, - u':/general/general_new.png', category=UiStrings().File) + u':/general/general_new.png', category=unicode(UiStrings().File)) self.fileOpenItem = shortcut_action(mainWindow, u'fileOpenItem', [QtGui.QKeySequence(u'Ctrl+O')], self.serviceManagerContents.onLoadServiceClicked, - u':/general/general_open.png', category=UiStrings().File) + u':/general/general_open.png', category=unicode(UiStrings().File)) self.fileSaveItem = shortcut_action(mainWindow, u'fileSaveItem', [QtGui.QKeySequence(u'Ctrl+S')], self.serviceManagerContents.saveFile, - u':/general/general_save.png', category=UiStrings().File) + u':/general/general_save.png', category=unicode(UiStrings().File)) self.fileSaveAsItem = shortcut_action(mainWindow, u'fileSaveAsItem', [QtGui.QKeySequence(u'Ctrl+Shift+S')], - self.serviceManagerContents.saveFileAs, category=UiStrings().File) + self.serviceManagerContents.saveFileAs, + category=unicode(UiStrings().File)) self.printServiceOrderItem = shortcut_action(mainWindow, u'printServiceItem', [QtGui.QKeySequence(u'Ctrl+P')], self.serviceManagerContents.printServiceOrder, - category=UiStrings().File) + category=unicode(UiStrings().File)) self.fileExitItem = shortcut_action(mainWindow, u'fileExitItem', [QtGui.QKeySequence(u'Alt+F4')], mainWindow.close, - u':/system/system_exit.png', category=UiStrings().File) - action_list.add_category(UiStrings().Import, CategoryOrder.standardMenu) + u':/system/system_exit.png', category=unicode(UiStrings().File)) + action_list.add_category(unicode(UiStrings().Import), + CategoryOrder.standardMenu) self.importThemeItem = base_action( - mainWindow, u'importThemeItem', UiStrings().Import) + mainWindow, u'importThemeItem', unicode(UiStrings().Import)) self.importLanguageItem = base_action( - mainWindow, u'importLanguageItem')#, UiStrings().Import) - action_list.add_category(UiStrings().Export, CategoryOrder.standardMenu) + mainWindow, u'importLanguageItem')#, unicode(UiStrings().Import)) + action_list.add_category(unicode(UiStrings().Export), + CategoryOrder.standardMenu) self.exportThemeItem = base_action( - mainWindow, u'exportThemeItem', UiStrings().Export) + mainWindow, u'exportThemeItem', unicode(UiStrings().Export)) self.exportLanguageItem = base_action( - mainWindow, u'exportLanguageItem')#, UiStrings().Export) - action_list.add_category(UiStrings().View, CategoryOrder.standardMenu) + mainWindow, u'exportLanguageItem')#, unicode(UiStrings().Export)) + action_list.add_category(unicode(UiStrings().View), + CategoryOrder.standardMenu) self.viewMediaManagerItem = shortcut_action(mainWindow, u'viewMediaManagerItem', [QtGui.QKeySequence(u'F8')], self.toggleMediaManager, u':/system/system_mediamanager.png', - self.mediaManagerDock.isVisible(), UiStrings().View) + self.mediaManagerDock.isVisible(), unicode(UiStrings().View)) self.viewThemeManagerItem = shortcut_action(mainWindow, u'viewThemeManagerItem', [QtGui.QKeySequence(u'F10')], self.toggleThemeManager, u':/system/system_thememanager.png', - self.themeManagerDock.isVisible(), UiStrings().View) + self.themeManagerDock.isVisible(), unicode(UiStrings().View)) self.viewServiceManagerItem = shortcut_action(mainWindow, u'viewServiceManagerItem', [QtGui.QKeySequence(u'F9')], self.toggleServiceManager, u':/system/system_servicemanager.png', - self.serviceManagerDock.isVisible(), UiStrings().View) + self.serviceManagerDock.isVisible(), unicode(UiStrings().View)) self.viewPreviewPanel = shortcut_action(mainWindow, u'viewPreviewPanel', [QtGui.QKeySequence(u'F11')], self.setPreviewPanelVisibility, checked=previewVisible, - category=UiStrings().View) + category=unicode(UiStrings().View)) self.viewLivePanel = shortcut_action(mainWindow, u'viewLivePanel', [QtGui.QKeySequence(u'F12')], self.setLivePanelVisibility, - checked=liveVisible, category=UiStrings().View) + checked=liveVisible, category=unicode(UiStrings().View)) self.lockPanel = shortcut_action(mainWindow, u'lockPanel', None, self.setLockPanel, checked=panelLocked, category=None) - action_list.add_category(UiStrings().ViewMode, + action_list.add_category(unicode(UiStrings().ViewMode), CategoryOrder.standardMenu) self.modeDefaultItem = checkable_action( - mainWindow, u'modeDefaultItem', category=UiStrings().ViewMode) + mainWindow, u'modeDefaultItem', + category=unicode(UiStrings().ViewMode)) self.modeSetupItem = checkable_action( - mainWindow, u'modeSetupItem', category=UiStrings().ViewMode) + mainWindow, u'modeSetupItem', + category=unicode(UiStrings().ViewMode)) self.modeLiveItem = checkable_action( - mainWindow, u'modeLiveItem', True, UiStrings().ViewMode) + mainWindow, u'modeLiveItem', True, unicode(UiStrings().ViewMode)) self.modeGroup = QtGui.QActionGroup(mainWindow) self.modeGroup.addAction(self.modeDefaultItem) self.modeGroup.addAction(self.modeSetupItem) self.modeGroup.addAction(self.modeLiveItem) self.modeDefaultItem.setChecked(True) - action_list.add_category(UiStrings().Tools, CategoryOrder.standardMenu) + action_list.add_category(unicode(UiStrings().Tools), + CategoryOrder.standardMenu) self.toolsAddToolItem = icon_action(mainWindow, u'toolsAddToolItem', - u':/tools/tools_add.png', category=UiStrings().Tools) + u':/tools/tools_add.png', category=unicode(UiStrings().Tools)) self.toolsOpenDataFolder = icon_action(mainWindow, u'toolsOpenDataFolder', u':/general/general_open.png', - category=UiStrings().Tools) + category=unicode(UiStrings().Tools)) self.toolsFirstTimeWizard = icon_action(mainWindow, u'toolsFirstTimeWizard', u':/general/general_revert.png', - category=UiStrings().Tools) + category=unicode(UiStrings().Tools)) self.updateThemeImages = base_action(mainWindow, - u'updateThemeImages', category=UiStrings().Tools) - action_list.add_category(UiStrings().Settings, + u'updateThemeImages', category=unicode(UiStrings().Tools)) + action_list.add_category(unicode(UiStrings().Settings), CategoryOrder.standardMenu) self.settingsPluginListItem = shortcut_action(mainWindow, u'settingsPluginListItem', [QtGui.QKeySequence(u'Alt+F7')], self.onPluginItemClicked, u':/system/settings_plugin_list.png', - category=UiStrings().Settings) + category=unicode(UiStrings().Settings)) # i18n Language Items self.autoLanguageItem = checkable_action(mainWindow, u'autoLanguageItem', LanguageManager.auto_language) @@ -278,35 +286,38 @@ class Ui_MainWindow(object): self.settingsShortcutsItem = icon_action(mainWindow, u'settingsShortcutsItem', u':/system/system_configure_shortcuts.png', - category=UiStrings().Settings) + category=unicode(UiStrings().Settings)) # Formatting Tags were also known as display tags. self.formattingTagItem = icon_action(mainWindow, u'displayTagItem', u':/system/tag_editor.png', - category=UiStrings().Settings) + category=unicode(UiStrings().Settings)) self.settingsConfigureItem = icon_action(mainWindow, u'settingsConfigureItem', u':/system/system_settings.png', - category=UiStrings().Settings) + category=unicode(UiStrings().Settings)) self.settingsImportItem = base_action(mainWindow, - u'settingsImportItem', category=UiStrings().Settings) + u'settingsImportItem', category=unicode(UiStrings().Settings)) self.settingsExportItem = base_action(mainWindow, - u'settingsExportItem', category=UiStrings().Settings) - action_list.add_category(UiStrings().Help, CategoryOrder.standardMenu) + u'settingsExportItem', category=unicode(UiStrings().Settings)) + action_list.add_category(unicode(UiStrings().Help), + CategoryOrder.standardMenu) self.aboutItem = shortcut_action(mainWindow, u'aboutItem', [QtGui.QKeySequence(u'Ctrl+F1')], self.onAboutItemClicked, - u':/system/system_about.png', category=UiStrings().Help) + u':/system/system_about.png', category=unicode(UiStrings().Help)) if os.name == u'nt': self.localHelpFile = os.path.join( AppLocation.get_directory(AppLocation.AppDir), 'OpenLP.chm') self.offlineHelpItem = shortcut_action( mainWindow, u'offlineHelpItem', [QtGui.QKeySequence(u'F1')], self.onOfflineHelpClicked, - u':/system/system_help_contents.png', category=UiStrings().Help) + u':/system/system_help_contents.png', + category=unicode(UiStrings().Help)) self.onlineHelpItem = shortcut_action( mainWindow, u'onlineHelpItem', [QtGui.QKeySequence(u'Alt+F1')], self.onOnlineHelpClicked, - u':/system/system_online_help.png', category=UiStrings().Help) + u':/system/system_online_help.png', + category=unicode(UiStrings().Help)) self.webSiteItem = base_action( - mainWindow, u'webSiteItem', category=UiStrings().Help) + mainWindow, u'webSiteItem', category=unicode(UiStrings().Help)) add_actions(self.fileImportMenu, (self.settingsImportItem, None, self.importThemeItem, self.importLanguageItem)) add_actions(self.fileExportMenu, (self.settingsExportItem, None, @@ -655,7 +666,7 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): self.pluginManager.hook_settings_tabs(self.settingsForm) # Find and insert media manager items log.info(u'hook media') - self.pluginManager.hook_media_manager(self.mediaDockManager) + self.pluginManager.hook_media_manager() # Call the hook method to pull in import menus. log.info(u'hook menus') self.pluginManager.hook_import_menu(self.fileImportMenu) @@ -720,7 +731,10 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): args = [] for a in self.arguments: args.extend([a]) - self.serviceManagerContents.loadFile(unicode(args[0])) + filename = args[0] + if not isinstance(filename, unicode): + filename = unicode(filename, sys.getfilesystemencoding()) + self.serviceManagerContents.loadFile(filename) elif QtCore.QSettings().value( self.generalSettingsSection + u'/auto open', QtCore.QVariant(False)).toBool(): @@ -1312,7 +1326,6 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): settings.value(u'preview splitter geometry').toByteArray()) self.controlSplitter.restoreState( settings.value(u'mainwindow splitter geometry').toByteArray()) - settings.endGroup() def saveSettings(self): @@ -1388,6 +1401,12 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): maxRecentFiles = QtCore.QSettings().value(u'advanced/max recent files', QtCore.QVariant(20)).toInt()[0] if filename: + # Add some cleanup to reduce duplication in the recent file list + filename = os.path.abspath(filename) + # abspath() only capitalises the drive letter if it wasn't provided + # in the given filename which then causes duplication. + if filename[1:3] == ':\\': + filename = filename[0].upper() + filename[1:] position = self.recentFiles.indexOf(filename) if position != -1: self.recentFiles.removeAt(position) diff --git a/openlp/core/ui/media/mediacontroller.py b/openlp/core/ui/media/mediacontroller.py index c4e3e7fa9..b58afeb1e 100644 --- a/openlp/core/ui/media/mediacontroller.py +++ b/openlp/core/ui/media/mediacontroller.py @@ -311,8 +311,13 @@ class MediaController(object): isValid = self.check_file_type(controller, display) display.override[u'theme'] = u'' display.override[u'video'] = True - controller.media_info.start_time = display.serviceItem.start_time - controller.media_info.end_time = display.serviceItem.end_time + if controller.media_info.is_background: + # ignore start/end time + controller.media_info.start_time = 0 + controller.media_info.end_time = 0 + else: + controller.media_info.start_time = display.serviceItem.start_time + controller.media_info.end_time = display.serviceItem.end_time elif controller.previewDisplay: display = controller.previewDisplay isValid = self.check_file_type(controller, display) diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py index 8ad2db9c2..0eb1e77c5 100644 --- a/openlp/core/ui/servicemanager.py +++ b/openlp/core/ui/servicemanager.py @@ -37,7 +37,7 @@ log = logging.getLogger(__name__) from PyQt4 import QtCore, QtGui from openlp.core.lib import OpenLPToolbar, ServiceItem, Receiver, build_icon, \ - ItemCapabilities, SettingsManager, translate + ItemCapabilities, SettingsManager, translate, str_to_bool from openlp.core.lib.theme import ThemeLevel from openlp.core.lib.ui import UiStrings, critical_error_message_box, \ context_menu_action, context_menu_separator, find_and_set_in_combo_box @@ -177,9 +177,9 @@ class ServiceManager(QtGui.QWidget): self.serviceManagerList.moveTop.setObjectName(u'moveTop') action_list = ActionList.get_instance() action_list.add_category( - UiStrings().Service, CategoryOrder.standardToolbar) + unicode(UiStrings().Service), CategoryOrder.standardToolbar) action_list.add_action( - self.serviceManagerList.moveTop, UiStrings().Service) + self.serviceManagerList.moveTop, unicode(UiStrings().Service)) self.serviceManagerList.moveUp = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', 'Move &up'), u':/services/service_up.png', @@ -188,7 +188,7 @@ class ServiceManager(QtGui.QWidget): self.onServiceUp, shortcuts=[QtCore.Qt.Key_PageUp]) self.serviceManagerList.moveUp.setObjectName(u'moveUp') action_list.add_action( - self.serviceManagerList.moveUp, UiStrings().Service) + self.serviceManagerList.moveUp, unicode(UiStrings().Service)) self.serviceManagerList.moveDown = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', 'Move &down'), u':/services/service_down.png', @@ -197,7 +197,7 @@ class ServiceManager(QtGui.QWidget): self.onServiceDown, shortcuts=[QtCore.Qt.Key_PageDown]) self.serviceManagerList.moveDown.setObjectName(u'moveDown') action_list.add_action( - self.serviceManagerList.moveDown, UiStrings().Service) + self.serviceManagerList.moveDown, unicode(UiStrings().Service)) self.serviceManagerList.moveBottom = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', 'Move to &bottom'), u':/services/service_bottom.png', @@ -206,7 +206,7 @@ class ServiceManager(QtGui.QWidget): self.onServiceEnd, shortcuts=[QtCore.Qt.Key_End]) self.serviceManagerList.moveBottom.setObjectName(u'moveBottom') action_list.add_action( - self.serviceManagerList.moveBottom, UiStrings().Service) + self.serviceManagerList.moveBottom, unicode(UiStrings().Service)) self.serviceManagerList.down = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', 'Move &down'), None, @@ -241,7 +241,7 @@ class ServiceManager(QtGui.QWidget): self.onExpandAll, shortcuts=[QtCore.Qt.Key_Plus]) self.serviceManagerList.expand.setObjectName(u'expand') action_list.add_action( - self.serviceManagerList.expand, UiStrings().Service) + self.serviceManagerList.expand, unicode(UiStrings().Service)) self.serviceManagerList.collapse = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', '&Collapse all'), u':/services/service_collapse_all.png', @@ -250,7 +250,7 @@ class ServiceManager(QtGui.QWidget): self.onCollapseAll, shortcuts=[QtCore.Qt.Key_Minus]) self.serviceManagerList.collapse.setObjectName(u'collapse') action_list.add_action( - self.serviceManagerList.collapse, UiStrings().Service) + self.serviceManagerList.collapse, unicode(UiStrings().Service)) self.orderToolbar.addSeparator() self.serviceManagerList.makeLive = self.orderToolbar.addToolbarButton( translate('OpenLP.ServiceManager', 'Go Live'), @@ -260,7 +260,7 @@ class ServiceManager(QtGui.QWidget): shortcuts=[QtCore.Qt.Key_Enter, QtCore.Qt.Key_Return]) self.serviceManagerList.makeLive.setObjectName(u'orderToolbar') action_list.add_action( - self.serviceManagerList.makeLive, UiStrings().Service) + self.serviceManagerList.makeLive, unicode(UiStrings().Service)) self.layout.addWidget(self.orderToolbar) # Connect up our signals and slots QtCore.QObject.connect(self.themeComboBox, @@ -465,6 +465,7 @@ class ServiceManager(QtGui.QWidget): self.setModified(False) QtCore.QSettings(). \ setValue(u'servicemanager/last file',QtCore.QVariant(u'')) + Receiver.send_message(u'servicemanager_new_service') def saveFile(self): """ @@ -663,13 +664,14 @@ class ServiceManager(QtGui.QWidget): serviceItem.renderer = self.mainwindow.renderer serviceItem.set_from_service(item, self.servicePath) self.validateItem(serviceItem) - self.loadItem_uuid = 0 + self.load_item_uuid = 0 if serviceItem.is_capable(ItemCapabilities.OnLoadUpdate): Receiver.send_message(u'%s_service_load' % serviceItem.name.lower(), serviceItem) # if the item has been processed - if serviceItem._uuid == self.loadItem_uuid: - serviceItem.edit_id = int(self.loadItem_editId) + if serviceItem._uuid == self.load_item_uuid: + serviceItem.edit_id = int(self.load_item_edit_id) + serviceItem.temporary_edit = self.load_item_temporary self.addServiceItem(serviceItem, repaint=False) delete_file(p_file) self.setFileName(fileName) @@ -999,6 +1001,17 @@ class ServiceManager(QtGui.QWidget): painter.drawImage(0, 0, overlay) painter.end() treewidgetitem.setIcon(0, build_icon(icon)) + elif serviceitem.temporary_edit: + icon = QtGui.QImage(serviceitem.icon) + icon = icon.scaled(80, 80, QtCore.Qt.KeepAspectRatio, + QtCore.Qt.SmoothTransformation) + overlay = QtGui.QImage(':/general/general_export.png') + overlay = overlay.scaled(40, 40, QtCore.Qt.KeepAspectRatio, + QtCore.Qt.SmoothTransformation) + painter = QtGui.QPainter(icon) + painter.drawImage(40, 0, overlay) + painter.end() + treewidgetitem.setIcon(0, build_icon(icon)) else: treewidgetitem.setIcon(0, serviceitem.iconic_representation) else: @@ -1006,6 +1019,11 @@ class ServiceManager(QtGui.QWidget): build_icon(u':/general/general_delete.png')) treewidgetitem.setText(0, serviceitem.get_display_title()) tips = [] + if serviceitem.temporary_edit: + tips.append(u'%s: %s' % + (unicode(translate('OpenLP.ServiceManager', 'Edit')), + (unicode(translate('OpenLP.ServiceManager', + 'Service copy only'))))) if serviceitem.theme and serviceitem.theme != -1: tips.append(u'%s: %s' % (unicode(translate('OpenLP.ServiceManager', 'Slide theme')), @@ -1127,8 +1145,9 @@ class ServiceManager(QtGui.QWidget): Triggered from plugins to update service items. Save the values as they will be used as part of the service load """ - editId, self.loadItem_uuid = message.split(u':') - self.loadItem_editId = int(editId) + edit_id, self.load_item_uuid, temporary = message.split(u':') + self.load_item_edit_id = int(edit_id) + self.load_item_temporary = str_to_bool(temporary) def replaceServiceItem(self, newItem): """ diff --git a/openlp/core/ui/settingsdialog.py b/openlp/core/ui/settingsdialog.py index 296337f0f..643ab0a6e 100644 --- a/openlp/core/ui/settingsdialog.py +++ b/openlp/core/ui/settingsdialog.py @@ -55,7 +55,7 @@ class Ui_SettingsDialog(object): QtCore.QMetaObject.connectSlotsByName(settingsDialog) QtCore.QObject.connect(self.settingListWidget, QtCore.SIGNAL(u'currentRowChanged(int)'), - self.stackedLayout.setCurrentIndex) + self.tabChanged) def retranslateUi(self, settingsDialog): settingsDialog.setWindowTitle(translate('OpenLP.SettingsForm', diff --git a/openlp/core/ui/settingsform.py b/openlp/core/ui/settingsform.py index 37da93b5b..b25a3a856 100644 --- a/openlp/core/ui/settingsform.py +++ b/openlp/core/ui/settingsform.py @@ -116,3 +116,10 @@ class SettingsForm(QtGui.QDialog, Ui_SettingsDialog): for plugin in self.plugins: if plugin.settings_tab: plugin.settings_tab.postSetUp() + + def tabChanged(self, tabIndex): + """ + A different settings tab is selected + """ + self.stackedLayout.setCurrentIndex(tabIndex) + self.stackedLayout.currentWidget().tabVisible() diff --git a/openlp/core/ui/shortcutlistform.py b/openlp/core/ui/shortcutlistform.py index 1eccddc95..711b46c43 100644 --- a/openlp/core/ui/shortcutlistform.py +++ b/openlp/core/ui/shortcutlistform.py @@ -344,8 +344,11 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog): if category.name is None: continue for action in category.actions: - if self.changedActions .has_key(action): + if action in self.changedActions: + old_shortcuts = map(unicode, + map(QtGui.QKeySequence.toString, action.shortcuts())) action.setShortcuts(self.changedActions[action]) + self.action_list.update_shortcut_map(action, old_shortcuts) settings.setValue( action.objectName(), QtCore.QVariant(action.shortcuts())) settings.endGroup() @@ -452,7 +455,7 @@ class ShortcutListForm(QtGui.QDialog, Ui_ShortcutListDialog): those shortcuts which are not saved yet but already assigned (as changes are applied when closing the dialog). """ - if self.changedActions.has_key(action): + if action in self.changedActions: return self.changedActions[action] return action.shortcuts() diff --git a/openlp/core/ui/slidecontroller.py b/openlp/core/ui/slidecontroller.py index 92eb7971e..b6e18c32a 100644 --- a/openlp/core/ui/slidecontroller.py +++ b/openlp/core/ui/slidecontroller.py @@ -95,7 +95,7 @@ class SlideController(Controller): u'Edit Song', ] self.nextPreviousList = [ - u'Previous Slide', + u'Previous Slide', u'Next Slide' ] self.timer_id = 0 @@ -114,8 +114,8 @@ class SlideController(Controller): self.typeLabel.setText(UiStrings().Live) self.split = 1 self.typePrefix = u'live' - self.keypress_queue = deque() - self.keypress_loop = False + self.keypress_queue = deque() + self.keypress_loop = False else: self.typeLabel.setText(UiStrings().Preview) self.split = 0 @@ -187,18 +187,20 @@ class SlideController(Controller): translate('OpenLP.SlideController', 'Hide'), self.toolbar)) self.blankScreen = shortcut_action(self.hideMenu, u'blankScreen', [QtCore.Qt.Key_Period], self.onBlankDisplay, - u':/slides/slide_blank.png', False, UiStrings().LiveToolbar) + u':/slides/slide_blank.png', False, + unicode(UiStrings().LiveToolbar)) self.blankScreen.setText( translate('OpenLP.SlideController', 'Blank Screen')) self.themeScreen = shortcut_action(self.hideMenu, u'themeScreen', [QtGui.QKeySequence(u'T')], self.onThemeDisplay, - u':/slides/slide_theme.png', False, UiStrings().LiveToolbar) + u':/slides/slide_theme.png', False, + unicode(UiStrings().LiveToolbar)) self.themeScreen.setText( translate('OpenLP.SlideController', 'Blank to Theme')) self.desktopScreen = shortcut_action(self.hideMenu, u'desktopScreen', [QtGui.QKeySequence(u'D')], self.onHideDisplay, u':/slides/slide_desktop.png', False, - UiStrings().LiveToolbar) + unicode(UiStrings().LiveToolbar)) self.desktopScreen.setText( translate('OpenLP.SlideController', 'Show Desktop')) self.hideMenu.setDefaultAction(self.blankScreen) @@ -218,11 +220,13 @@ class SlideController(Controller): self.toolbar)) self.playSlidesLoop = shortcut_action(self.playSlidesMenu, u'playSlidesLoop', [], self.onPlaySlidesLoop, - u':/media/media_time.png', False, UiStrings().LiveToolbar) + u':/media/media_time.png', False, + unicode(UiStrings().LiveToolbar)) self.playSlidesLoop.setText(UiStrings().PlaySlidesInLoop) self.playSlidesOnce = shortcut_action(self.playSlidesMenu, u'playSlidesOnce', [], self.onPlaySlidesOnce, - u':/media/media_time.png', False, UiStrings().LiveToolbar) + u':/media/media_time.png', False, + unicode(UiStrings().LiveToolbar)) self.playSlidesOnce.setText(UiStrings().PlaySlidesToEnd) if QtCore.QSettings().value(self.parent().generalSettingsSection + u'/enable slide loop', QtCore.QVariant(True)).toBool(): @@ -320,7 +324,7 @@ class SlideController(Controller): self.shortcutTimer.setSingleShot(True) self.verseShortcut = shortcut_action(self, u'verseShortcut', [QtGui.QKeySequence(u'V')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.verseShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Verse"')) @@ -356,37 +360,37 @@ class SlideController(Controller): context=QtCore.Qt.WidgetWithChildrenShortcut) self.chorusShortcut = shortcut_action(self, u'chorusShortcut', [QtGui.QKeySequence(u'C')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.chorusShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Chorus"')) self.bridgeShortcut = shortcut_action(self, u'bridgeShortcut', [QtGui.QKeySequence(u'B')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.bridgeShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Bridge"')) self.preChorusShortcut = shortcut_action(self, u'preChorusShortcut', [QtGui.QKeySequence(u'P')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.preChorusShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Pre-Chorus"')) self.introShortcut = shortcut_action(self, u'introShortcut', [QtGui.QKeySequence(u'I')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.introShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Intro"')) self.endingShortcut = shortcut_action(self, u'endingShortcut', [QtGui.QKeySequence(u'E')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.endingShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Ending"')) self.otherShortcut = shortcut_action(self, u'otherShortcut', [QtGui.QKeySequence(u'O')], self.slideShortcutActivated, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.otherShortcut.setText(translate( 'OpenLP.SlideController', 'Go to "Other"')) @@ -408,6 +412,9 @@ class SlideController(Controller): QtCore.QObject.connect(Receiver.get_receiver(), QtCore.SIGNAL(u'slidecontroller_live_spin_delay'), self.receiveSpinDelay) + QtCore.QObject.connect(Receiver.get_receiver(), + QtCore.SIGNAL(u'slidecontroller_toggle_display'), + self.toggleDisplay) self.toolbar.makeWidgetsInvisible(self.loopList) else: QtCore.QObject.connect(self.previewListWidget, @@ -540,24 +547,24 @@ class SlideController(Controller): self.nextItem.setObjectName(u'nextItemLive') action_list = ActionList.get_instance() action_list.add_category( - UiStrings().LiveToolbar, CategoryOrder.standardToolbar) + unicode(UiStrings().LiveToolbar), CategoryOrder.standardToolbar) action_list.add_action(self.previousItem) action_list.add_action(self.nextItem) self.previousService = shortcut_action(parent, u'previousService', [QtCore.Qt.Key_Left], self.servicePrevious, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.previousService.setText( translate('OpenLP.SlideController', 'Previous Service')) self.nextService = shortcut_action(parent, 'nextService', [QtCore.Qt.Key_Right], self.serviceNext, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.nextService.setText( translate('OpenLP.SlideController', 'Next Service')) self.escapeItem = shortcut_action(parent, 'escapeItem', [QtCore.Qt.Key_Escape], self.liveEscape, - category=UiStrings().LiveToolbar, + category=unicode(UiStrings().LiveToolbar), context=QtCore.Qt.WidgetWithChildrenShortcut) self.escapeItem.setText( translate('OpenLP.SlideController', 'Escape Item')) @@ -566,6 +573,21 @@ class SlideController(Controller): self.display.setVisible(False) self.mediaController.video_stop([self]) + def toggleDisplay(self, action): + """ + Toggle the display settings triggered from remote messages. + """ + if action == u'blank' or action == u'hide': + self.onBlankDisplay(True) + elif action == u'theme': + self.onThemeDisplay(True) + elif action == u'desktop': + self.onHideDisplay(True) + elif action == u'show': + self.onBlankDisplay(False) + self.onThemeDisplay(False) + self.onHideDisplay(False) + def servicePrevious(self): """ Live event to select the previous service item from the service manager. @@ -614,8 +636,8 @@ class SlideController(Controller): self.previewSizeChanged() self.previewDisplay.setup() serviceItem = ServiceItem() - self.previewDisplay.webView.setHtml(build_html(serviceItem, - self.previewDisplay.screen, None, self.isLive, None, + self.previewDisplay.webView.setHtml(build_html(serviceItem, + self.previewDisplay.screen, None, self.isLive, None, plugins=PluginManager.get_instance().plugins)) self.mediaController.setup_display(self.previewDisplay) if self.serviceItem: diff --git a/openlp/core/ui/thememanager.py b/openlp/core/ui/thememanager.py index 596bce5d9..b8767d736 100644 --- a/openlp/core/ui/thememanager.py +++ b/openlp/core/ui/thememanager.py @@ -526,13 +526,11 @@ class ThemeManager(QtGui.QWidget): zip = zipfile.ZipFile(filename) themename = None for file in zip.namelist(): + # Handle UTF-8 files ucsfile = file_is_unicode(file) if not ucsfile: - critical_error_message_box( - message=translate('OpenLP.ThemeManager', - 'File is not a valid theme.\n' - 'The content encoding is not UTF-8.')) - continue + # Handle native Unicode files from Windows + ucsfile = file osfile = unicode(QtCore.QDir.toNativeSeparators(ucsfile)) theme_dir = None if osfile.endswith(os.path.sep): @@ -620,7 +618,7 @@ class ThemeManager(QtGui.QWidget): """ name = theme.theme_name theme_pretty_xml = theme.extract_formatted_xml() - log.debug(u'saveTheme %s %s', name, theme_pretty_xml) + log.debug(u'saveTheme %s %s', name, theme_pretty_xml.decode(u'utf-8')) theme_dir = os.path.join(self.path, name) check_directory_exists(theme_dir) theme_file = os.path.join(theme_dir, name + u'.xml') diff --git a/openlp/core/utils/actions.py b/openlp/core/utils/actions.py index 525a18f37..857e8ceed 100644 --- a/openlp/core/utils/actions.py +++ b/openlp/core/utils/actions.py @@ -218,8 +218,6 @@ class ActionList(object): The weight specifies how important a category is. However, this only has an impact on the order the categories are displayed. """ - if category is not None: - category = unicode(category) if category not in self.categories: self.categories.append(category) action.defaultShortcuts = action.shortcuts() @@ -236,15 +234,19 @@ class ActionList(object): if not shortcuts: action.setShortcuts([]) return - shortcuts = map(unicode, shortcuts) + # We have to do this to ensure that the loaded shortcut list e. g. + # STRG+O (German) is converted to CTRL+O, which is only done when we + # convert the strings in this way (QKeySequence -> QString -> unicode). + shortcuts = map(QtGui.QKeySequence, shortcuts) + shortcuts = map(unicode, map(QtGui.QKeySequence.toString, shortcuts)) # Check the alternate shortcut first, to avoid problems when the # alternate shortcut becomes the primary shortcut after removing the - # (initial) primary shortcut due to confllicts. + # (initial) primary shortcut due to conflicts. if len(shortcuts) == 2: existing_actions = ActionList.shortcut_map.get(shortcuts[1], []) # Check for conflicts with other actions considering the shortcut # context. - if self._shortcut_available(existing_actions, action): + if self._is_shortcut_available(existing_actions, action): actions = ActionList.shortcut_map.get(shortcuts[1], []) actions.append(action) ActionList.shortcut_map[shortcuts[1]] = actions @@ -254,7 +256,7 @@ class ActionList(object): existing_actions = ActionList.shortcut_map.get(shortcuts[0], []) # Check for conflicts with other actions considering the shortcut # context. - if self._shortcut_available(existing_actions, action): + if self._is_shortcut_available(existing_actions, action): actions = ActionList.shortcut_map.get(shortcuts[0], []) actions.append(action) ActionList.shortcut_map[shortcuts[0]] = actions @@ -275,14 +277,21 @@ class ActionList(object): The name (unicode string) of the category, which contains the action. Defaults to None. """ - if category is not None: - category = unicode(category) if category not in self.categories: return self.categories[category].actions.remove(action) # Remove empty categories. if len(self.categories[category].actions) == 0: self.categories.remove(category) + shortcuts = map(unicode, + map(QtGui.QKeySequence.toString, action.shortcuts())) + for shortcut in shortcuts: + # Remove action from the list of actions which are using this + # shortcut. + ActionList.shortcut_map[shortcut].remove(action) + # Remove empty entries. + if not ActionList.shortcut_map[shortcut]: + del ActionList.shortcut_map[shortcut] def add_category(self, name, weight): """ @@ -304,7 +313,37 @@ class ActionList(object): return self.categories.add(name, weight) - def _shortcut_available(self, existing_actions, action): + def update_shortcut_map(self, action, old_shortcuts): + """ + Remove the action for the given ``old_shortcuts`` from the + ``shortcut_map`` to ensure its up-to-dateness. + + **Note**: The new action's shortcuts **must** be assigned to the given + ``action`` **before** calling this method. + + ``action`` + The action whose shortcuts are supposed to be updated in the + ``shortcut_map``. + + ``old_shortcuts`` + A list of unicode keysequences. + """ + for old_shortcut in old_shortcuts: + # Remove action from the list of actions which are using this + # shortcut. + ActionList.shortcut_map[old_shortcut].remove(action) + # Remove empty entries. + if not ActionList.shortcut_map[old_shortcut]: + del ActionList.shortcut_map[old_shortcut] + new_shortcuts = map(unicode, + map(QtGui.QKeySequence.toString, action.shortcuts())) + # Add the new shortcuts to the map. + for new_shortcut in new_shortcuts: + existing_actions = ActionList.shortcut_map.get(new_shortcut, []) + existing_actions.append(action) + ActionList.shortcut_map[new_shortcut] = existing_actions + + def _is_shortcut_available(self, existing_actions, action): """ Checks if the given ``action`` may use its assigned shortcut(s) or not. Returns ``True`` or ``False. diff --git a/openlp/plugins/alerts/alertsplugin.py b/openlp/plugins/alerts/alertsplugin.py index 493f08ba0..ba2af74e8 100644 --- a/openlp/plugins/alerts/alertsplugin.py +++ b/openlp/plugins/alerts/alertsplugin.py @@ -149,7 +149,7 @@ class AlertsPlugin(Plugin): Plugin.initialise(self) self.toolsAlertItem.setVisible(True) action_list = ActionList.get_instance() - action_list.add_action(self.toolsAlertItem, UiStrings().Tools) + action_list.add_action(self.toolsAlertItem, unicode(UiStrings().Tools)) def finalise(self): """ diff --git a/openlp/plugins/bibles/bibleplugin.py b/openlp/plugins/bibles/bibleplugin.py index 619581b17..68b4d1ce8 100644 --- a/openlp/plugins/bibles/bibleplugin.py +++ b/openlp/plugins/bibles/bibleplugin.py @@ -55,9 +55,11 @@ class BiblePlugin(Plugin): Plugin.initialise(self) self.importBibleItem.setVisible(True) action_list = ActionList.get_instance() - action_list.add_action(self.importBibleItem, UiStrings().Import) + action_list.add_action(self.importBibleItem, + unicode(UiStrings().Import)) # Do not add the action to the list yet. - #action_list.add_action(self.exportBibleItem, UiStrings().Export) + #action_list.add_action(self.exportBibleItem, + # unicode(UiStrings().Export)) # Set to invisible until we can export bibles self.exportBibleItem.setVisible(False) if len(self.manager.old_bible_databases): @@ -71,7 +73,8 @@ class BiblePlugin(Plugin): self.manager.finalise() Plugin.finalise(self) action_list = ActionList.get_instance() - action_list.remove_action(self.importBibleItem, UiStrings().Import) + action_list.remove_action(self.importBibleItem, + unicode(UiStrings().Import)) self.importBibleItem.setVisible(False) #action_list.remove_action(self.exportBibleItem, UiStrings().Export) self.exportBibleItem.setVisible(False) diff --git a/openlp/plugins/bibles/lib/csvbible.py b/openlp/plugins/bibles/lib/csvbible.py index 6735a7344..55feae7d4 100644 --- a/openlp/plugins/bibles/lib/csvbible.py +++ b/openlp/plugins/bibles/lib/csvbible.py @@ -28,17 +28,7 @@ The :mod:`cvsbible` modules provides a facility to import bibles from a set of CSV files. -The module expects two mandatory files containing the books and the verses and -will accept an optional third file containing the testaments. - -The format of the testament file is: - - , - - For example: - - 1,Old Testament - 2,New Testament +The module expects two mandatory files containing the books and the verses. The format of the books file is: @@ -110,6 +100,9 @@ class CSVBible(BibleDB): try: details = get_file_encoding(self.booksfile) books_file = open(self.booksfile, 'r') + if not books_file.read(3) == '\xEF\xBB\xBF': + # no BOM was found + books_file.seek(0) books_reader = csv.reader(books_file, delimiter=',', quotechar='"') for line in books_reader: if self.stop_import_flag: @@ -144,6 +137,9 @@ class CSVBible(BibleDB): book_ptr = None details = get_file_encoding(self.versesfile) verse_file = open(self.versesfile, 'rb') + if not verse_file.read(3) == '\xEF\xBB\xBF': + # no BOM was found + verse_file.seek(0) verse_reader = csv.reader(verse_file, delimiter=',', quotechar='"') for line in verse_reader: if self.stop_import_flag: diff --git a/openlp/plugins/bibles/lib/osis.py b/openlp/plugins/bibles/lib/osis.py index b802cda85..d4d797513 100644 --- a/openlp/plugins/bibles/lib/osis.py +++ b/openlp/plugins/bibles/lib/osis.py @@ -78,8 +78,7 @@ class OSISBible(BibleDB): fbibles = open(filepath, u'r') for line in fbibles: book = line.split(u',') - self.books[book[0]] = (book[1].lstrip().rstrip(), - book[2].lstrip().rstrip()) + self.books[book[0]] = (book[1].strip(), book[2].strip()) except IOError: log.exception(u'OSIS bible import failed') finally: diff --git a/openlp/plugins/images/lib/mediaitem.py b/openlp/plugins/images/lib/mediaitem.py index 049e2da18..b1e815a3a 100644 --- a/openlp/plugins/images/lib/mediaitem.py +++ b/openlp/plugins/images/lib/mediaitem.py @@ -127,13 +127,13 @@ class ImageMediaItem(MediaManagerItem): self.plugin.formparent.incrementProgressBar() filename = os.path.split(unicode(imageFile))[1] thumb = os.path.join(self.servicePath, filename) - if not os.path.exists(imageFile): + if not os.path.exists(unicode(imageFile)): icon = build_icon(u':/general/general_delete.png') else: - if validate_thumb(imageFile, thumb): + if validate_thumb(unicode(imageFile), thumb): icon = build_icon(thumb) else: - icon = create_thumb(imageFile, thumb) + icon = create_thumb(unicode(imageFile), thumb) item_name = QtGui.QListWidgetItem(filename) item_name.setIcon(icon) item_name.setToolTip(imageFile) diff --git a/openlp/plugins/media/lib/mediaitem.py b/openlp/plugins/media/lib/mediaitem.py index 0d5d8eeff..8a7eb86eb 100644 --- a/openlp/plugins/media/lib/mediaitem.py +++ b/openlp/plugins/media/lib/mediaitem.py @@ -54,7 +54,7 @@ class MediaMediaItem(MediaManagerItem): self.iconPath = u'images/image' self.background = False self.previewFunction = CLAPPERBOARD - self.Automatic = u'' + self.automatic = u'' MediaManagerItem.__init__(self, parent, plugin, icon) self.singleServiceItem = False self.hasSearch = True @@ -101,7 +101,7 @@ class MediaMediaItem(MediaManagerItem): self.replaceAction.setToolTip(UiStrings().ReplaceLiveBG) self.resetAction.setText(UiStrings().ResetBG) self.resetAction.setToolTip(UiStrings().ResetLiveBG) - self.Automatic = translate('MediaPlugin.MediaItem', + self.automatic = translate('MediaPlugin.MediaItem', 'Automatic') self.displayTypeLabel.setText( translate('MediaPlugin.MediaItem', 'Use Player:')) @@ -253,7 +253,7 @@ class MediaMediaItem(MediaManagerItem): # load the drop down selection self.displayTypeComboBox.addItem(title) if self.displayTypeComboBox.count() > 1: - self.displayTypeComboBox.insertItem(0, self.Automatic) + self.displayTypeComboBox.insertItem(0, self.automatic) self.displayTypeComboBox.setCurrentIndex(0) if QtCore.QSettings().value(self.settingsSection + u'/override player', QtCore.QVariant(QtCore.Qt.Unchecked)) == QtCore.Qt.Checked: diff --git a/openlp/plugins/media/lib/mediatab.py b/openlp/plugins/media/lib/mediatab.py index 4e39bc419..1b75016cc 100644 --- a/openlp/plugins/media/lib/mediatab.py +++ b/openlp/plugins/media/lib/mediatab.py @@ -35,7 +35,7 @@ class MediaTab(SettingsTab): MediaTab is the Media settings tab in the settings dialog. """ def __init__(self, parent, title, visible_title, media_players, icon_path): - self.media_players = media_players + self.mediaPlayers = media_players SettingsTab.__init__(self, parent, title, visible_title, icon_path) def setupUi(self): @@ -45,13 +45,13 @@ class MediaTab(SettingsTab): self.mediaPlayerGroupBox.setObjectName(u'mediaPlayerGroupBox') self.mediaPlayerLayout = QtGui.QVBoxLayout(self.mediaPlayerGroupBox) self.mediaPlayerLayout.setObjectName(u'mediaPlayerLayout') - self.PlayerCheckBoxes = {} - for key in self.media_players: - player = self.media_players[key] + self.playerCheckBoxes = {} + for key, player in self.mediaPlayers.iteritems(): + player = self.mediaPlayers[key] checkbox = QtGui.QCheckBox(self.mediaPlayerGroupBox) checkbox.setEnabled(player.available) checkbox.setObjectName(player.name + u'CheckBox') - self.PlayerCheckBoxes[player.name] = checkbox + self.playerCheckBoxes[player.name] = checkbox self.mediaPlayerLayout.addWidget(checkbox) self.leftLayout.addWidget(self.mediaPlayerGroupBox) self.playerOrderGroupBox = QtGui.QGroupBox(self.leftColumn) @@ -88,19 +88,19 @@ class MediaTab(SettingsTab): self.orderingButtonLayout.addWidget(self.orderingUpButton) self.playerOrderLayout.addWidget(self.orderingButtonsWidget) self.leftLayout.addWidget(self.playerOrderGroupBox) - self.AdvancedGroupBox = QtGui.QGroupBox(self.leftColumn) - self.AdvancedGroupBox.setObjectName(u'AdvancedGroupBox') - self.AdvancedLayout = QtGui.QVBoxLayout(self.AdvancedGroupBox) - self.AdvancedLayout.setObjectName(u'AdvancedLayout') - self.OverridePlayerCheckBox = QtGui.QCheckBox(self.AdvancedGroupBox) - self.OverridePlayerCheckBox.setObjectName(u'OverridePlayerCheckBox') - self.AdvancedLayout.addWidget(self.OverridePlayerCheckBox) - self.leftLayout.addWidget(self.AdvancedGroupBox) + self.advancedGroupBox = QtGui.QGroupBox(self.leftColumn) + self.advancedGroupBox.setObjectName(u'advancedGroupBox') + self.advancedLayout = QtGui.QVBoxLayout(self.advancedGroupBox) + self.advancedLayout.setObjectName(u'advancedLayout') + self.overridePlayerCheckBox = QtGui.QCheckBox(self.advancedGroupBox) + self.overridePlayerCheckBox.setObjectName(u'overridePlayerCheckBox') + self.advancedLayout.addWidget(self.overridePlayerCheckBox) + self.leftLayout.addWidget(self.advancedGroupBox) self.leftLayout.addStretch() self.rightLayout.addStretch() - for key in self.media_players: - player = self.media_players[key] - checkbox = self.PlayerCheckBoxes[player.name] + for key in self.mediaPlayers: + player = self.mediaPlayers[key] + checkbox = self.playerCheckBoxes[player.name] QtCore.QObject.connect(checkbox, QtCore.SIGNAL(u'stateChanged(int)'), self.onPlayerCheckBoxChanged) @@ -112,9 +112,9 @@ class MediaTab(SettingsTab): def retranslateUi(self): self.mediaPlayerGroupBox.setTitle( translate('MediaPlugin.MediaTab', 'Available Media Players')) - for key in self.media_players: - player = self.media_players[key] - checkbox = self.PlayerCheckBoxes[player.name] + for key in self.mediaPlayers: + player = self.mediaPlayers[key] + checkbox = self.playerCheckBoxes[player.name] if player.available: checkbox.setText(player.name) else: @@ -127,8 +127,8 @@ class MediaTab(SettingsTab): translate('MediaPlugin.MediaTab', 'Down')) self.orderingUpButton.setText( translate('MediaPlugin.MediaTab', 'Up')) - self.AdvancedGroupBox.setTitle(UiStrings().Advanced) - self.OverridePlayerCheckBox.setText( + self.advancedGroupBox.setTitle(UiStrings().Advanced) + self.overridePlayerCheckBox.setText( translate('MediaPlugin.MediaTab', 'Allow media player to be overriden')) @@ -144,12 +144,12 @@ class MediaTab(SettingsTab): def updatePlayerList(self): self.playerOrderlistWidget.clear() for player in self.usedPlayers: - if player in self.PlayerCheckBoxes.keys(): + if player in self.playerCheckBoxes.keys(): if len(self.usedPlayers) == 1: # at least one media player have to stay active - self.PlayerCheckBoxes[u'%s' % player].setEnabled(False) + self.playerCheckBoxes[u'%s' % player].setEnabled(False) else: - self.PlayerCheckBoxes[u'%s' % player].setEnabled(True) + self.playerCheckBoxes[u'%s' % player].setEnabled(True) self.playerOrderlistWidget.addItem(player) def onOrderingUpButtonPressed(self): @@ -172,34 +172,34 @@ class MediaTab(SettingsTab): self.usedPlayers = QtCore.QSettings().value( self.settingsSection + u'/players', QtCore.QVariant(u'webkit')).toString().split(u',') - for key in self.media_players: - player = self.media_players[key] - checkbox = self.PlayerCheckBoxes[player.name] + for key in self.mediaPlayers: + player = self.mediaPlayers[key] + checkbox = self.playerCheckBoxes[player.name] if player.available and player.name in self.usedPlayers: checkbox.setChecked(True) self.updatePlayerList() - self.OverridePlayerCheckBox.setChecked(QtCore.QSettings().value( + self.overridePlayerCheckBox.setChecked(QtCore.QSettings().value( self.settingsSection + u'/override player', QtCore.QVariant(QtCore.Qt.Unchecked)).toInt()[0]) def save(self): override_changed = False player_string_changed = False - oldPlayerString = QtCore.QSettings().value( + old_players = QtCore.QSettings().value( self.settingsSection + u'/players', QtCore.QVariant(u'webkit')).toString() - newPlayerString = self.usedPlayers.join(u',') - if oldPlayerString != newPlayerString: + new_players = self.usedPlayers.join(u',') + if old_players != new_players: # clean old Media stuff QtCore.QSettings().setValue(self.settingsSection + u'/players', - QtCore.QVariant(newPlayerString)) + QtCore.QVariant(new_players)) player_string_changed = True override_changed = True setting_key = self.settingsSection + u'/override player' if QtCore.QSettings().value(setting_key) != \ - self.OverridePlayerCheckBox.checkState(): + self.overridePlayerCheckBox.checkState(): QtCore.QSettings().setValue(setting_key, - QtCore.QVariant(self.OverridePlayerCheckBox.checkState())) + QtCore.QVariant(self.overridePlayerCheckBox.checkState())) override_changed = True if override_changed: Receiver.send_message(u'mediaitem_media_rebuild') diff --git a/openlp/plugins/media/mediaplugin.py b/openlp/plugins/media/mediaplugin.py index 97f749689..3b790dd93 100644 --- a/openlp/plugins/media/mediaplugin.py +++ b/openlp/plugins/media/mediaplugin.py @@ -27,6 +27,8 @@ import logging +from PyQt4 import QtCore + from openlp.core.lib import Plugin, StringContent, build_icon, translate from openlp.plugins.media.lib import MediaMediaItem, MediaTab @@ -52,12 +54,12 @@ class MediaPlugin(Plugin): for ext in self.video_extensions_list: self.serviceManager.supportedSuffixes(ext[2:]) - def getSettingsTab(self, parent): + def createSettingsTab(self, parent): """ Create the settings Tab """ visible_name = self.getString(StringContent.VisibleName) - return MediaTab(parent, self.name, visible_name[u'title'], + self.settings_tab = MediaTab(parent, self.name, visible_name[u'title'], self.mediaController.mediaPlayers, self.icon_path) def about(self): @@ -117,3 +119,29 @@ class MediaPlugin(Plugin): Add html code to htmlbuilder """ return self.mediaController.get_media_display_html() + + def appStartup(self): + """ + Do a couple of things when the app starts up. In this particular case + we want to check if we have the old "Use Phonon" setting, and convert + it to "enable Phonon" and "make it the first one in the list". + """ + settings = QtCore.QSettings() + settings.beginGroup(self.settingsSection) + if settings.contains(u'use phonon'): + log.info(u'Found old Phonon setting') + players = self.mediaController.mediaPlayers.keys() + has_phonon = u'phonon' in players + if settings.value(u'use phonon').toBool() and has_phonon: + log.debug(u'Converting old setting to new setting') + new_players = [] + if players: + new_players = [player for player in players \ + if player != u'phonon'] + new_players.insert(0, u'phonon') + self.mediaController.mediaPlayers[u'phonon'].isActive = True + settings.setValue(u'players', \ + QtCore.QVariant(u','.join(new_players))) + self.settings_tab.load() + settings.remove(u'use phonon') + settings.endGroup() diff --git a/openlp/plugins/presentations/lib/impresscontroller.py b/openlp/plugins/presentations/lib/impresscontroller.py index 36f684ad4..8355da5a8 100644 --- a/openlp/plugins/presentations/lib/impresscontroller.py +++ b/openlp/plugins/presentations/lib/impresscontroller.py @@ -184,7 +184,15 @@ class ImpressController(PresentationController): if not desktop: return docs = desktop.getComponents() + cnt = 0 if docs.hasElements(): + list = docs.createEnumeration() + while list.hasMoreElements(): + doc = list.nextElement() + if doc.getImplementationName() != \ + u'com.sun.star.comp.framework.BackingComp': + cnt = cnt + 1 + if cnt > 0: log.debug(u'OpenOffice not terminated as docs are still open') else: try: diff --git a/openlp/plugins/presentations/lib/presentationcontroller.py b/openlp/plugins/presentations/lib/presentationcontroller.py index a9d384c81..7ff04179f 100644 --- a/openlp/plugins/presentations/lib/presentationcontroller.py +++ b/openlp/plugins/presentations/lib/presentationcontroller.py @@ -378,7 +378,7 @@ class PresentationController(object): self.name = name self.document_class = document_class self.settings_section = self.plugin.settingsSection - self.available = self.check_available() + self.available = None self.temp_folder = os.path.join( AppLocation.get_section_data_path(self.settings_section), name) self.thumbnail_folder = os.path.join( @@ -392,14 +392,19 @@ class PresentationController(object): """ Return whether the controller is currently enabled """ - if self.available: - return QtCore.QSettings().value( - self.settings_section + u'/' + self.name, - QtCore.QVariant(QtCore.Qt.Checked)).toInt()[0] == \ - QtCore.Qt.Checked + if QtCore.QSettings().value( + self.settings_section + u'/' + self.name, + QtCore.QVariant(QtCore.Qt.Checked)).toInt()[0] == \ + QtCore.Qt.Checked: + return self.is_available() else: return False + def is_available(self): + if self.available is None: + self.available = self.check_available() + return self.available + def check_available(self): """ Presentation app is able to run on this machine diff --git a/openlp/plugins/presentations/lib/presentationtab.py b/openlp/plugins/presentations/lib/presentationtab.py index b0c3de7a8..c11f36c20 100644 --- a/openlp/plugins/presentations/lib/presentationtab.py +++ b/openlp/plugins/presentations/lib/presentationtab.py @@ -55,7 +55,6 @@ class PresentationTab(SettingsTab): for key in self.controllers: controller = self.controllers[key] checkbox = QtGui.QCheckBox(self.ControllersGroupBox) - checkbox.setEnabled(controller.available) checkbox.setObjectName(controller.name + u'CheckBox') self.PresenterCheckboxes[controller.name] = checkbox self.ControllersLayout.addWidget(checkbox) @@ -81,17 +80,20 @@ class PresentationTab(SettingsTab): for key in self.controllers: controller = self.controllers[key] checkbox = self.PresenterCheckboxes[controller.name] - if controller.available: - checkbox.setText(controller.name) - else: - checkbox.setText( - unicode(translate('PresentationPlugin.PresentationTab', - '%s (unavailable)')) % controller.name) + self.setControllerText(checkbox, controller) self.AdvancedGroupBox.setTitle(UiStrings().Advanced) self.OverrideAppCheckBox.setText( translate('PresentationPlugin.PresentationTab', 'Allow presentation application to be overriden')) + def setControllerText(self, checkbox, controller): + if checkbox.isEnabled(): + checkbox.setText(controller.name) + else: + checkbox.setText( + unicode(translate('PresentationPlugin.PresentationTab', + '%s (unavailable)')) % controller.name) + def load(self): """ Load the settings. @@ -113,7 +115,7 @@ class PresentationTab(SettingsTab): changed = False for key in self.controllers: controller = self.controllers[key] - if controller.available: + if controller.is_available(): checkbox = self.PresenterCheckboxes[controller.name] setting_key = self.settingsSection + u'/' + controller.name if QtCore.QSettings().value(setting_key) != \ @@ -133,3 +135,13 @@ class PresentationTab(SettingsTab): changed = True if changed: Receiver.send_message(u'mediaitem_presentation_rebuild') + + def tabVisible(self): + """ + Tab has just been made visible to the user + """ + for key in self.controllers: + controller = self.controllers[key] + checkbox = self.PresenterCheckboxes[controller.name] + checkbox.setEnabled(controller.is_available()) + self.setControllerText(checkbox, controller) diff --git a/openlp/plugins/presentations/presentationplugin.py b/openlp/plugins/presentations/presentationplugin.py index 643ad14ad..e35659638 100644 --- a/openlp/plugins/presentations/presentationplugin.py +++ b/openlp/plugins/presentations/presentationplugin.py @@ -57,13 +57,13 @@ class PresentationPlugin(Plugin): self.icon_path = u':/plugins/plugin_presentations.png' self.icon = build_icon(self.icon_path) - def getSettingsTab(self, parent): + def createSettingsTab(self, parent): """ Create the settings Tab """ visible_name = self.getString(StringContent.VisibleName) - return PresentationTab(parent, self.name, visible_name[u'title'], - self.controllers, self.icon_path) + self.settings_tab = PresentationTab(parent, self.name, + visible_name[u'title'], self.controllers, self.icon_path) def initialise(self): """ @@ -94,11 +94,11 @@ class PresentationPlugin(Plugin): controller.kill() Plugin.finalise(self) - def getMediaManagerItem(self): + def createMediaManagerItem(self): """ Create the Media Manager List """ - return PresentationMediaItem( + self.mediaItem = PresentationMediaItem( self.mediadock.media_dock, self, self.icon, self.controllers) def registerControllers(self, controller): diff --git a/openlp/plugins/remotes/lib/httpserver.py b/openlp/plugins/remotes/lib/httpserver.py index acbe103a7..0da445ede 100644 --- a/openlp/plugins/remotes/lib/httpserver.py +++ b/openlp/plugins/remotes/lib/httpserver.py @@ -249,7 +249,7 @@ class HttpConnection(object): (r'^/api/poll$', self.poll), (r'^/api/controller/(live|preview)/(.*)$', self.controller), (r'^/api/service/(.*)$', self.service), - (r'^/api/display/(hide|show)$', self.display), + (r'^/api/display/(hide|show|blank|theme|desktop)$', self.display), (r'^/api/alert$', self.alert), (r'^/api/plugin/(search)$', self.pluginInfo), (r'^/api/(.*)/search$', self.search), @@ -315,7 +315,9 @@ class HttpConnection(object): """ log.debug(u'ready to read socket') if self.socket.canReadLine(): - data = unicode(self.socket.readLine()).encode(u'utf-8') + data = self.socket.readLine() + data = QtCore.QByteArray.fromPercentEncoding(data) + data = unicode(data, 'utf8') log.debug(u'received: ' + data) words = data.split(u' ') response = None @@ -399,7 +401,13 @@ class HttpConnection(object): u'item': self.parent.current_item._uuid \ if self.parent.current_item else u'', u'twelve':QtCore.QSettings().value( - u'remotes/twelve hour', QtCore.QVariant(True)).toBool() + u'remotes/twelve hour', QtCore.QVariant(True)).toBool(), + u'blank': self.parent.plugin.liveController.blankScreen.\ + isChecked(), + u'theme': self.parent.plugin.liveController.themeScreen.\ + isChecked(), + u'display': self.parent.plugin.liveController.desktopScreen.\ + isChecked() } return HttpResponse(json.dumps({u'results': result}), {u'Content-Type': u'application/json'}) @@ -411,8 +419,7 @@ class HttpConnection(object): ``action`` This is the action, either ``hide`` or ``show``. """ - event = u'live_display_%s' % action - Receiver.send_message(event, HideMode.Blank) + Receiver.send_message(u'slidecontroller_toggle_display', action) return HttpResponse(json.dumps({u'results': {u'success': True}}), {u'Content-Type': u'application/json'}) diff --git a/openlp/plugins/songs/forms/editsongform.py b/openlp/plugins/songs/forms/editsongform.py index c1566a639..776c3c88b 100644 --- a/openlp/plugins/songs/forms/editsongform.py +++ b/openlp/plugins/songs/forms/editsongform.py @@ -181,7 +181,7 @@ class EditSongForm(QtGui.QDialog, Ui_EditSongDialog): plugin.status == PluginStatus.Active: self.audioAddFromMediaButton.setVisible(True) self.mediaForm.populateFiles( - plugin.getMediaManagerItem().getList(MediaType.Audio)) + plugin.mediaItem.getList(MediaType.Audio)) break def newSong(self): diff --git a/openlp/plugins/songs/forms/songexportform.py b/openlp/plugins/songs/forms/songexportform.py index 22020a401..20a52c82d 100644 --- a/openlp/plugins/songs/forms/songexportform.py +++ b/openlp/plugins/songs/forms/songexportform.py @@ -252,6 +252,9 @@ class SongExportForm(OpenLPWizard): songs = self.plugin.manager.get_all_objects(Song) songs.sort(cmp=locale.strcoll, key=lambda song: song.title.lower()) for song in songs: + # No need to export temporary songs. + if song.temporary: + continue authors = u', '.join([author.display_name for author in song.authors]) title = u'%s (%s)' % (unicode(song.title), authors) diff --git a/openlp/plugins/songs/forms/songimportform.py b/openlp/plugins/songs/forms/songimportform.py index b79e56f7b..53e70cde6 100644 --- a/openlp/plugins/songs/forms/songimportform.py +++ b/openlp/plugins/songs/forms/songimportform.py @@ -191,32 +191,32 @@ class SongImportForm(OpenLPWizard): QtGui.QSizePolicy.Expanding) self.formatStack = QtGui.QStackedLayout() self.formatStack.setObjectName(u'FormatStack') + # OpenLyrics + self.addFileSelectItem(u'openLyrics', u'OpenLyrics', True) # OpenLP 2.0 self.addFileSelectItem(u'openLP2', single_select=True) # openlp.org 1.x self.addFileSelectItem(u'openLP1', None, True, True) - # OpenLyrics - self.addFileSelectItem(u'openLyrics', u'OpenLyrics', True) - # Open Song - self.addFileSelectItem(u'openSong', u'OpenSong') - # Words of Worship - self.addFileSelectItem(u'wordsOfWorship') - # CCLI File import - self.addFileSelectItem(u'ccli') - # Songs of Fellowship - self.addFileSelectItem(u'songsOfFellowship', None, True) # Generic Document/Presentation import self.addFileSelectItem(u'generic', None, True) - # EasySlides + # CCLI File import + self.addFileSelectItem(u'ccli') + # EasiSlides self.addFileSelectItem(u'easiSlides', single_select=True) # EasyWorship self.addFileSelectItem(u'ew', single_select=True) - # Words of Worship + # Foilpresenter + self.addFileSelectItem(u'foilPresenter') + # Open Song + self.addFileSelectItem(u'openSong', u'OpenSong') + # SongBeamer self.addFileSelectItem(u'songBeamer') # Song Show Plus self.addFileSelectItem(u'songShowPlus') - # Foilpresenter - self.addFileSelectItem(u'foilPresenter') + # Songs of Fellowship + self.addFileSelectItem(u'songsOfFellowship', None, True) + # Words of Worship + self.addFileSelectItem(u'wordsOfWorship') # Commented out for future use. # self.addFileSelectItem(u'csv', u'CSV', single_select=True) self.sourceLayout.addLayout(self.formatStack) @@ -238,30 +238,30 @@ class SongImportForm(OpenLPWizard): self.sourcePage.setTitle(WizardStrings.ImportSelect) self.sourcePage.setSubTitle(WizardStrings.ImportSelectLong) self.formatLabel.setText(WizardStrings.FormatLabel) - self.formatComboBox.setItemText(SongFormat.OpenLP2, UiStrings().OLPV2) - self.formatComboBox.setItemText(SongFormat.OpenLP1, UiStrings().OLPV1) self.formatComboBox.setItemText(SongFormat.OpenLyrics, translate('SongsPlugin.ImportWizardForm', 'OpenLyrics or OpenLP 2.0 Exported Song')) - self.formatComboBox.setItemText(SongFormat.OpenSong, WizardStrings.OS) - self.formatComboBox.setItemText( - SongFormat.WordsOfWorship, WizardStrings.WoW) - self.formatComboBox.setItemText(SongFormat.CCLI, WizardStrings.CCLI) - self.formatComboBox.setItemText( - SongFormat.SongsOfFellowship, WizardStrings.SoF) + self.formatComboBox.setItemText(SongFormat.OpenLP2, UiStrings().OLPV2) + self.formatComboBox.setItemText(SongFormat.OpenLP1, UiStrings().OLPV1) self.formatComboBox.setItemText(SongFormat.Generic, translate('SongsPlugin.ImportWizardForm', 'Generic Document/Presentation')) + self.formatComboBox.setItemText(SongFormat.CCLI, WizardStrings.CCLI) self.formatComboBox.setItemText( SongFormat.EasiSlides, WizardStrings.ES) self.formatComboBox.setItemText( SongFormat.EasyWorship, WizardStrings.EW) + self.formatComboBox.setItemText( + SongFormat.FoilPresenter, WizardStrings.FP) + self.formatComboBox.setItemText(SongFormat.OpenSong, WizardStrings.OS) self.formatComboBox.setItemText( SongFormat.SongBeamer, WizardStrings.SB) self.formatComboBox.setItemText( SongFormat.SongShowPlus, WizardStrings.SSP) self.formatComboBox.setItemText( - SongFormat.FoilPresenter, WizardStrings.FP) + SongFormat.SongsOfFellowship, WizardStrings.SoF) + self.formatComboBox.setItemText( + SongFormat.WordsOfWorship, WizardStrings.WoW) # self.formatComboBox.setItemText(SongFormat.CSV, WizardStrings.CSV) self.openLP2FilenameLabel.setText( translate('SongsPlugin.ImportWizardForm', 'Filename:')) @@ -359,6 +359,8 @@ class SongImportForm(OpenLPWizard): return True elif self.currentPage() == self.sourcePage: source_format = self.formatComboBox.currentIndex() + QtCore.QSettings().setValue(u'songs/last import type', + source_format) if source_format == SongFormat.OpenLP2: if self.openLP2FilenameEdit.text().isEmpty(): critical_error_message_box(UiStrings().NFSs, @@ -657,7 +659,12 @@ class SongImportForm(OpenLPWizard): self.restart() self.finishButton.setVisible(False) self.cancelButton.setVisible(True) - self.formatComboBox.setCurrentIndex(0) + last_import_type = QtCore.QSettings().value( + u'songs/last import type').toInt()[0] + if last_import_type < 0 or \ + last_import_type >= self.formatComboBox.count(): + last_import_type = 0 + self.formatComboBox.setCurrentIndex(last_import_type) self.openLP2FilenameEdit.setText(u'') self.openLP1FilenameEdit.setText(u'') self.openLyricsFileListWidget.clear() diff --git a/openlp/plugins/songs/lib/cclifileimport.py b/openlp/plugins/songs/lib/cclifileimport.py index 624256290..e9b1aa925 100644 --- a/openlp/plugins/songs/lib/cclifileimport.py +++ b/openlp/plugins/songs/lib/cclifileimport.py @@ -75,6 +75,9 @@ class CCLIFileImport(SongImport): details = chardet.detect(detect_content) detect_file.close() infile = codecs.open(filename, u'r', details['encoding']) + if not infile.read(3) == '\xEF\xBB\xBF': + # not UTF or no BOM was found + infile.seek(0) lines = infile.readlines() infile.close() ext = os.path.splitext(filename)[1] diff --git a/openlp/plugins/songs/lib/db.py b/openlp/plugins/songs/lib/db.py index 37ee42451..ce228e5f8 100644 --- a/openlp/plugins/songs/lib/db.py +++ b/openlp/plugins/songs/lib/db.py @@ -199,7 +199,8 @@ def init_schema(url): Column(u'search_lyrics', types.UnicodeText, nullable=False), Column(u'create_date', types.DateTime(), default=func.now()), Column(u'last_modified', types.DateTime(), default=func.now(), - onupdate=func.now()) + onupdate=func.now()), + Column(u'temporary', types.Boolean(), default=False) ) # Definition of the "topics" table diff --git a/openlp/plugins/songs/lib/importer.py b/openlp/plugins/songs/lib/importer.py index d8432f668..c24313be1 100644 --- a/openlp/plugins/songs/lib/importer.py +++ b/openlp/plugins/songs/lib/importer.py @@ -68,19 +68,19 @@ class SongFormat(object): """ _format_availability = {} Unknown = -1 - OpenLP2 = 0 - OpenLP1 = 1 - OpenLyrics = 2 - OpenSong = 3 - WordsOfWorship = 4 - CCLI = 5 - SongsOfFellowship = 6 - Generic = 7 - EasiSlides = 8 - EasyWorship = 9 - SongBeamer = 10 - SongShowPlus = 11 - FoilPresenter = 12 + OpenLyrics = 0 + OpenLP2 = 1 + OpenLP1 = 2 + Generic = 3 + CCLI = 4 + EasiSlides = 5 + EasyWorship = 6 + FoilPresenter = 7 + OpenSong = 8 + SongBeamer = 9 + SongShowPlus = 10 + SongsOfFellowship = 11 + WordsOfWorship = 12 #CSV = 13 @staticmethod @@ -125,19 +125,19 @@ class SongFormat(object): Return a list of the supported song formats. """ return [ + SongFormat.OpenLyrics, SongFormat.OpenLP2, SongFormat.OpenLP1, - SongFormat.OpenLyrics, - SongFormat.OpenSong, - SongFormat.WordsOfWorship, - SongFormat.CCLI, - SongFormat.SongsOfFellowship, SongFormat.Generic, + SongFormat.CCLI, SongFormat.EasiSlides, - SongFormat.EasyWorship, + SongFormat.EasyWorship, + SongFormat.FoilPresenter, + SongFormat.OpenSong, SongFormat.SongBeamer, SongFormat.SongShowPlus, - SongFormat.FoilPresenter + SongFormat.SongsOfFellowship, + SongFormat.WordsOfWorship ] @staticmethod diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index dad95c61b..052fb5b7b 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -270,6 +270,9 @@ class SongMediaItem(MediaManagerItem): searchresults.sort( cmp=locale.strcoll, key=lambda song: song.title.lower()) for song in searchresults: + # Do not display temporary songs + if song.temporary: + continue author_list = [author.display_name for author in song.authors] song_title = unicode(song.title) song_detail = u'%s (%s)' % (song_title, u', '.join(author_list)) @@ -286,6 +289,9 @@ class SongMediaItem(MediaManagerItem): self.listView.clear() for author in searchresults: for song in author.songs: + # Do not display temporary songs + if song.temporary: + continue song_detail = u'%s (%s)' % (author.display_name, song.title) song_name = QtGui.QListWidgetItem(song_detail) song_name.setData(QtCore.Qt.UserRole, QtCore.QVariant(song.id)) @@ -534,6 +540,7 @@ class SongMediaItem(MediaManagerItem): Song.search_title.asc()) editId = 0 add_song = True + temporary = False if search_results: for song in search_results: author_list = item.data_string[u'authors'] @@ -559,13 +566,18 @@ class SongMediaItem(MediaManagerItem): self._updateBackgroundAudio(song, item) editId = song.id self.onSearchTextButtonClick() - else: + elif add_song and not self.addSongFromService: # Make sure we temporary import formatting tags. - self.openLyrics.xml_to_song(item.xml_version, True) + song = self.openLyrics.xml_to_song(item.xml_version, True) + # If there's any backing tracks, copy them over. + if len(item.background_audio) > 0: + self._updateBackgroundAudio(song, item) + editId = song.id + temporary = True # Update service with correct song id. if editId: Receiver.send_message(u'service_item_update', - u'%s:%s' % (editId, item._uuid)) + u'%s:%s:%s' % (editId, item._uuid, temporary)) def search(self, string): """ diff --git a/openlp/plugins/songs/lib/olpimport.py b/openlp/plugins/songs/lib/olpimport.py index d7a735033..7187950b7 100644 --- a/openlp/plugins/songs/lib/olpimport.py +++ b/openlp/plugins/songs/lib/olpimport.py @@ -30,7 +30,7 @@ song databases into the current installation database. """ import logging -from sqlalchemy import create_engine, MetaData +from sqlalchemy import create_engine, MetaData, Table from sqlalchemy.orm import class_mapper, mapper, relation, scoped_session, \ sessionmaker from sqlalchemy.orm.exc import UnmappedClassError @@ -44,41 +44,6 @@ from songimport import SongImport log = logging.getLogger(__name__) -class OldAuthor(BaseModel): - """ - Author model - """ - pass - - -class OldBook(BaseModel): - """ - Book model - """ - pass - - -class OldMediaFile(BaseModel): - """ - MediaFile model - """ - pass - - -class OldSong(BaseModel): - """ - Song model - """ - pass - - -class OldTopic(BaseModel): - """ - Topic model - """ - pass - - class OpenLPSongImport(SongImport): """ The :class:`OpenLPSongImport` class provides OpenLP with the ability to @@ -101,6 +66,41 @@ class OpenLPSongImport(SongImport): """ Run the import for an OpenLP version 2 song database. """ + class OldAuthor(BaseModel): + """ + Author model + """ + pass + + + class OldBook(BaseModel): + """ + Book model + """ + pass + + + class OldMediaFile(BaseModel): + """ + MediaFile model + """ + pass + + + class OldSong(BaseModel): + """ + Song model + """ + pass + + + class OldTopic(BaseModel): + """ + Topic model + """ + pass + + if not self.importSource.endswith(u'.sqlite'): self.logError(self.importSource, translate('SongsPlugin.OpenLPSongImport', @@ -138,13 +138,14 @@ class OpenLPSongImport(SongImport): secondary=source_songs_topics_table) } if has_media_files: - if source_media_files_songs_table is not None: + if isinstance(source_media_files_songs_table, Table): song_props['media_files'] = relation(OldMediaFile, backref='songs', secondary=source_media_files_songs_table) else: song_props['media_files'] = relation(OldMediaFile, backref='songs', + foreign_keys=[source_media_files_table.c.song_id], primaryjoin=source_songs_table.c.id == \ source_media_files_table.c.song_id) try: diff --git a/openlp/plugins/songs/lib/sofimport.py b/openlp/plugins/songs/lib/sofimport.py index 5f310dba0..7bd0a50d6 100644 --- a/openlp/plugins/songs/lib/sofimport.py +++ b/openlp/plugins/songs/lib/sofimport.py @@ -127,7 +127,7 @@ class SofImport(OooImport): self.processParagraphText(text) self.newSong() text = u'' - text += self.process_textportion(textportion) + text += self.processTextPortion(textportion) if textportion.BreakType in (PAGE_AFTER, PAGE_BOTH): self.processParagraphText(text) self.newSong() @@ -202,8 +202,8 @@ class SofImport(OooImport): if boldtext.isdigit() and self.songNumber == '': self.addSongNumber(boldtext) return u'' + text = self.uncapText(text) if self.title == u'': - text = self.uncap_text(text) self.addTitle(text) return text if text.strip().startswith(u'('): @@ -242,8 +242,12 @@ class SofImport(OooImport): self.songBook = u'Songs of Fellowship 2' elif int(song_no) <= 1690: self.songBook = u'Songs of Fellowship 3' - else: + elif int(song_no) <= 2200: self.songBook = u'Songs of Fellowship 4' + elif int(song_no) <= 2710: + self.songBook = u'Songs of Fellowship 5' + else: + self.songBook = u'Songs of Fellowship Other' def addTitle(self, text): """ @@ -341,7 +345,8 @@ class SofImport(OooImport): u'I\'M', u'I\'LL', u'SAVIOUR', u'O', u'YOU\'RE', u'HE', u'HIS', u'HIM', u'ZION', u'EMMANUEL', u'MAJESTY', u'JESUS\'', u'JIREH', u'JUDAH', u'LION', u'LORD\'S', u'ABRAHAM', u'GOD\'S', - u'FATHER\'S', u'ELIJAH'): + u'FATHER\'S', u'ELIJAH' u'MARTHA', u'CHRISTMAS', u'ALPHA', + u'OMEGA'): textarr[i] = textarr[i].capitalize() else: textarr[i] = textarr[i].lower() diff --git a/openlp/plugins/songs/lib/upgrade.py b/openlp/plugins/songs/lib/upgrade.py index f97fdff42..25f90e860 100644 --- a/openlp/plugins/songs/lib/upgrade.py +++ b/openlp/plugins/songs/lib/upgrade.py @@ -33,7 +33,9 @@ from sqlalchemy import Column, Table, types from sqlalchemy.sql.expression import func from migrate.changeset.constraint import ForeignKeyConstraint -__version__ = 2 +from openlp.plugins.songs.lib.db import Song + +__version__ = 3 def upgrade_setup(metadata): """ @@ -86,3 +88,12 @@ def upgrade_2(session, metadata, tables): Column(u'last_modified', types.DateTime(), default=func.now())\ .create(table=tables[u'songs']) +def upgrade_3(session, metadata, tables): + """ + Version 3 upgrade. + + This upgrade adds a temporary song flag to the songs table + """ + Column(u'temporary', types.Boolean(), default=False)\ + .create(table=tables[u'songs']) + diff --git a/openlp/plugins/songs/lib/xml.py b/openlp/plugins/songs/lib/xml.py index aaf82b395..b16db7e94 100644 --- a/openlp/plugins/songs/lib/xml.py +++ b/openlp/plugins/songs/lib/xml.py @@ -346,7 +346,7 @@ class OpenLyrics(object): lines_element.set(u'break', u'optional') return self._extract_xml(song_xml) - def xml_to_song(self, xml, parse_and_not_save=False): + def xml_to_song(self, xml, parse_and_temporary_save=False): """ Create and save a song from OpenLyrics format xml to the database. Since we also export XML from external sources (e. g. OpenLyrics import), we @@ -355,9 +355,9 @@ class OpenLyrics(object): ``xml`` The XML to parse (unicode). - ``parse_and_not_save`` - Switch to skip processing the whole song and to prevent storing the - songs to the database. Defaults to ``False``. + ``parse_and_temporary_save`` + Switch to skip processing the whole song and storing the songs in + the database with a temporary flag. Defaults to ``False``. """ # No xml get out of here. if not xml: @@ -371,14 +371,13 @@ class OpenLyrics(object): return None # Formatting tags are new in OpenLyrics 0.8 if float(song_xml.get(u'version')) > 0.7: - self._process_formatting_tags(song_xml, parse_and_not_save) - if parse_and_not_save: - return + self._process_formatting_tags(song_xml, parse_and_temporary_save) song = Song() # Values will be set when cleaning the song. song.search_lyrics = u'' song.verse_order = u'' song.search_title = u'' + song.temporary = parse_and_temporary_save self._process_copyright(properties, song) self._process_cclinumber(properties, song) self._process_titles(properties, song) diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index a5f194f7b..5402ec1fa 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -74,9 +74,14 @@ class SongsPlugin(Plugin): self.songExportItem.setVisible(True) self.toolsReindexItem.setVisible(True) action_list = ActionList.get_instance() - action_list.add_action(self.songImportItem, UiStrings().Import) - action_list.add_action(self.songExportItem, UiStrings().Export) - action_list.add_action(self.toolsReindexItem, UiStrings().Tools) + action_list.add_action(self.songImportItem, unicode(UiStrings().Import)) + action_list.add_action(self.songExportItem, unicode(UiStrings().Export)) + action_list.add_action(self.toolsReindexItem, + unicode(UiStrings().Tools)) + QtCore.QObject.connect(Receiver.get_receiver(), + QtCore.SIGNAL(u'servicemanager_new_service'), + self.clearTemporarySongs) + def addImportMenuItem(self, import_menu): """ @@ -264,12 +269,23 @@ class SongsPlugin(Plugin): Time to tidy up on exit """ log.info(u'Songs Finalising') + self.clearTemporarySongs() + # Clean up files and connections self.manager.finalise() self.songImportItem.setVisible(False) self.songExportItem.setVisible(False) self.toolsReindexItem.setVisible(False) action_list = ActionList.get_instance() - action_list.remove_action(self.songImportItem, UiStrings().Import) - action_list.remove_action(self.songExportItem, UiStrings().Export) - action_list.remove_action(self.toolsReindexItem, UiStrings().Tools) + action_list.remove_action(self.songImportItem, + unicode(UiStrings().Import)) + action_list.remove_action(self.songExportItem, + unicode(UiStrings().Export)) + action_list.remove_action(self.toolsReindexItem, + unicode(UiStrings().Tools)) Plugin.finalise(self) + + def clearTemporarySongs(self): + # Remove temporary songs + songs = self.manager.get_all_objects(Song, Song.temporary == True) + for song in songs: + self.manager.delete_object(Song, song.id) diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py index d09831052..29c5c4927 100644 --- a/openlp/plugins/songusage/songusageplugin.py +++ b/openlp/plugins/songusage/songusageplugin.py @@ -136,11 +136,11 @@ class SongUsagePlugin(Plugin): self.setButtonState() action_list = ActionList.get_instance() action_list.add_action(self.songUsageStatus, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) action_list.add_action(self.songUsageDelete, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) action_list.add_action(self.songUsageReport, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) self.songUsageDeleteForm = SongUsageDeleteForm(self.manager, self.formparent) self.songUsageDetailForm = SongUsageDetailForm(self, self.formparent) @@ -157,11 +157,11 @@ class SongUsagePlugin(Plugin): self.songUsageMenu.menuAction().setVisible(False) action_list = ActionList.get_instance() action_list.remove_action(self.songUsageStatus, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) action_list.remove_action(self.songUsageDelete, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) action_list.remove_action(self.songUsageReport, - translate('SongUsagePlugin', 'Song Usage')) + unicode(translate('SongUsagePlugin', 'Song Usage'))) self.songUsageActiveButton.hide() # stop any events being processed self.songUsageActive = False diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index 5861778b1..d3b16459d 100644 --- a/resources/i18n/af.ts +++ b/resources/i18n/af.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert W&aarskuwing - + Show an alert message. Vertoon 'n waarskuwing boodskap. - + Alert name singular Waarskuwing - + Alerts name plural Waarskuwings - + Alerts container title Waarskuwings - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Waarskuwing Mini-program</strong><br/>Die waarskuwing mini-program beheer die vertoning van moederskamer inligting op die vertoon skerm. @@ -119,32 +119,32 @@ Gaan steeds voort? AlertsPlugin.AlertsTab - + Font Skrif - + Font name: Skrif naam: - + Font color: Skrif kleur: - + Background color: Agtergrond kleur: - + Font size: Skrif grootte: - + Alert timeout: Waarskuwing verstreke-tyd: @@ -152,24 +152,24 @@ Gaan steeds voort? BiblesPlugin - + &Bible &Bybel - + Bible name singular Bybel - + Bibles name plural Bybels - + Bibles container title Bybels @@ -185,52 +185,52 @@ Gaan steeds voort? Geen passende boek kon in hierdie Bybel gevind word nie. Gaan na dat die naam van die boek korrek gespel is. - + Import a Bible. Voer 'n Bybel in. - + Add a new Bible. Voeg 'n nuwe Bybel by. - + Edit the selected Bible. Redigeer geselekteerde Bybel. - + Delete the selected Bible. Wis die geselekteerde Bybel uit. - + Preview the selected Bible. Voorskou die geselekteerde Bybel. - + Send the selected Bible live. Stuur die geselekteerde Bybel regstreeks. - + Add the selected Bible to the service. Voeg die geselekteerde Bybel by die diens. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bybel Mini-program</strong<br />Die Bybel mini-program verskaf die vermoë om Bybelverse vanaf verskillende bronne te vertoon tydens die diens. - + &Upgrade older Bibles &Opgradeer ouer Bybels - + Upgrade the Bible databases to the latest format. Opgradeer die Bybel databasisse na die nuutste formaat. @@ -393,18 +393,18 @@ Veranderinge affekteer nie verse wat reeds in die diens is nie. BiblesPlugin.CSVBible - + Importing books... %s Boek invoer... %s - + Importing verses from %s... Importing verses from <book name>... Vers invoer vanaf %s... - + Importing verses... done. Vers invoer... voltooi. @@ -734,12 +734,12 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Bepaal enkodering (dit mag 'n paar minuute neem)... - + Importing %s %s... Importing <book name> <chapter>... Invoer %s %s... @@ -1018,12 +1018,12 @@ word en dus is 'n Internet verbinding nodig. &Krediete: - + You need to type in a title. 'n Titel word benodig. - + You need to add at least one slide Ten minste een skyfie moet bygevoeg word @@ -1113,7 +1113,7 @@ word en dus is 'n Internet verbinding nodig. ImagePlugin.ExceptionDialog - + Select Attachment Selekteer Aanhangsel @@ -1184,60 +1184,60 @@ Voeg steeds die ander beelde by? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Mini-program</strong><br/>Die media mini-program verskaf speel funksies van audio en video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Laai nuwe media. - + Add new media. Voeg nuwe media by. - + Edit the selected media. Redigeer di geselekteerde media. - + Delete the selected media. Wis die giselekteerde media uit. - + Preview the selected media. Skou die geselekteerde media. - + Send the selected media live. Stuur die geselekteerde media regstreeks. - + Add the selected media to the service. Voeg die geselekteerde media by die diens. @@ -1245,67 +1245,92 @@ Voeg steeds die ander beelde by? MediaPlugin.MediaItem - + Select Media Selekteer Media - + You must select a media file to delete. 'n Media lêer om uit te wis moet geselekteer word. - + Missing Media File Vermisde Media Lêer - + The file %s no longer exists. Die lêer %s bestaan nie meer nie. - + You must select a media file to replace the background with. 'n Media lêer wat die agtergrond vervang moet gekies word. - + There was a problem replacing your background, the media file "%s" no longer exists. Daar was 'n probleem om die agtergrond te vervang. Die media lêer "%s" bestaan nie meer nie. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Daar was geen vertoon item om by te voeg nie. - - File Too Big - Lêer Te Groot + + Unsupported File + Lêer nie Ondersteun nie - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - Die lêer wat gelaai word is te groot. Maak dit asseblief kleiner sodat dit minder as 50MiB is. + + Automatic + Outomaties + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Media Vertoning + + Available Media Players + - - Use Phonon for video playback - Gebruik Phonon om Video terug te speel + + %s (unavailable) + %s (nie beskikbaar nie) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1316,12 +1341,12 @@ Voeg steeds die ander beelde by? Beeld Lêers - + Information Informasie - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Gedeeltelike kopiereg © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Oeps! OpenLP het 'n probleem ondervind en kon nie daarvanaf herstel nie. Die teks in die boks hieronder bevat inligting wat van hulp kan wees aan die OpenLP ontwikkelaars, so stuur dit asseblief per e-pos na bugs@openlp.org saam met 'n gedetaileerde beskrywing van wat gedoen was toe die probleem plaasgevind het. - + Error Occurred 'n Fout het opgeduik - + Send E-Mail Stuur E-pos - + Save to File Stoor na Lêer - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Voer asseblief 'n beskrywing in van waarmee jy besig was toe de probleem ontstaan het (Mimimum 20 karrakters) - + Attach File Heg 'n Lêer aan - + Description characters to enter : %s Beskrywende karakters om in te voer: %s @@ -1642,24 +1667,24 @@ Gedeeltelike kopiereg © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platvorm: %s - + Save Crash Report Stoor Bots Verslag - + Text files (*.txt *.log *.text) Teks lêers (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2287,7 +2312,7 @@ Om die Eerste Keer Gids in geheel te kanselleer (en OpenLP nie te begin nie), dr OpenLP.MainDisplay - + OpenLP Display OpenLP Vertooning @@ -2295,287 +2320,287 @@ Om die Eerste Keer Gids in geheel te kanselleer (en OpenLP nie te begin nie), dr OpenLP.MainWindow - + &File &Lêer - + &Import &Invoer - + &Export Uitvo&er - + &View &Bekyk - + M&ode M&odus - + &Tools &Gereedskap - + &Settings Ver&stellings - + &Language Taa&l - + &Help &Hulp - + Media Manager Media Bestuurder - + Service Manager Diens Bestuurder - + Theme Manager Tema Bestuurder - + &New &Nuwe - + &Open Maak &Oop - + Open an existing service. Maak 'n bestaande diens oop. - + &Save &Stoor - + Save the current service to disk. Stoor die huidige diens na skyf. - + Save &As... Stoor &As... - + Save Service As Stoor Diens As - + Save the current service under a new name. Stoor die huidige diens onder 'n nuwe naam. - + E&xit &Uitgang - + Quit OpenLP Sluit OpenLP Af - + &Theme &Tema - + &Configure OpenLP... &Konfigureer OpenLP... - + &Media Manager &Media Bestuurder - + Toggle Media Manager Wissel Media Bestuurder - + Toggle the visibility of the media manager. Wissel sigbaarheid van die media bestuurder. - + &Theme Manager &Tema Bestuurder - + Toggle Theme Manager Wissel Tema Bestuurder - + Toggle the visibility of the theme manager. Wissel sigbaarheid van die tema bestuurder. - + &Service Manager &Diens Bestuurder - + Toggle Service Manager Wissel Diens Bestuurder - + Toggle the visibility of the service manager. Wissel sigbaarheid van die diens bestuurder. - + &Preview Panel Voorskou &Paneel - + Toggle Preview Panel Wissel Voorskou Paneel - + Toggle the visibility of the preview panel. Wissel sigbaarheid van die voorskou paneel. - + &Live Panel Regstreekse Panee&l - + Toggle Live Panel Wissel Regstreekse Paneel - + Toggle the visibility of the live panel. Wissel sigbaarheid van die regstreekse paneel. - + &Plugin List Mini-&program Lys - + List the Plugins Lys die Mini-programme - + &User Guide Gebr&uikers Gids - + &About &Aangaande - + More information about OpenLP Meer inligting aangaande OpenLP - + &Online Help &Aanlyn Hulp - + &Web Site &Web Tuiste - + Use the system language, if available. Gebruik die sisteem se taal as dit beskikbaar is. - + Set the interface language to %s Verstel die koppelvlak taal na %s - + Add &Tool... Voeg Gereedskaps&tuk by... - + Add an application to the list of tools. Voeg 'n applikasie by die lys van gereedskapstukke. - + &Default &Verstek - + Set the view mode back to the default. Verstel skou modus terug na verstek modus. - + &Setup Op&stel - + Set the view mode to Setup. Verstel die skou modus na Opstel modus. - + &Live &Regstreeks - + Set the view mode to Live. Verstel die skou modus na Regstreeks. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2584,22 +2609,22 @@ You can download the latest version from http://openlp.org/. Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. - + OpenLP Version Updated OpenLP Weergawe is Opdateer - + OpenLP Main Display Blanked OpenLP Hoof Vertoning Blanko - + The Main Display has been blanked out Die Hoof Skerm is afgeskakel - + Default Theme: %s Verstek Tema: %s @@ -2610,77 +2635,77 @@ Die nuutste weergawe kan afgelaai word vanaf http://openlp.org/. Afrikaans - + Configure &Shortcuts... Konfigureer Kor&tpaaie... - + Close OpenLP Mook OpenLP toe - + Are you sure you want to close OpenLP? Maak OpenLP sekerlik toe? - + Open &Data Folder... Maak &Data Lêer oop... - + Open the folder where songs, bibles and other data resides. Maak die lêer waar liedere, bybels en ander data is, oop. - + &Autodetect Spoor outom&aties op - + Update Theme Images Opdateer Tema Beelde - + Update the preview images for all themes. Opdateer die voorskou beelde vir alle temas. - + Print the current service. Druk die huidige diens. - + L&ock Panels Sl&uit Panele - + Prevent the panels being moved. Voorkom dat die panele rondgeskuif word. - + Re-run First Time Wizard Her-gebruik Eerste Keer Gids - + Re-run the First Time Wizard, importing songs, Bibles and themes. Her-gebruik die Eerste Keer Gids om liedere, Bybels en tema's in te voer. - + Re-run First Time Wizard? Her-gebruik Eerste Keer Gids? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2689,48 +2714,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Her-gebruik van hierdie gids mag veranderinge aan die huidige OpenLP konfigurasie aanbring en kan moontlik liedere byvoeg by die bestaande liedere lys en kan ook die verstek tema verander. - + &Recent Files Onlangse Lêe&rs - + Clear List Clear List of recent files Maak Lys Skoon - + Clear the list of recent files. Maak die lys van onlangse lêers skoon. - + Configure &Formatting Tags... Konfigureer &Formattering Etikette... - + Export OpenLP settings to a specified *.config file Voer OpenLP verstellings uit na 'n spesifieke *.config lêer - + Settings Verstellings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Voer OpenLP verstellings in vanaf 'n gespesifiseerde *.config lêer wat voorheen op hierdie of 'n ander masjien uitgevoer is - + Import settings? Voer verstellings in? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2743,32 +2768,32 @@ Deur verstellings in te voer, sal permanente veranderinge aan die huidige OpenLP As verkeerde verstellings ingevoer word, mag dit onvoorspelbare optrede tot gevolg hê, of OpenLP kan abnormaal termineer. - + Open File Maak Lêer oop - + OpenLP Export Settings Files (*.conf) OpenLP Uitvoer Verstelling Lêers (*.conf) - + Import settings Voer verstellings in - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP sal nou toe maak. Ingevoerde verstellings sal toegepas word die volgende keer as OpenLP begin word. - + Export Settings File Voer Verstellings Lêer Uit - + OpenLP Export Settings File (*.conf) OpenLP Uitvoer Verstellings Lêer (*.conf) @@ -2776,12 +2801,12 @@ As verkeerde verstellings ingevoer word, mag dit onvoorspelbare optrede tot gevo OpenLP.Manager - + Database Error Databasis Fout - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2790,7 +2815,7 @@ Database: %s Databasis: %s - + OpenLP cannot load your database. Database: %s @@ -2802,7 +2827,7 @@ Databasis: %s OpenLP.MediaManagerItem - + No Items Selected Geen item geselekteer nie @@ -2901,17 +2926,17 @@ Suffix not supported Onaktief - + %s (Inactive) %s (Onaktief) - + %s (Active) %s (Aktief) - + %s (Disabled) %s (Onaktief) @@ -3023,12 +3048,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Begin</strong>: %s - + <strong>Length</strong>: %s <strong>Durasie</strong>: %s @@ -3124,29 +3149,29 @@ Suffix not supported &Verander Item Tema - + File is not a valid service. The content encoding is not UTF-8. Lêer is nie 'n geldige diens nie. Die inhoud enkodering is nie UTF-8 nie. - + File is not a valid service. Lêer is nie 'n geldige diens nie. - + Missing Display Handler Vermisde Vertoon Hanteerder - + Your item cannot be displayed as there is no handler to display it Die item kan nie vertoon word nie omdat daar nie 'n hanteerder is om dit te vertoon nie - + Your item cannot be displayed as the plugin required to display it is missing or inactive Die item kan nie vertoon word nie omdat die mini-program wat dit moet vertoon vermis of onaktief is @@ -3176,7 +3201,7 @@ Die inhoud enkodering is nie UTF-8 nie. Maak Lêer oop - + OpenLP Service Files (*.osz) OpenLP Diens Lêers (*.osz) @@ -3231,22 +3256,22 @@ Die inhoud enkodering is nie UTF-8 nie. Die huidige diens was verander. Stoor hierdie diens? - + File could not be opened because it is corrupt. Lêer kon nie oopgemaak word nie omdat dit korrup is. - + Empty File Leë Lêer - + This service file does not contain any data. Die diens lêer het geen data inhoud nie. - + Corrupt File Korrupte Lêer @@ -3286,25 +3311,35 @@ Die inhoud enkodering is nie UTF-8 nie. Kies 'n tema vir die diens. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Die lêer is óf korrup óf is nie 'n OpenLP 2.0 diens lêer nie. - + Slide theme Skyfie tema - + Notes Notas - + Service File Missing Diens Lêer Vermis + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3393,100 +3428,145 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP.SlideController - + Hide Verskuil - + Go To Gaan Na - + Blank Screen Blanko Skerm - + Blank to Theme Blanko na Tema - + Show Desktop Wys Werkskerm - - Previous Slide - Vorige Skyfie - - - - Next Slide - Volgende Skyfie - - - + Previous Service Vorige Diens - + Next Service Volgende Diens - + Escape Item Ontsnap Item - + Move to previous. Skuif terug. - + Move to next. Skuif volgende. - + Play Slides Speel Skyfies - + Delay between slides in seconds. Vertraging tussen skyfies in sekondes. - + Move to live. Skuif na regstreeks. - + Add to Service. Voeg by Diens. - + Edit and reload song preview. Redigeer en herlaai lied voorskou. - + Start playing media. Begin media speel. - + Pause audio. Stop oudio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3559,17 +3639,17 @@ Die inhoud enkodering is nie UTF-8 nie. Begin tyd is na die eind tyd van die media item - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3670,69 +3750,62 @@ Die inhoud enkodering is nie UTF-8 nie. Stel in As &Globale Standaard - + %s (default) %s (standaard) - + You must select a theme to edit. Kies 'n tema om te redigeer. - + You are unable to delete the default theme. Die standaard tema kan nie uitgewis word nie. - + You have not selected a theme. Geen tema is geselekteer nie. - + Save Theme - (%s) Stoor Tema - (%s) - + Theme Exported Tema Uitvoer - + Your theme has been successfully exported. Die tema was suksesvol uitgevoer. - + Theme Export Failed Tema Uitvoer het Misluk - + Your theme could not be exported due to an error. Die tema kon nie uitgevoer word nie weens 'n fout. - + Select Theme Import File Kies Tema Invoer Lêer - - File is not a valid theme. -The content encoding is not UTF-8. - Lêer is nie 'n geldige tema nie. -Die inhoud enkodering is nie UTF-8 nie. - - - + File is not a valid theme. Lêer is nie 'n geldige tema nie. - + Theme %s is used in the %s plugin. Tema %s is in gebruik deur die %s mini-program. @@ -3767,32 +3840,32 @@ Die inhoud enkodering is nie UTF-8 nie. Hernoem %s tema? - + You must select a theme to delete. Kies 'n tema om uit te wis. - + Delete Confirmation Uitwis Bevestiging - + Delete %s theme? Wis %s tema uit? - + Validation Error Validerings Fout - + A theme with this name already exists. 'n Tema met hierdie naam bestaan alreeds. - + OpenLP Themes (*.theme *.otz) OpenLP Temas (*.theme *.otz) @@ -4425,7 +4498,7 @@ Die inhoud enkodering is nie UTF-8 nie. Gereed. - + Starting import... Invoer begin... @@ -4749,12 +4822,12 @@ Die inhoud enkodering is nie UTF-8 nie. Aanbiedinge (%s) - + Missing Presentation Vermisde Aanbieding - + The Presentation %s no longer exists. Die Aanbieding %s bestaan nie meer nie. @@ -4767,17 +4840,17 @@ Die inhoud enkodering is nie UTF-8 nie. PresentationPlugin.PresentationTab - + Available Controllers Beskikbare Beheerders - + Allow presentation application to be overriden Laat toe dat aanbieding program oorheers word - + %s (unavailable) %s (nie beskikbaar nie) @@ -4937,85 +5010,85 @@ Die inhoud enkodering is nie UTF-8 nie. SongUsagePlugin - + &Song Usage Tracking &Volg Lied Gebruik - + &Delete Tracking Data Wis Volg &Data Uit - + Delete song usage data up to a specified date. Wis lied volg data uit tot en met 'n spesifieke datum. - + &Extract Tracking Data Onttr&ek Volg Data - + Generate a report on song usage. Genereer 'n verslag oor lied-gebruik. - + Toggle Tracking Wissel Volging - + Toggle the tracking of song usage. Wissel lied-gebruik volging. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>LiedGebruik Mini-program</strong><br/>Die mini-program volg die gebruik van liedere in dienste. - + SongUsage name singular Lied Gebruik - + SongUsage name plural Lied Gebruik - + SongUsage container title Lied Gebruik - + Song Usage Lied Gebruik - + Song usage tracking is active. Lied gebruik volging is aktief. - + Song usage tracking is inactive. Lied gebruik volging is onaktief. - + display vertoon - + printed gedruk @@ -5113,130 +5186,130 @@ was suksesvol geskep. SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Voer liedere in deur van die invoer helper gebruik te maak. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Liedere Mini-program</strong><br/>Die liedere mini-program verskaf die vermoë om liedere te vertoon en te bestuur. - + &Re-index Songs He&r-indeks Liedere - + Re-index the songs database to improve searching and ordering. Her-indeks die liedere databasis om lied-soektogte en organisering te verbeter. - + Reindexing songs... Besig om liedere indek te herskep... - + Song name singular Lied - + Songs name plural Liedere - + Songs container title Liedere - + Arabic (CP-1256) Arabies (CP-1256) - + Baltic (CP-1257) Balties (CP-1257) - + Central European (CP-1250) Sentraal Europees (CP-1250) - + Cyrillic (CP-1251) Cyrillies (CP-1251) - + Greek (CP-1253) Grieks (CP-1253) - + Hebrew (CP-1255) Hebreeus (CP-1255) - + Japanese (CP-932) Japanees (CP-932) - + Korean (CP-949) Koreaans (CP-949) - + Simplified Chinese (CP-936) Vereenvoudigde Chinees (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Tradisionele Chinees (CP-950) - + Turkish (CP-1254) Turks (CP-1254) - + Vietnam (CP-1258) Viëtnamees (CP-1258) - + Western European (CP-1252) Wes-Europees (CP-1252) - + Character Encoding Karrakter Enkodering - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5246,44 +5319,44 @@ Gewoonlik is die reeds-geselekteerde keuse voldoende. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Kies asseblief die karrakter enkodering. Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. - + Exports songs using the export wizard. Voer liedere uit deur gebruik te maak van die uitvoer gids. - + Add a new song. Voeg 'n nuwe lied by. - + Edit the selected song. Redigeer die geselekteerde lied. - + Delete the selected song. Wis die geselekteerde lied uit. - + Preview the selected song. Skou die geselekteerde lied. - + Send the selected song live. Stuur die geselekteerde lied regstreeks. - + Add the selected song to the service. Voeg die geselekteerde lied by die diens. @@ -5329,7 +5402,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Die lêer het nie 'n geldige verlening nie. @@ -5449,82 +5522,82 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Tema, Kopiereg Informasie && Kommentaar - + Add Author Voeg Skrywer By - + This author does not exist, do you want to add them? Hierdie skrywer bestaan nie, moet die skrywer bygevoeg word? - + This author is already in the list. Hierdie skrywer is alreeds in die lys. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Die geselekteerde skrywer is ongeldig. Kies 'n skrywer vanaf die lys of voer 'n nuwe skrywer in en kliek op die "Voeg Skrywer by Lied" knoppie om die skrywer by te voeg. - + Add Topic Voeg Onderwerp by - + This topic does not exist, do you want to add it? Die onderwerp bestaan nie. Voeg dit by? - + This topic is already in the list. Die onderwerp is reeds in die lys. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Geselekteerde onderwerp is ongeldig. Kies 'n onderwerp vanaf die lys of voer 'n nuwe onderwerp in en kliek die "Voeg Onderwerp by Lied" knoppie om die onderwerp by te voeg. - + You need to type in a song title. Tik 'n lied titel in. - + You need to type in at least one verse. Ten minste een vers moet ingevoer word. - + Warning Waarskuwing - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Die vers orde is ongeldig. Daar is geen vers wat ooreenstem met %s nie. Geldige opsies is %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? In die vers orde is %s nie gebruik nie. Kan die lied so gestoor word? - + Add Book Voeg Boek by - + This song book does not exist, do you want to add it? Die lied boek bestaan nie. Voeg dit by? - + You need to have an author for this song. Daar word 'n outeur benodig vir hierdie lied. @@ -5554,7 +5627,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Verwyder &Alles - + Open File(s) Maak Lêer(s) Oop @@ -5635,7 +5708,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Geen Stoor Ligging gespesifiseer nie - + Starting export... Uitvoer begin... @@ -5650,7 +5723,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.'n Lêer gids moet gespesifiseer word. - + Select Destination Folder Kies Bestemming Lêer gids @@ -5668,7 +5741,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selekteer Dokument/Aanbieding Lêers @@ -5683,7 +5756,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Hierdie gids help met die invoer van liedere in verskillende formate. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies wat gebruik moet word vir invoer. - + Generic Document/Presentation Generiese Dokumentasie/Aanbieding @@ -5713,42 +5786,42 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Die OpenLyrics invoerder is nog nie ontwikkel nie, maar soos gesien kan word is ons van mening om dit te doen. Hopelik sal dit in die volgende vrystelling wees. - + OpenLP 2.0 Databases OpenLP 2.0 Databasisse - + openlp.org v1.x Databases openlp.org v1.x Databasisse - + Words Of Worship Song Files Words Of Worship Lied Lêers - + Songs Of Fellowship Song Files Songs Of Fellowship Lied Lêers - + SongBeamer Files SongBeamer Lêers - + SongShow Plus Song Files SongShow Plus Lied Lêers - + You need to specify at least one document or presentation file to import from. Ten minste een document of aanbieding moet gespesifiseer word om vanaf in te voer. - + Foilpresenter Song Files Foilpresenter Lied Lêers @@ -5773,12 +5846,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Die generiese dokument/aanbieding invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5809,7 +5882,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Lirieke - + CCLI License: CCLI Lisensie: @@ -5819,7 +5892,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Volledige Lied - + Are you sure you want to delete the %n selected song(s)? Wis regtig die %n geselekteerde lied uit? @@ -5832,7 +5905,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Onderhou die lys van skrywers, onderwerpe en boeke. - + copy For song cloning kopieër @@ -5888,12 +5961,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongExportForm - + Your song export failed. Die lied uitvoer het misluk. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Uitvoer voltooi. Om hierdie lêers in te voer, gebruik die <strong>OpenLyrics</strong> invoerder. @@ -5929,7 +6002,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongImportForm - + Your song import failed. Lied invoer het misluk. diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index 6f63fdeda..d01927097 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Upozornění - + Show an alert message. Zobrazí vzkaz upozornění. - + Alert name singular Upozornění - + Alerts name plural Více upozornění - + Alerts container title Upozornění - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -119,32 +119,32 @@ Chcete přesto pokračovat? AlertsPlugin.AlertsTab - + Font Písmo - + Font name: Název písma: - + Font color: Barva písma: - + Background color: Barva pozadí: - + Font size: Velikost písma: - + Alert timeout: Čas vypršení upozornění: @@ -152,24 +152,24 @@ Chcete přesto pokračovat? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Více Biblí - + Bibles container title Bible @@ -185,52 +185,52 @@ Chcete přesto pokračovat? V Bibli nebyla nalezena odpovídající kniha. Prověřte, že název knihy byl zadán správně. - + Import a Bible. Import Bible. - + Add a new Bible. Přidat novou Bibli. - + Edit the selected Bible. Upravit vybranou Bibli. - + Delete the selected Bible. Smazat vybranou Bibli. - + Preview the selected Bible. Náhled vybrané Bible. - + Send the selected Bible live. Zobrazit vybranou Bibli naživo. - + Add the selected Bible to the service. Přidat vybranou Bibli ke službě. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Modul Bible</strong><br />Modul Bible umožňuje během služby zobrazovat verše z různých zdrojů. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. @@ -393,18 +393,18 @@ Verše, které jsou už ve službě, nejsou změnami ovlivněny. BiblesPlugin.CSVBible - + Importing books... %s Importuji knihy... %s - + Importing verses from %s... Importing verses from <book name>... Importuji verše z %s... - + Importing verses... done. Importuji verše... hotovo. @@ -733,12 +733,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Zjištuji kódování (může trvat několik minut)... - + Importing %s %s... Importing <book name> <chapter>... Importuji %s %s... @@ -1010,12 +1010,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Zásluhy: - + You need to type in a title. Je nutno zadat název. - + You need to add at least one slide Je nutno přidat alespoň jeden snímek @@ -1106,7 +1106,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Vybrat přílohu @@ -1177,60 +1177,60 @@ Chcete přidat ostatní obrázky? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Modul média</strong><br />Modul média umožňuje přehrávat audio a video. - + Media name singular Médium - + Media name plural Média - + Media container title Média - + Load new media. - + Add new media. - + Edit the selected media. - + Delete the selected media. - + Preview the selected media. - + Send the selected media live. - + Add the selected media to the service. @@ -1238,67 +1238,92 @@ Chcete přidat ostatní obrázky? MediaPlugin.MediaItem - + Select Media Vybrat médium - + You must select a media file to delete. Ke smazání musíte nejdříve vybrat soubor s médiem. - + You must select a media file to replace the background with. K nahrazení pozadí musíte nejdříve vybrat soubor s médiem. - + There was a problem replacing your background, the media file "%s" no longer exists. Problém s nahrazením pozadí. Soubor s médiem "%s" už neexistuje. - + Missing Media File Chybějící soubory s médii - + The file %s no longer exists. Soubor %s už neexistuje. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - - File Too Big - + + Unsupported File + Nepodporovaný soubor - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automaticky + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Zobrazení médií + + Available Media Players + - - Use Phonon for video playback - Použít Phonon k přehrávání videa + + %s (unavailable) + %s (nedostupný) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1309,12 +1334,12 @@ Chcete přidat ostatní obrázky? Soubory s obrázky - + Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1594,39 +1619,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred Vznikla chyba - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Jejda! V aplikaci OpenLP vznikl problém, ze kterého není možné se zotavit. Text v polícku níže obsahuje informace, které mohou být užitečné pro vývojáře aplikace OpenLP. Zašlete je prosím spolu s podrobným popisem toho, co jste dělal, když problém vzniknul, na adresu bugs@openlp.org. - + Send E-Mail Poslat e-mail - + Save to File Uložit do souboru - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Zadejte prosím popis toho, co jste prováděl, když vznikla tato chyba (Minimálně 20 znaků) - + Attach File Přiložit soubor - + Description characters to enter : %s Znaky popisu pro vložení : %s @@ -1634,24 +1659,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platforma: %s - + Save Crash Report Uložit hlášení o pádu - + Text files (*.txt *.log *.text) Textové soubory (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1682,7 +1707,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2275,7 +2300,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display Zobrazení OpenLP @@ -2283,287 +2308,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Soubor - + &Import &Import - + &Export &Export - + &View &Zobrazit - + M&ode &Režim - + &Tools &Nástroje - + &Settings &Nastavení - + &Language &Jazyk - + &Help &Nápověda - + Media Manager Správce médií - + Service Manager Správce služby - + Theme Manager Správce motivů - + &New &Nový - + &Open &Otevřít - + Open an existing service. Otevřít existující službu. - + &Save &Uložit - + Save the current service to disk. Uložit současnou službu na disk. - + Save &As... Uložit &jako... - + Save Service As Uložit službu jako - + Save the current service under a new name. Uložit současnou službu s novým názvem. - + E&xit U&končit - + Quit OpenLP Ukončit OpenLP - + &Theme &Motiv - + &Configure OpenLP... &Nastavit OpenLP... - + &Media Manager Správce &médií - + Toggle Media Manager Přepnout správce médií - + Toggle the visibility of the media manager. Přepnout viditelnost správce médií. - + &Theme Manager Správce &motivů - + Toggle Theme Manager Přepnout správce motivů - + Toggle the visibility of the theme manager. Přepnout viditelnost správce motivů. - + &Service Manager Správce &služby - + Toggle Service Manager Přepnout správce služby - + Toggle the visibility of the service manager. Přepnout viditelnost správce služby. - + &Preview Panel Panel &náhledu - + Toggle Preview Panel Přepnout panel náhledu - + Toggle the visibility of the preview panel. Přepnout viditelnost panelu náhled. - + &Live Panel Panel na&živo - + Toggle Live Panel Přepnout panel naživo - + Toggle the visibility of the live panel. Přepnout viditelnost panelu naživo. - + &Plugin List Seznam &modulů - + List the Plugins Vypsat moduly - + &User Guide &Uživatelská příručka - + &About &O aplikaci - + More information about OpenLP Více informací o aplikaci OpenLP - + &Online Help &Online nápověda - + &Web Site &Webová stránka - + Use the system language, if available. Použít jazyk systému, pokud je dostupný. - + Set the interface language to %s Jazyk rozhraní nastaven na %s - + Add &Tool... Přidat &nástroj... - + Add an application to the list of tools. Přidat aplikaci do seznamu nástrojů. - + &Default &Výchozí - + Set the view mode back to the default. Nastavit režim zobrazení zpět na výchozí. - + &Setup &Nastavení - + Set the view mode to Setup. Nastavit režim zobrazení na Nastavení. - + &Live &Naživo - + Set the view mode to Live. Nastavit režim zobrazení na Naživo. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2572,22 +2597,22 @@ You can download the latest version from http://openlp.org/. Nejnovější verzi lze stáhnout z http://openlp.org/. - + OpenLP Version Updated Verze OpenLP aktualizována - + OpenLP Main Display Blanked Hlavní zobrazení OpenLP je prázdné - + The Main Display has been blanked out Hlavní zobrazení nastaveno na prázdný snímek - + Default Theme: %s Výchozí motiv: %s @@ -2598,125 +2623,125 @@ Nejnovější verzi lze stáhnout z http://openlp.org/. Angličtina - + Configure &Shortcuts... Nastavuji &zkratky... - + Close OpenLP Zavřít OpenLP - + Are you sure you want to close OpenLP? Chcete opravdu zavřít aplikaci OpenLP? - + Open &Data Folder... Otevřít složku s &daty... - + Open the folder where songs, bibles and other data resides. Otevřít složku, kde se nachází písně, Bible a ostatní data. - + &Autodetect &Automaticky detekovat - + Update Theme Images Aktualizovat obrázky motivu - + Update the preview images for all themes. Aktualizovat náhledy obrázků všech motivů. - + Print the current service. - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings Nastavení - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2725,32 +2750,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File Otevřít soubor - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2758,19 +2783,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2780,7 +2805,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Nevybraná zádná položka @@ -2879,17 +2904,17 @@ Suffix not supported Neaktivní - + %s (Inactive) %s (Neaktivní) - + %s (Active) %s (Aktivní) - + %s (Disabled) %s (Vypnuto) @@ -3001,12 +3026,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3102,34 +3127,34 @@ Suffix not supported &Změnit motiv položky - + OpenLP Service Files (*.osz) Soubory služby OpenLP (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Soubor není platná služba. Obsah souboru není v kódování UTF-8. - + File is not a valid service. Soubor není platná služba. - + Missing Display Handler Chybějící obsluha zobrazení - + Your item cannot be displayed as there is no handler to display it Položku není možno zobrazit, protože chybí obsluha pro její zobrazení - + Your item cannot be displayed as the plugin required to display it is missing or inactive Položku není možno zobrazit, protože modul potřebný pro zobrazení položky chybí nebo je neaktivní @@ -3209,22 +3234,22 @@ Obsah souboru není v kódování UTF-8. Současná služba byla změněna. Přejete si službu uložit? - + File could not be opened because it is corrupt. Soubor se nepodařilo otevřít, protože je poškozený. - + Empty File Prázdný soubor - + This service file does not contain any data. Tento soubor služby neobsahuje žádná data. - + Corrupt File Poškozený soubor @@ -3264,25 +3289,35 @@ Obsah souboru není v kódování UTF-8. Vybrat motiv pro službu. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3371,100 +3406,145 @@ Obsah souboru není v kódování UTF-8. OpenLP.SlideController - + Hide Skrýt - + Go To Přejít na - + Blank Screen Prázdná obrazovka - + Blank to Theme Prázdný motiv - + Show Desktop Zobrazit plochu - - Previous Slide - Předchozí snímek - - - - Next Slide - Následující snímek - - - + Previous Service Předchozí služba - + Next Service Následující služba - + Escape Item Zrušit položku - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3537,17 +3617,17 @@ Obsah souboru není v kódování UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3648,69 +3728,62 @@ Obsah souboru není v kódování UTF-8. Nastavit jako &Globální výchozí - + %s (default) %s (výchozí) - + You must select a theme to edit. Pro úpravy je třeba vybrat motiv. - + You are unable to delete the default theme. Není možno smazat výchozí motiv. - + Theme %s is used in the %s plugin. Motiv %s je používán v modulu %s. - + You have not selected a theme. Není vybrán žádný motiv. - + Save Theme - (%s) Uložit motiv - (%s) - + Theme Exported Motiv exportován - + Your theme has been successfully exported. Motiv byl úspěšně exportován. - + Theme Export Failed Export motivu selhal - + Your theme could not be exported due to an error. Kvůli chybě nebylo možno motiv exportovat. - + Select Theme Import File Vybrat soubor k importu motivu - - File is not a valid theme. -The content encoding is not UTF-8. - Soubor není platný motiv. -Obsah souboru není v kódování UTF-8. - - - + File is not a valid theme. Soubor není platný motiv. @@ -3745,32 +3818,32 @@ Obsah souboru není v kódování UTF-8. Přejmenovat motiv %s? - + You must select a theme to delete. Pro smazání je třeba vybrat motiv. - + Delete Confirmation Potvrzení smazání - + Delete %s theme? Smazat motiv %s? - + Validation Error Chyba ověřování - + A theme with this name already exists. Motiv s tímto názvem již existuje. - + OpenLP Themes (*.theme *.otz) OpenLP motivy (*.theme *.otz) @@ -4403,7 +4476,7 @@ Obsah souboru není v kódování UTF-8. Připraven. - + Starting import... Spouštím import... @@ -4727,12 +4800,12 @@ Obsah souboru není v kódování UTF-8. Prezentace (%s) - + Missing Presentation Chybějící prezentace - + The Presentation %s no longer exists. Prezentace %s už neexistuje. @@ -4745,17 +4818,17 @@ Obsah souboru není v kódování UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Dostupné ovládání - + Allow presentation application to be overriden Povolit překrytí prezentační aplikace - + %s (unavailable) %s (nedostupný) @@ -4915,85 +4988,85 @@ Obsah souboru není v kódování UTF-8. SongUsagePlugin - + &Song Usage Tracking Sledování použití &písní - + &Delete Tracking Data &Smazat data sledování - + Delete song usage data up to a specified date. Smazat data použití písní až ke konkrétnímu kalendářnímu datu. - + &Extract Tracking Data &Rozbalit data sledování - + Generate a report on song usage. Vytvořit hlášení z používání písní. - + Toggle Tracking Přepnout sledování - + Toggle the tracking of song usage. Přepnout sledování použití písní. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Modul používání písní</strong><br />Tento modul sleduje používání písní ve službách. - + SongUsage name singular Používání písně - + SongUsage name plural Používání písní - + SongUsage container title Používání písní - + Song Usage Používání písní - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -5091,112 +5164,112 @@ bylo úspěšně vytvořeno. SongsPlugin - + &Song &Píseň - + Import songs using the import wizard. Import písní průvodcem importu. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Modul písně</strong><br />Modul písně umožňuje zobrazovat a spravovat písně. - + &Re-index Songs &Přeindexovat písně - + Re-index the songs database to improve searching and ordering. Přeindexovat písně v databázi pro vylepšení hledání a řazení. - + Reindexing songs... Přeindexovávám písně... - + Arabic (CP-1256) Arabština (CP-1256) - + Baltic (CP-1257) Baltské jazyky (CP-1257) - + Central European (CP-1250) Středoevropské jazyky (CP-1250) - + Cyrillic (CP-1251) Cyrilice (CP-1251) - + Greek (CP-1253) Řečtina (CP-1253) - + Hebrew (CP-1255) Hebrejština (CP-1255) - + Japanese (CP-932) Japonština (CP-932) - + Korean (CP-949) Korejština (CP-949) - + Simplified Chinese (CP-936) Zjednodušená čínština (CP-936) - + Thai (CP-874) Thajština (CP-874) - + Traditional Chinese (CP-950) Tradiční čínština (CP-950) - + Turkish (CP-1254) Turečtina (CP-1254) - + Vietnam (CP-1258) Vietnamština (CP-1258) - + Western European (CP-1252) Západoevropské jazyky (CP-1252) - + Character Encoding Kódování znaků - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5205,62 +5278,62 @@ za správnou reprezentaci znaků. Předvybraná volba by obvykle měla být správná. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Vyberte prosím kódování znaků. Kódování zodpovídá za správnou reprezentaci znaků. - + Song name singular Píseň - + Songs name plural Písně - + Songs container title Písně - + Exports songs using the export wizard. Exportuje písně průvodcem exportu. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5306,7 +5379,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Soubor nemá platnou příponu. @@ -5424,82 +5497,82 @@ Kódování zodpovídá za správnou reprezentaci znaků. Motiv, autorská práva a komentáře - + Add Author Přidat autora - + This author does not exist, do you want to add them? Tento autor neexistuje. Chcete ho přidat? - + This author is already in the list. Tento autor je už v seznamu. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Není vybrán platný autor. Buďto vyberte autora ze seznamu nebo zadejte nového autora a pro přidání nového autora klepněte na tlačítko "Přidat autora k písni". - + Add Topic Přidat téma - + This topic does not exist, do you want to add it? Toto téma neexistuje. Chcete ho přidat? - + This topic is already in the list. Toto téma je už v seznamu. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Není vybráno platné téma. Buďto vyberte téma ze seznamu nebo zadejte nové téma a pro přidání nového tématu klepněte na tlačítko "Přidat téma k písni". - + You need to type in a song title. Je potřeba zadat název písne. - + You need to type in at least one verse. Je potřeba zadat alespoň jednu sloku. - + Warning Varování - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Pořadí částí písně není platné. Část odpovídající %s neexistuje. Platné položky jsou %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Část %s není použita v pořadí částí písně. Jste si jisti, že chcete píseň takto uložit? - + Add Book Přidat zpěvník - + This song book does not exist, do you want to add it? Tento zpěvník neexistuje. Chcete ho přidat? - + You need to have an author for this song. Pro tuto píseň je potřeba zadat autora. @@ -5529,7 +5602,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. - + Open File(s) @@ -5615,7 +5688,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Není zadáno umístění pro uložení - + Starting export... Spouštím export... @@ -5625,7 +5698,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Je potřeba zadat adresář. - + Select Destination Folder Vybrat cílovou složku @@ -5643,7 +5716,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrat dokumentové/prezentační soubory @@ -5658,7 +5731,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Tento průvodce pomáhá importovat písně z různých formátů. Importování se spustí klepnutím níže na tlačítko další a výběrem formátu, ze kterého se bude importovat. - + Generic Document/Presentation Obecný dokument/prezentace @@ -5688,42 +5761,42 @@ Kódování zodpovídá za správnou reprezentaci znaků. Čekejte prosím, než písně budou importovány. - + OpenLP 2.0 Databases Databáze OpenLP 2.0 - + openlp.org v1.x Databases Databáze openlp.org v1.x - + Words Of Worship Song Files Soubory s písněmi Words of Worship - + You need to specify at least one document or presentation file to import from. Je potřeba zadat alespoň jeden dokument nebo jednu prezentaci, ze které importovat. - + Songs Of Fellowship Song Files Soubory s písněmi Songs Of Fellowship - + SongBeamer Files SongBeamer soubory - + SongShow Plus Song Files Soubory s písněmi SongShow Plus - + Foilpresenter Song Files Soubory s písněmi Foilpresenter @@ -5748,12 +5821,12 @@ Kódování zodpovídá za správnou reprezentaci znaků. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5784,7 +5857,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Text písně - + CCLI License: CCLI Licence: @@ -5794,7 +5867,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Celá píseň - + Are you sure you want to delete the %n selected song(s)? Jste si jisti, že chcete smazat %n vybranou píseň? @@ -5808,7 +5881,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Spravovat seznamy autorů, témat a zpěvníků. - + copy For song cloning @@ -5864,12 +5937,12 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.SongExportForm - + Your song export failed. Export písně selhal. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5905,7 +5978,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.SongImportForm - + Your song import failed. Import písně selhal. diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index 93ea8ce5a..fbbad976b 100644 --- a/resources/i18n/de.ts +++ b/resources/i18n/de.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Hinweis - + Show an alert message. Hinweis anzeigen. - + Alert name singular Hinweis - + Alerts name plural Hinweise - + Alerts container title Hinweise - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Hinweis Erweiterung</strong><br />Die Erweiterung Hinweis ermöglicht es, Texte auf der Anzeige einzublenden. @@ -119,32 +119,32 @@ Möchten Sie trotzdem fortfahren? AlertsPlugin.AlertsTab - + Font Schrift - + Alert timeout: Anzeigedauer: - + Font name: Schriftart: - + Font color: Schriftfarbe: - + Background color: Hintergrundfarbe: - + Font size: Schriftgröße: @@ -152,24 +152,24 @@ Möchten Sie trotzdem fortfahren? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibeltext - + Bibles name plural Bibeln - + Bibles container title Bibeln @@ -185,52 +185,52 @@ Möchten Sie trotzdem fortfahren? Es konnte kein passendes Buch gefunden werden. Überprüfen Sie bitte die Schreibweise. - + Import a Bible. Neue Bibel importieren. - + Add a new Bible. Füge eine neue Bibel hinzu. - + Edit the selected Bible. Bearbeite die ausgewählte Bibel. - + Delete the selected Bible. Lösche die ausgewählte Bibel. - + Preview the selected Bible. Zeige die ausgewählte Bibelverse in der Vorschau. - + Send the selected Bible live. Zeige die ausgewählte Bibelverse Live. - + Add the selected Bible to the service. Füge die ausgewählten Bibelverse zum Ablauf hinzu. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibel Erweiterung</strong><br />Die Bibel Erweiterung ermöglicht es Bibelverse aus verschiedenen Quellen anzuzeigen. - + &Upgrade older Bibles &Upgrade alte Bibeln - + Upgrade the Bible databases to the latest format. Stelle die Bibeln auf das aktuelle Datenbankformat um. @@ -393,18 +393,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s Importiere Bücher... %s - + Importing verses from %s... Importing verses from <book name>... Importiere Verse von %s... - + Importing verses... done. Importiere Verse... Fertig. @@ -735,12 +735,12 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Kodierung wird ermittelt (dies kann etwas dauern)... - + Importing %s %s... Importing <book name> <chapter>... %s %s wird importiert... @@ -1018,12 +1018,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen Füge einen Folienumbruch ein. - + You need to type in a title. Bitte geben Sie einen Titel ein. - + You need to add at least one slide Es muss mindestens eine Folie erstellt werden. @@ -1113,7 +1113,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen ImagePlugin.ExceptionDialog - + Select Attachment Anhang auswählen @@ -1184,60 +1184,60 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Erweiterung Medien</strong><br />Die Erweiterung Medien ermöglicht es Audio- und Videodateien abzuspielen. - + Media name singular Medien - + Media name plural Medien - + Media container title Medien - + Load new media. Lade eine neue Audio-/Videodatei. - + Add new media. Füge eine neue Audio-/Videodatei hinzu. - + Edit the selected media. Bearbeite die ausgewählte Audio-/Videodatei. - + Delete the selected media. Lösche die ausgewählte Audio-/Videodatei. - + Preview the selected media. Zeige die ausgewählte Audio-/Videodatei in der Vorschau. - + Send the selected media live. Zeige die ausgewählte Audio-/Videodatei Live. - + Add the selected media to the service. Füge die ausgewählte Audio-/Videodatei zum Ablauf hinzu. @@ -1245,67 +1245,92 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin.MediaItem - + Select Media Audio-/Videodatei auswählen - + You must select a media file to delete. Die Audio-/Videodatei, die entfernt werden soll, muss ausgewählt sein. - + Missing Media File Fehlende Audio-/Videodatei - + The file %s no longer exists. Die Audio-/Videodatei »%s« existiert nicht mehr. - + You must select a media file to replace the background with. Das Video, das Sie als Hintergrund setzen möchten, muss ausgewählt sein. - + There was a problem replacing your background, the media file "%s" no longer exists. Da auf die Mediendatei »%s« nicht mehr zugegriffen werden kann, konnte sie nicht als Hintergrund gesetzt werden. - + Videos (%s);;Audio (%s);;%s (*) Video (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Es waren keine Änderungen nötig. - - File Too Big - Diese Datei ist zu groß + + Unsupported File + Nicht unterstütztes Dateiformat - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - Die ausgewählte Datei ist zu groß. Die maximale Dateigröße ist 50 MiB. + + Automatic + Automatisch + + + + Use Player: + Nutze Player: MediaPlugin.MediaTab - - Media Display - Medienanzeige + + Available Media Players + Verfügbare Medien Player - - Use Phonon for video playback - Videos über Phonon abspielen + + %s (unavailable) + %s (nicht verfügbar) + + + + Player Order + Player Reihenfolge + + + + Down + Runter + + + + Up + Hoch + + + + Allow media player to be overriden + Medien Player kann ersetzt werden @@ -1316,12 +1341,12 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Bilddateien - + Information Hinweis - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1607,40 +1632,40 @@ der Medienverwaltung angklickt werden OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Ups! OpenLP hat ein Problem und kann es nicht beheben. Der Text im unteren Fenster enthält Informationen, welche möglicherweise hilfreich für die OpenLP Entwickler sind. Bitte senden Sie eine E-Mail an: bugs@openlp.org mit einer ausführlichen Beschreibung was Sie taten als das Problem auftrat. - + Error Occurred Fehler aufgetreten - + Send E-Mail E-Mail senden - + Save to File In Datei speichern - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Bitte geben Sie ein Beschreibung ein, was Sie gemacht haben, als dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch. - + Attach File Datei einhängen - + Description characters to enter : %s Mindestens noch %s Zeichen eingeben @@ -1648,24 +1673,24 @@ dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch. OpenLP.ExceptionForm - + Platform: %s Plattform: %s - + Save Crash Report Fehlerprotokoll speichern - + Text files (*.txt *.log *.text) Textdateien (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1696,7 +1721,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2293,7 +2318,7 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.MainDisplay - + OpenLP Display OpenLP-Anzeige @@ -2301,307 +2326,307 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.MainWindow - + &File &Datei - + &Import &Importieren - + &Export &Exportieren - + &View &Ansicht - + M&ode An&sichtsmodus - + &Tools E&xtras - + &Settings &Einstellungen - + &Language &Sprache - + &Help &Hilfe - + Media Manager Medienverwaltung - + Service Manager Ablaufverwaltung - + Theme Manager Designverwaltung - + &New &Neu - + &Open Ö&ffnen - + Open an existing service. Einen vorhandenen Ablauf öffnen. - + &Save &Speichern - + Save the current service to disk. Den aktuellen Ablauf speichern. - + Save &As... Speichern &unter... - + Save Service As Den aktuellen Ablauf unter einem neuen Namen speichern - + Save the current service under a new name. Den aktuellen Ablauf unter einem neuen Namen speichern. - + E&xit &Beenden - + Quit OpenLP OpenLP beenden - + &Theme &Design - + &Configure OpenLP... &Einstellungen... - + &Media Manager &Medienverwaltung - + Toggle Media Manager Die Medienverwaltung ein- bzw. ausblenden - + Toggle the visibility of the media manager. Die Medienverwaltung ein- bzw. ausblenden. - + &Theme Manager &Designverwaltung - + Toggle Theme Manager Die Designverwaltung ein- bzw. ausblenden - + Toggle the visibility of the theme manager. Die Designverwaltung ein- bzw. ausblenden. - + &Service Manager &Ablaufverwaltung - + Toggle Service Manager Die Ablaufverwaltung ein- bzw. ausblenden - + Toggle the visibility of the service manager. Die Ablaufverwaltung ein- bzw. ausblenden. - + &Preview Panel &Vorschau-Ansicht - + Toggle Preview Panel Die Vorschau ein- bzw. ausblenden - + Toggle the visibility of the preview panel. Die Vorschau ein- bzw. ausschalten. - + &Live Panel &Live-Ansicht - + Toggle Live Panel Die Live Ansicht ein- bzw. ausschalten - + Toggle the visibility of the live panel. Die Live Ansicht ein- bzw. ausschalten. - + &Plugin List Er&weiterungen... - + List the Plugins Erweiterungen verwalten - + &User Guide Benutzer&handbuch - + &About &Info über OpenLP - + More information about OpenLP Mehr Informationen über OpenLP - + &Online Help &Online Hilfe - + &Web Site &Webseite - + Use the system language, if available. Die Systemsprache, sofern diese verfügbar ist, verwenden. - + Set the interface language to %s Die Sprache von OpenLP auf %s stellen - + Add &Tool... Hilfsprogramm hin&zufügen... - + Add an application to the list of tools. Eine Anwendung zur Liste der Hilfsprogramme hinzufügen. - + &Default &Standard - + Set the view mode back to the default. Den Ansichtsmodus auf Standardeinstellung setzen. - + &Setup &Einrichten - + Set the view mode to Setup. Die Ansicht für die Ablauferstellung optimieren. - + &Live &Live - + Set the view mode to Live. Die Ansicht für den Live-Betrieb optimieren. - + OpenLP Version Updated Neue OpenLP Version verfügbar - + OpenLP Main Display Blanked Hauptbildschirm abgedunkelt - + The Main Display has been blanked out Die Projektion ist momentan nicht aktiv. - + Default Theme: %s Standarddesign: %s - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2616,77 +2641,77 @@ Sie können die letzte Version auf http://openlp.org abrufen. Deutsch - + Configure &Shortcuts... Konfiguriere &Tastenkürzel... - + Close OpenLP OpenLP beenden - + Are you sure you want to close OpenLP? Sind Sie sicher, dass OpenLP beendet werden soll? - + Open &Data Folder... Öffne &Datenverzeichnis... - + Open the folder where songs, bibles and other data resides. Öffne das Verzeichnis, wo Lieder, Bibeln und andere Daten gespeichert sind. - + &Autodetect &Automatisch - + Update Theme Images Aktualisiere Design Bilder - + Update the preview images for all themes. Aktualisiert die Vorschaubilder aller Designs. - + Print the current service. Drucke den aktuellen Ablauf. - + L&ock Panels &Sperre Leisten - + Prevent the panels being moved. Unterbindet das Bewegen der Leisten. - + Re-run First Time Wizard Einrichtungsassistent starten - + Re-run the First Time Wizard, importing songs, Bibles and themes. Einrichtungsassistent erneut starten um Beispiel-Lieder, Bibeln und Designs zu importieren. - + Re-run First Time Wizard? Einrichtungsassistent starten? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2695,38 +2720,38 @@ Re-running this wizard may make changes to your current OpenLP configuration and Der Einrichtungsassistent kann einige Einstellungen verändern und ggf. neue Lieder, Bibeln und Designs zu den bereits vorhandenen hinzufügen. - + &Recent Files &Zuletzte geöffnete Abläufe - + Clear List Clear List of recent files Leeren - + Clear the list of recent files. Leert die Liste der zuletzte geöffnete Abläufe. - + Configure &Formatting Tags... Konfiguriere &Formatvorlagen... - + Settings Einstellungen - + Import settings? Importiere Einstellungen? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2739,42 +2764,42 @@ Der Import wird dauerhafte Veränderungen an Ihrer OpenLP Konfiguration machen. Falsche Einstellungen können fehlerhaftes Verhalten von OpenLP verursachen. - + Open File Öffne Datei - + OpenLP Export Settings Files (*.conf) OpenLP Einstellungsdatei (*.conf) - + Import settings Importiere Einstellungen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP wird nun geschlossen. Importierte Einstellungen werden bei dem nächsten Start übernommen. - + Export Settings File Exportiere Einstellungsdatei - + OpenLP Export Settings File (*.conf) OpenLP Einstellungsdatei (*.conf) - + Export OpenLP settings to a specified *.config file Exportiere OpenLPs Einstellungen in ein *.config-Datei. - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Importiere OpenLPs Einstellungen aus ein *.config-Datei, die vorher an diesem oder einem anderen Computer exportiert wurde. @@ -2782,12 +2807,12 @@ Falsche Einstellungen können fehlerhaftes Verhalten von OpenLP verursachen. OpenLP.Manager - + Database Error Datenbankfehler - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2796,7 +2821,7 @@ Database: %s Datenbank: %s - + OpenLP cannot load your database. Database: %s @@ -2808,7 +2833,7 @@ Datenbank: %s OpenLP.MediaManagerItem - + No Items Selected Keine Elemente ausgewählt. @@ -2908,17 +2933,17 @@ Dateiendung nicht unterstützt. inaktiv - + %s (Inactive) %s (inaktiv) - + %s (Active) %s (aktiv) - + %s (Disabled) %s (deaktiviert) @@ -3030,12 +3055,12 @@ Dateiendung nicht unterstützt. OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Anfang</strong>: %s - + <strong>Length</strong>: %s <strong>Spiellänge</strong>: %s @@ -3131,29 +3156,29 @@ Dateiendung nicht unterstützt. &Design des Elements ändern - + File is not a valid service. The content encoding is not UTF-8. Die gewählte Datei ist keine gültige OpenLP Ablaufdatei. Der Inhalt ist nicht in UTF-8 kodiert. - + File is not a valid service. Die Datei ist keine gültige OpenLP Ablaufdatei. - + Missing Display Handler Fehlende Anzeigesteuerung - + Your item cannot be displayed as there is no handler to display it Dieses Element kann nicht angezeigt werden, da es keine Steuerung dafür gibt. - + Your item cannot be displayed as the plugin required to display it is missing or inactive Dieses Element kann nicht angezeigt werden, da die zugehörige Erweiterung fehlt oder inaktiv ist. @@ -3183,7 +3208,7 @@ Der Inhalt ist nicht in UTF-8 kodiert. Ablauf öffnen - + OpenLP Service Files (*.osz) OpenLP Ablaufdateien (*.osz) @@ -3238,22 +3263,22 @@ Der Inhalt ist nicht in UTF-8 kodiert. &Live - + File could not be opened because it is corrupt. Datei konnte nicht geöffnet werden, da sie fehlerhaft ist. - + Empty File Leere Datei - + This service file does not contain any data. Diese Datei enthält keine Daten. - + Corrupt File Dehlerhaft Datei @@ -3293,25 +3318,35 @@ Der Inhalt ist nicht in UTF-8 kodiert. Design für den Ablauf auswählen. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Entweder ist die Datei fehlerhaft oder sie ist keine OpenLP 2.0 Ablauf-Datei. - + Slide theme Element-Design - + Notes Notizen - + Service File Missing Ablaufdatei fehlt + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3400,100 +3435,145 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.SlideController - + Hide Verbergen - + Go To Gehe zu - + Blank Screen Anzeige abdunkeln - + Blank to Theme Design leeren - + Show Desktop Desktop anzeigen - - Previous Slide - Vorherige Folie - - - - Next Slide - Nächste Folie - - - + Previous Service Vorheriges Element - + Next Service Nächstes Element - + Escape Item Folie schließen - + Move to previous. Vorherige Folie anzeigen. - + Move to next. Vorherige Folie anzeigen. - + Play Slides Schleife - + Delay between slides in seconds. Pause zwischen den Folien in Sekunden. - + Move to live. Zur Live Ansicht verschieben. - + Add to Service. Füge zum Ablauf hinzu. - + Edit and reload song preview. Bearbeiten und Vorschau aktualisieren. - - Start playing media. - Abspielen. - - - + Pause audio. Pausiere Musik. + + + Go to "Verse" + Gehe zu »Strophe« + + + + Go to "Chorus" + Gehe zu »Refrain« + + + + Go to "Bridge" + Gehe zu »Bridge« + + + + Go to "Pre-Chorus" + Gehe zu »Überleitung« + + + + Go to "Intro" + Gehe zu »Einleitung« + + + + Go to "Ending" + Gehe zu »Ende« + + + + Go to "Other" + Gehe zu »Anderes« + + + + Video position. + Videoposition + + + + Audio Volume. + Lautstärke + + + + Start playing media. + + + + + Pause playing media. + + + + + Stop playing media. + + OpenLP.SpellTextEdit @@ -3566,17 +3646,17 @@ Der Inhalt ist nicht in UTF-8 kodiert. Die Startzeit ist nach der Endzeit gesetzt - + Theme Layout Design-Layout - + The blue box shows the main area. Der blaue Rahmen zeigt die Hauptanzeigefläche. - + The red box shows the footer. Der rote Rahmen zeigt die Fußzeile. @@ -3652,69 +3732,62 @@ Der Inhalt ist nicht in UTF-8 kodiert. Als &globalen Standard setzen - + %s (default) %s (Standard) - + You must select a theme to edit. Zum Bearbeiten muss ein Design ausgewählt sein. - + You are unable to delete the default theme. Es ist nicht möglich das Standarddesign zu entfernen. - + You have not selected a theme. Es ist kein Design ausgewählt. - + Save Theme - (%s) Speicherort für »%s« - + Theme Exported Design exportiert - + Your theme has been successfully exported. Das Design wurde erfolgreich exportiert. - + Theme Export Failed Designexport fehlgeschlagen - + Your theme could not be exported due to an error. Dieses Design konnte aufgrund eines Fehlers nicht exportiert werden. - + Select Theme Import File OpenLP Designdatei importieren - - File is not a valid theme. -The content encoding is not UTF-8. - Die Datei ist keine gültige OpenLP Designdatei. -Sie ist nicht in UTF-8 kodiert. - - - + File is not a valid theme. Diese Datei ist keine gültige OpenLP Designdatei. - + Theme %s is used in the %s plugin. Das Design »%s« wird in der »%s« Erweiterung benutzt. @@ -3749,27 +3822,27 @@ Sie ist nicht in UTF-8 kodiert. Soll das Design »%s« wirklich umbenennt werden? - + You must select a theme to delete. Es ist kein Design zum Löschen ausgewählt. - + Delete Confirmation Löschbestätigung - + Delete %s theme? Soll das Design »%s« wirklich gelöscht werden? - + Validation Error Validierungsfehler - + A theme with this name already exists. Ein Design mit diesem Namen existiert bereits. @@ -3799,7 +3872,7 @@ Sie ist nicht in UTF-8 kodiert. Exportiere Design - + OpenLP Themes (*.theme *.otz) OpenLP Designs (*.theme *.otz) @@ -4070,7 +4143,7 @@ Sie ist nicht in UTF-8 kodiert. Justify - Zentriert + bündig @@ -4432,7 +4505,7 @@ Sie ist nicht in UTF-8 kodiert. Fertig. - + Starting import... Beginne Import... @@ -4756,12 +4829,12 @@ Sie ist nicht in UTF-8 kodiert. Präsentationen (%s) - + Missing Presentation Fehlende Präsentation - + The Presentation %s no longer exists. Die Präsentation »%s« existiert nicht mehr. @@ -4774,17 +4847,17 @@ Sie ist nicht in UTF-8 kodiert. PresentationPlugin.PresentationTab - + Available Controllers Verwendete Präsentationsprogramme - + Allow presentation application to be overriden Präsentationsprogramm kann ersetzt werden - + %s (unavailable) %s (nicht verfügbar) @@ -4944,85 +5017,85 @@ Sie ist nicht in UTF-8 kodiert. SongUsagePlugin - + &Song Usage Tracking &Protokollierung - + &Delete Tracking Data &Protokoll löschen - + Delete song usage data up to a specified date. Das Protokoll ab einem bestimmten Datum löschen. - + &Extract Tracking Data &Protokoll extrahieren - + Generate a report on song usage. Einen Protokoll-Bericht erstellen. - + Toggle Tracking Aktiviere Protokollierung - + Toggle the tracking of song usage. Setzt die Protokollierung aus. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Erweiterung Liedprotokollierung</strong><br />Diese Erweiterung zählt die Verwendung von Liedern in Veranstaltungen. - + SongUsage name singular Liedprotokollierung - + SongUsage name plural Liedprotokollierung - + SongUsage container title Liedprotokollierung - + Song Usage Liedprotokollierung - + Song usage tracking is active. Liedprotokollierung ist aktiv. - + Song usage tracking is inactive. Liedprotokollierung ist nicht aktiv. - + display Bildschirm - + printed gedruckt @@ -5120,137 +5193,137 @@ wurde erfolgreich erstellt. SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Lieder importieren. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Erweiterung Lieder</strong><br />Die Erweiterung Lieder ermöglicht die Darstellung und Verwaltung von Liedtexten. - + &Re-index Songs Liederverzeichnis &reindizieren - + Re-index the songs database to improve searching and ordering. Das reindizieren der Liederdatenbank kann die Suchergebnisse verbessern. - + Reindexing songs... Reindiziere die Liederdatenbank... - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Lieder - + Arabic (CP-1256) Arabisch (CP-1256) - + Baltic (CP-1257) Baltisch (CP-1257) - + Central European (CP-1250) Zentraleuropäisch (CP-1250) - + Cyrillic (CP-1251) Kyrillisch (CP-1251) - + Greek (CP-1253) Griechisch (CP-1253) - + Hebrew (CP-1255) Hebräisch (CP-1255) - + Japanese (CP-932) Japanisch (CP-932) - + Korean (CP-949) Koreanisch (CP-949) - + Simplified Chinese (CP-936) Chinesisch, vereinfacht (CP-936) - + Thai (CP-874) Thailändisch (CP-874) - + Traditional Chinese (CP-950) Chinesisch, traditionell (CP-950) - + Turkish (CP-1254) Türkisch (CP-1254) - + Vietnam (CP-1258) Vietnamesisch (CP-1258) - + Western European (CP-1252) Westeuropäisch (CP-1252) - + Character Encoding Zeichenkodierung - + Please choose the character encoding. The encoding is responsible for the correct character representation. Bitte wählen sie die Zeichenkodierung. Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich. - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5260,37 +5333,37 @@ Gewöhnlich ist die vorausgewählte Einstellung korrekt. - + Exports songs using the export wizard. Exportiert Lieder mit dem Exportassistenten. - + Add a new song. Erstelle eine neues Lied. - + Edit the selected song. Bearbeite das ausgewählte Lied. - + Delete the selected song. Lösche das ausgewählte Lied. - + Preview the selected song. Zeige das ausgewählte Lied in der Vorschau. - + Send the selected song live. Zeige das ausgewählte Lied Live. - + Add the selected song to the service. Füge das ausgewählte Lied zum Ablauf hinzu. @@ -5336,7 +5409,7 @@ Einstellung korrekt. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Die Datei hat keine gültige Dateiendung. @@ -5426,67 +5499,67 @@ Easy Worship] Design, Copyright && Kommentare - + Add Author Autor hinzufügen - + This author does not exist, do you want to add them? Dieser Autor existiert nicht. Soll er zur Datenbank hinzugefügt werden? - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Es wurde kein gültiger Autor ausgewählt. Bitte wählen Sie einen Autor aus der Liste oder geben Sie einen neuen Autor ein und drücken die Schaltfläche »Autor hinzufügen«. - + Add Topic Thema hinzufügen - + This topic does not exist, do you want to add it? Dieses Thema existiert nicht. Soll es zur Datenbank hinzugefügt werden? - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Es wurde kein gültiges Thema ausgewählt. Bitte wählen Sie ein Thema aus der Liste oder geben Sie ein neues Thema ein und drücken die Schaltfläche »Thema hinzufügen«. - + Add Book Liederbuch hinzufügen - + This song book does not exist, do you want to add it? Dieses Liederbuch existiert nicht. Soll es zur Datenbank hinzugefügt werden? - + You need to type in a song title. Ein Liedtitel muss angegeben sein. - + You need to type in at least one verse. Mindestens ein Vers muss angegeben sein. - + Warning Warnung - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Die Versfolge ist ungültig. Es gibt keinen Vers mit der Kennung »%s«. Gültige Werte sind »%s«. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? »%s« wurde nirgends in der Versfolge verwendet. Wollen Sie das Lied trotzdem so abspeichern? @@ -5511,12 +5584,12 @@ Easy Worship] Autoren, Themen && Liederbücher - + This author is already in the list. Dieser Autor ist bereits vorhanden. - + This topic is already in the list. Dieses Thema ist bereits vorhanden. @@ -5531,7 +5604,7 @@ Easy Worship] Nummer: - + You need to have an author for this song. Das Lied benötigt mindestens einen Autor. @@ -5561,7 +5634,7 @@ Easy Worship] &Alle Entfernen - + Open File(s) Datei(en) öffnen @@ -5642,7 +5715,7 @@ Easy Worship] Kein Zielverzeichnis angegeben - + Starting export... Beginne mit dem Export... @@ -5657,7 +5730,7 @@ Easy Worship] Sie müssen ein Verzeichnis angeben. - + Select Destination Folder Zielverzeichnis wählen @@ -5705,12 +5778,12 @@ Easy Worship] Die Liedtexte werden importiert. Bitte warten. - + Select Document/Presentation Files Präsentationen/Textdokumente auswählen - + Generic Document/Presentation Präsentation/Textdokument @@ -5720,42 +5793,42 @@ Easy Worship] Leider können noch keine OpenLyric Lieder importiert werden, aber vielleicht klappts ja in der nächsten Version. - + OpenLP 2.0 Databases »OpenLP 2.0« Lieddatenbanken - + openlp.org v1.x Databases »openlp.org 1.x« Lieddatenbanken - + Words Of Worship Song Files »Words of Worship« Lieddateien - + Songs Of Fellowship Song Files Songs Of Fellowship Song Dateien - + SongBeamer Files SongBeamer Dateien - + SongShow Plus Song Files SongShow Plus Song Dateien - + You need to specify at least one document or presentation file to import from. Sie müssen wenigstens ein Dokument oder Präsentationsdatei auswählen, die importiert werden soll. - + Foilpresenter Song Files Foilpresenter Lied-Dateien @@ -5780,12 +5853,12 @@ Easy Worship] Der Präsentation/Textdokument importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics oder OpenLP 2.0 exportiere Lieder - + OpenLyrics Files »OpenLyrics« Datei @@ -5816,7 +5889,7 @@ Easy Worship] Liedtext - + CCLI License: CCLI-Lizenz: @@ -5826,7 +5899,7 @@ Easy Worship] Ganzes Lied - + Are you sure you want to delete the %n selected song(s)? Sind Sie sicher, dass das %n Lied gelöscht werden soll? @@ -5839,7 +5912,7 @@ Easy Worship] Autoren, Themen und Bücher verwalten. - + copy For song cloning Kopie @@ -5895,12 +5968,12 @@ Easy Worship] SongsPlugin.SongExportForm - + Your song export failed. Der Liedexport schlug fehl. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Export beendet. Diese Dateien können mit dem <strong>OpenLyrics</strong> Importer wieder importiert werden. @@ -5936,7 +6009,7 @@ Easy Worship] SongsPlugin.SongImportForm - + Your song import failed. Importvorgang fehlgeschlagen. diff --git a/resources/i18n/el.ts b/resources/i18n/el.ts new file mode 100644 index 000000000..42a55f53b --- /dev/null +++ b/resources/i18n/el.ts @@ -0,0 +1,6196 @@ + + + + AlertsPlugin + + + &Alert + &Ειδοποίηση + + + + Show an alert message. + Εμφάνιση ενός μηνύματος ειδοποίησης. + + + + Alert + name singular + Ειδοποίηση + + + + Alerts + name plural + Ειδοποιήσεις + + + + Alerts + container title + Ειδοποιήσεις + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + <strong>Πρόσθετο Ειδοποιήσεων</strong><br />Το πρόσθετο ειδοποιήσεων ελέγχει την εμφάνιση βοηθητικών μηνυμάτων στην οθόνη προβολής. + + + + AlertsPlugin.AlertForm + + + Alert Message + Μήνυμα Ειδοποίησης + + + + Alert &text: + &Κείμενο Ειδοποίησης: + + + + &New + &Νέο + + + + &Save + &Αποθήκευση + + + + Displ&ay + Παρουσί&αση + + + + Display && Cl&ose + Παρουσίαση && Κλ&είσιμο + + + + New Alert + Νέα Ειδοποίηση + + + + You haven't specified any text for your alert. Please type in some text before clicking New. + Δεν έχετε προσδιορίσει κάποιο κείμενο για την ειδοποίησή σας. Παρακαλούμε πληκτρολογείστε ένα κείμενο πριν κάνετε κλικ στο Νέο. + + + + &Parameter: + &Παράμετρος: + + + + No Parameter Found + Δεν Βρέθηκε Παράμετρος + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + Δεν έχετε εισαγάγει μια παράμετρο προς αντικατάσταση. +Θέλετε να συνεχίσετε οπωσδήποτε; + + + + No Placeholder Found + Δεν Βρέθηκε Σελιδοδείκτης + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + Η ειδοποίηση δεν περιέχει '<>'. +Θέλετε να συνεχίσετε οπωσδήποτε; + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + Η ειδοποίηση δημιουργήθηκε και προβλήθηκε. + + + + AlertsPlugin.AlertsTab + + + Font + Γραμματοσειρά + + + + Font name: + Ονομασία γραμματοσειράς: + + + + Font color: + Χρώμα γραμματοσειράς: + + + + Background color: + Χρώμα φόντου: + + + + Font size: + Μέγεθος γραμματοσειράς: + + + + Alert timeout: + Χρόνος αναμονής: + + + + BiblesPlugin + + + &Bible + &Βίβλος + + + + Bible + name singular + Βίβλος + + + + Bibles + name plural + Βίβλοι + + + + Bibles + container title + Βίβλοι + + + + No Book Found + Δεν βρέθηκε κανένα βιβλίο + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + Δεν βρέθηκε βιβλίο που να ταιριάζει στην Βίβλο αυτή. Ελέγξτε την ορθογραφία του βιβλίου. + + + + Import a Bible. + Εισαγωγή μιας Βίβλου. + + + + Add a new Bible. + Προσθήκη νέας Βίβλου. + + + + Edit the selected Bible. + Επεξεργασία επιλεγμένης Βίβλου. + + + + Delete the selected Bible. + Διαγραφή της επιλεγμένης Βίβλου. + + + + Preview the selected Bible. + Προεπισκόπηση επιλεγμένης Βίβλου. + + + + Send the selected Bible live. + Προβολή της επιλεγμένης Βίβλου. + + + + Add the selected Bible to the service. + Προσθήκη της επιλεγμένης Βίβλου προς χρήση. + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + <strong>Πρόσθετο Βίβλων</strong><br />Το πρόσθετο Βίβλων παρέχει την δυνατότητα να εμφανίζονται εδάφια Βίβλων από διαφορετικές πηγές κατά την λειτουργία. + + + + &Upgrade older Bibles + &Αναβάθμιση παλαιότερων Βίβλων + + + + Upgrade the Bible databases to the latest format. + Αναβάθμιση της βάσης δεδομένων Βίβλων στην τελευταία μορφή. + + + + BiblesPlugin.BibleManager + + + Scripture Reference Error + Σφάλμα Αναφοράς Βίβλου + + + + Web Bible cannot be used + Η Βίβλος Web δεν μπορεί να χρησιμοποιηθεί + + + + Text Search is not available with Web Bibles. + Η Αναζήτηση Κειμένου δεν είναι διαθέσιμη με Βίβλους Web. + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + Δεν δώσατε λέξη προς αναζήτηση. +Μπορείτε να διαχωρίσετε διαφορετικές λέξεις με κενό για να αναζητήσετε για όλες τις λέξεις και μπορείτε να τις διαχωρίσετε με κόμμα για να αναζητήσετε για μια από αυτές. + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + Δεν υπάρχουν εγκατεστημένες Βίβλοι. Χρησιμοποιήστε τον Οδηγό Εισαγωγής για να εγκαταστήσετε μία η περισσότερες Βίβλους. + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: + +Book Chapter +Book Chapter-Chapter +Book Chapter:Verse-Verse +Book Chapter:Verse-Verse,Verse-Verse +Book Chapter:Verse-Verse,Chapter:Verse-Verse +Book Chapter:Verse-Chapter:Verse + Η αναφορά Γραφής σας είτε δεν υποστηρίζεται από το OpenLP ή δεν είναι έγκυρη. Παρακαλούμε επιβεβαιώστε ότι η αναφορά σας συμμορφώνεται σε μια από τις παρακάτω φόρμες: + +Κεφάλαιο Βιβλίου +Κεφάλαιο Βιβλίου-Κεφάλαιο +Κεφάλαιο Βιβλίου:Εδάφιο-Εδάφιο +Κεφάλαιο Βιβλίου:Εδάφιο-Εδάφιο,Εδάφιο-Εδάφιο +Κεφάλαιο Βιβλίου:Εδάφιο-Εδάφιο,Κεφάλαιο:Εδάφιο-Εδάφιο +Κεφάλαιο Βιβλίου:Εδάφιο-Κεφάλαιο:Εδάφιο + + + + No Bibles Available + Βίβλοι Μη Διαθέσιμοι + + + + BiblesPlugin.BiblesTab + + + Verse Display + Εμφάνιση Εδαφίου + + + + Only show new chapter numbers + Εμφάνιση μόνο των αριθμών νέων κεφαλαίων + + + + Bible theme: + Θέμα Βίβλου: + + + + No Brackets + Απουσία Παρενθέσεων + + + + ( And ) + ( Και ) + + + + { And } + { Και } + + + + [ And ] + [ Και ] + + + + Note: +Changes do not affect verses already in the service. + Σημείωση: +Οι αλλαγές δεν επηρεάζουν τα εδάφια που χρησιμοποιούνται. + + + + Display second Bible verses + Εμφάνιση εδαφίων δεύτερης Βίβλου + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + Επιλέξτε Όνομα Βιβλίου + + + + The following book name cannot be matched up internally. Please select the corresponding English name from the list. + Το ακόλουθο όνομα βιβλίου δεν βρέθηκε εσωτερικά. Παρακαλούμε επιλέξτε το αντίστοιχο αγγλικό όνομα από την λίστα. + + + + Current name: + Τρέχον όνομα: + + + + Corresponding name: + Αντίστοιχο όνομα: + + + + Show Books From + Εμφάνιση Βιβλίων Από + + + + Old Testament + Παλαιά Διαθήκη + + + + New Testament + Καινή Διαθήκη + + + + Apocrypha + Απόκρυφα + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + Πρέπει να επιλέξετε ένα βιβλίο. + + + + BiblesPlugin.CSVBible + + + Importing books... %s + Εισαγωγή βιβλίων... %s + + + + Importing verses from %s... + Importing verses from <book name>... + Εισαγωγή εδαφίων από %s... + + + + Importing verses... done. + Εισαγωγή εδαφίων... ολοκληρώθηκε. + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + Εγγραφή Βίβλου και φόρτωμα βιβλίων... + + + + Registering Language... + Εγγραφή Γλώσσας... + + + + Importing %s... + Importing <book name>... + Εισαγωγή %s... + + + + Download Error + Σφάλμα Λήψης + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + Υπήρξε ένα πρόβλημα κατά την λήψη των επιλεγμένων εδαφίων. Παρακαλούμε ελέγξτε την σύνδεση στο Internet και αν αυτό το σφάλμα επανεμφανιστεί παρακαλούμε σκεφτείτε να κάνετε αναφορά σφάλματος. + + + + Parse Error + Σφάλμα Ανάλυσης + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + Υπήρξε πρόβλημα κατά την εξαγωγή των επιλεγμένων εδαφίων σας. Αν αυτό το σφάλμα επανεμφανιστεί σκεφτείτε να κάνετε μια αναφορά σφάλματος. + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + Οδηγός Εισαγωγής Βίβλου + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + Ο οδηγός αυτός θα σας βοηθήσει στην εισαγωγή Βίβλων από μια ποικιλία τύπων. Κάντε κλικ στο πλήκτρο επόμενο παρακάτω για να ξεκινήσετε την διαδικασία επιλέγοντας έναν τύπο αρχείου προς εισαγωγή. + + + + Web Download + Λήψη μέσω Web + + + + Location: + Τοποθεσία: + + + + Crosswalk + Crosswalk + + + + BibleGateway + BibleGateway + + + + Bible: + Βίβλος: + + + + Download Options + Επιλογές Λήψης + + + + Server: + Εξυπηρετητής: + + + + Username: + Όνομα Χρήστη: + + + + Password: + Κωδικός: + + + + Proxy Server (Optional) + Εξυπηρετητής Proxy (Προαιρετικό) + + + + License Details + Λεπτομέρειες Άδειας + + + + Set up the Bible's license details. + Ρυθμίστε τις λεπτομέρειες άδειας της Βίβλου. + + + + Version name: + Όνομα έκδοσης: + + + + Copyright: + Πνευματικά Δικαιώματα: + + + + Please wait while your Bible is imported. + Παρακαλούμε περιμένετε όσο η Βίβλος σας εισάγεται. + + + + You need to specify a file with books of the Bible to use in the import. + Πρέπει να καθορίσετε ένα αρχείο με βιβλία της Βίβλου για να χρησιμοποιήσετε για εισαγωγή. + + + + You need to specify a file of Bible verses to import. + Πρέπει να καθορίσετε ένα αρχείο εδαφίων της Βίβλου προς εισαγωγή. + + + + You need to specify a version name for your Bible. + Πρέπει να καθορίσετε μία ονομασία έκδοσης της Βίβλου σας. + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + Πρέπει να ορίσετε τα πνευματικά δικαιώματα της Βίβλου σας. Οι Βίβλοι στον δημόσιο τομέα πρέπει να δηλώνονται ως τέτοιες. + + + + Bible Exists + Η Βίβλος Υπάρχει + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + Η Βίβλος ήδη υπάρχει. Παρακαλούμε να εισάγετε μια διαφορετική Βίβλο ή να διαγράψετε πρώτα την ήδη υπάρχουσα. + + + + Your Bible import failed. + Η εισαγωγή της Βίβλου σας απέτυχε. + + + + CSV File + Αρχείο CSV + + + + Bibleserver + Εξυπηρετητής Βίβλου + + + + Permissions: + Άδειες: + + + + Bible file: + Αρχείο Βίβλου: + + + + Books file: + Αρχείο Βιβλίων: + + + + Verses file: + Αρχείο εδαφίων: + + + + openlp.org 1.x Bible Files + Αρχεία Βίβλων openlp.org 1.x + + + + Registering Bible... + Καταχώρηση Βίβλου... + + + + Registered Bible. Please note, that verses will be downloaded on +demand and thus an internet connection is required. + Η Βίβλος καταχωρήθηκε. Σημειώστε ότι τα εδάφια θα κατέβουν +κατά απαίτηση και χρειάζεται σύνδεση στο διαδίκτυο. + + + + BiblesPlugin.LanguageDialog + + + Select Language + Επιλογή Γλώσσας + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + Το OpenLP δεν μπορεί να αναγνωρίσει την γλώσσα αυτής της μετάφρασης της Βίβλου. Παρακαλούμε επιλέξτε την γλώσσα από την παρακάτω λίστα. + + + + Language: + Γλώσσα: + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + Πρέπει να επιλέξετε μια γλώσσα. + + + + BiblesPlugin.MediaItem + + + Quick + Γρήγορο + + + + Find: + Εύρεση: + + + + Book: + Βιβλίο: + + + + Chapter: + Κεφάλαιο: + + + + Verse: + Εδάφιο: + + + + From: + Από: + + + + To: + Έως: + + + + Text Search + Αναζήτηση Κειμένου + + + + Second: + Δεύτερο: + + + + Scripture Reference + Αναφορά Γραφής + + + + Toggle to keep or clear the previous results. + Εναλλαγή διατήρησης ή καθαρισμού των προηγούμενων αποτελεσμάτων. + + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + Δεν μπορείτε να συνδυάσετε αποτελέσματα αναζητήσεων μονών και διπλών εδαφίων Βίβλου. Θέλετε να διαγράψετε τα αποτελέσματα αναζήτησης και να ξεκινήσετε νέα αναζήτηση; + + + + Bible not fully loaded. + Βίβλος ατελώς φορτωμένη. + + + + Information + Πληροφορίες + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + Η δεύτερη Βίβλος δεν περιέχει όλα τα εδάφια που υπάρχουν στην κύρια Βίβλο. Θα εμφανιστούν μόνο τα εδάφια που βρίσκονται και στις δύο Βίβλους. %d εδάφια δεν έχουν συμπεριληφθεί στα αποτελέσματα. + + + + BiblesPlugin.Opensong + + + Importing %s %s... + Importing <book name> <chapter>... + Εισαγωγή %s %s... + + + + BiblesPlugin.OsisImport + + + Detecting encoding (this may take a few minutes)... + Ανίχνευση κωδικοποίησης (μπορεί να χρειαστεί μερικά λεπτά)... + + + + Importing %s %s... + Importing <book name> <chapter>... + Εισαγωγή %s %s... + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + Επιλέξτε έναν Κατάλογο Αντιγράφων Ασφαλείας + + + + Bible Upgrade Wizard + Οδηγός Αναβάθμισης Βίβλου + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + Ο οδηγός αυτός θα σας βοηθήσει να αναβαθμίσετε τις υπάρχουσες Βίβλους σας από μία προηγούμενη έκδοση του OpenLP 2. Κάντε κλικ στο πλήκτρο επόμενο παρακάτω για να ξεκινήσετε την διαδικασία αναβάθμισης. + + + + Select Backup Directory + Επιλέξτε Φάκελο Αντιγράφων Ασφαλείας + + + + Please select a backup directory for your Bibles + Παρακαλούμε επιλέξτε έναν φάκελο αντιγράφων ασφαλείας για τις Βίβλους σας + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + Οι προηγούμενες εκδόσεις του OpenLP 2.0 δεν μπορούν να χρησιμοποιήσουν αναβαθμισμένες Βίβλους. Ετούτο το εργαλείο θα δημιουργήσει αντίγραφο ασφαλείας των τρεχόντων Βίβλων σας ώστε να αντιγράψετε απλά τα αρχεία πίσω στον φάκελο του OpenLP αν χρειαστείτε να γυρίσετε σε μια προηγούμενη έκδοση του OpenLP. Οδηγίες για το πως θα επαναφέρετε τα αρχεία μπορείτε να βρείτε στις <a href="http://wiki.openlp.org/faq"> Συχνές Ερωτήσεις</a>. + + + + Please select a backup location for your Bibles. + Παρακαλούμε επιλέξτε μία τοποθεσία για αντίγραφα ασφαλείας για τις Βίβλους σας. + + + + Backup Directory: + Φάκελος Αντιγράφων Ασφαλείας: + + + + There is no need to backup my Bibles + Δεν είναι απαραίτητο να κάνω αντίγραφα ασφαλείας των Βίβλων μου + + + + Select Bibles + Επιλογή Βίβλων + + + + Please select the Bibles to upgrade + Παρακαλούμε επιλέξτε τις Βίβλους προς αναβάθμιση + + + + Upgrading + Αναβάθμιση + + + + Please wait while your Bibles are upgraded. + Παρακαλούμε περιμένετε όσο αναβαθμίζονται οι Βίβλοι σας. + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + Η δημιουργία αντιγράφων ασφαλείας δεν ήταν επιτυχής. +Για αντίγραφα ασφαλείας των Βίβλων σας χρειάζεστε δικαιώματα εγγραφής στον δηλωμένο φάκελο. + + + + Upgrading Bible %s of %s: "%s" +Failed + Αναβάθμιση Βίβλου %s από %s: "%s" +Απέτυχε + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + Αναβάθμιση Βίβλου %s από %s: "%s" +Αναβάθμιση ... + + + + Download Error + Σφάλμα Λήψης + + + + To upgrade your Web Bibles an Internet connection is required. + Για αναβάθμιση των Βίβλων Web χρειάζεστε σύνδεση στο Internet. + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + Αναβάθμιση Βίβλου %s από %s: "%s" +Αναβάθμιση %s ... + + + + Upgrading Bible %s of %s: "%s" +Complete + Αναβάθμιση Βίβλου %s από %s: "%s" +Ολοκληρώθηκε + + + + , %s failed + , %s απέτυχε + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + Αναβάθμιση Βίβλου(-ων): %s επιτυχής%s +Παρακαλούμε έχετε υπόψη ότι εδάφια από τις Βίβλους Web θα κατέβουν κατά απαίτηση και έτσι μια σύνδεση στο Internet είναι απαραίτητη. + + + + Upgrading Bible(s): %s successful%s + Αναβάθμιση Βίβλου(-ων): %s επιτυχής%s + + + + Upgrade failed. + Η Αναβάθμιση απέτυχε. + + + + You need to specify a backup directory for your Bibles. + Πρέπει να καθορίσετε έναν φάκελο αντιγράφων ασφαλείας για τις Βίβλους σας. + + + + Starting upgrade... + Έναρξη αναβάθμισης... + + + + There are no Bibles that need to be upgraded. + Δεν υπάρχουν Βίβλοι που χρειάζονται αναβάθμιση. + + + + CustomPlugin + + + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + <strong>Πρόσθετο Εξατομικευμένης Διαφάνειας</strong><br />Το πρόσθετο εξατομικευμένης διαφάνειας παρέχει την δυνατότητα να στήσετε διαφάνειες που μπορούν να προβληθούν στην οθόνη όπως τα τραγούδια. Αυτό το πρόσθετο παρέχει περισσότερη ελευθερία από το πρόσθετο τραγουδιών. + + + + Custom Slide + name singular + Εξατομικευμένη Διαφάνεια + + + + Custom Slides + name plural + Εξατομικευμένες Διαφάνειες + + + + Custom Slides + container title + Εξατομικευμένες Διαφάνειες + + + + Load a new custom slide. + Φόρτωση νέας εξατομικευμένης διαφάνειας. + + + + Import a custom slide. + Εισαγωγή εξατομικευμένης διαφάνειας. + + + + Add a new custom slide. + Προσθήκη νέας εξατομικευμένης διαφάνειας. + + + + Edit the selected custom slide. + Επεξεργασία της επιλεγμένης εξατομικευμένης διαφάνειας. + + + + Delete the selected custom slide. + Διαγραφή της επιλεγμένης εξατομικευμένης διαφάνειας. + + + + Preview the selected custom slide. + Προεπισκόπηση της επιλεγμένης εξατομικευμένης διαφάνειας. + + + + Send the selected custom slide live. + Προβολή της επιλεγμένης εξατομικευμένης διαφάνειας. + + + + Add the selected custom slide to the service. + Προσθήκη της επιλεγμένης εξατομικευμένης διαφάνειας σε λειτουργία. + + + + CustomPlugin.CustomTab + + + Custom Display + Εξατομικευμένη Προβολή + + + + Display footer + Προβολή υποσέλιδου + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + Επεξεργασία Εξατομικευμένων Διαφανειών + + + + &Title: + &Τίτλος: + + + + Add a new slide at bottom. + Προσθήκη νέας διαφάνειας κάτω. + + + + Edit the selected slide. + Επεξεργασία επιλεγμένης διαφάνειας. + + + + Edit all the slides at once. + Επεξεργασία όλων των διαφανειών ταυτόχρονα. + + + + Split a slide into two by inserting a slide splitter. + Χωρίστε μια διαφάνεια σε δύο με εισαγωγή ενός διαχωριστή διαφανειών. + + + + The&me: + Θέ&μα: + + + + &Credits: + &Πιστώσεις: + + + + You need to type in a title. + Πρέπει να δηλώσετε έναν τίτλο. + + + + You need to add at least one slide + Πρέπει να προσθέσετε τουλάχιστον μία διαφάνεια + + + + Ed&it All + &Επεξεργασία Όλων + + + + Insert Slide + Εισαγωγή Διαφάνειας + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + Είσαι σίγουρος ότι θες να διαγράψεις την %n επιλεγμένη εξατομικευμένη διαφάνεια; + Είστε σίγουροι ότι θέλετε να διαγράψετε τις %n επιλεγμένες εξατομικευμένες διαφάνειες; + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>Πρόσθετο Εικόνας</strong><br />Το πρόσθετο εικόνας παρέχει την προβολή εικόνων.<br />Ένα από τα εξέχοντα χαρακτηριστικά αυτού του πρόσθετου είναι η δυνατότητα να ομαδοποιήσετε πολλές εικόνες μαζί στον διαχειριστή λειτουργίας, κάνοντας την εμφάνιση πολλών εικόνων ευκολότερη. Επίσης μπορεί να κάνει χρήση του χαρακτηριστικού "προγραμματισμένη επανάληψη" για την δημιουργία παρουσίασης διαφανειών που τρέχει αυτόματα. Επιπρόσθετα εικόνες του πρόσθετου μπορούν να χρησιμοποιηθούν για παράκαμψη του φόντου του τρέχοντος θέματος, το οποίο αποδίδει αντικείμενα κειμένου όπως τα τραγούδια με την επιλεγμένη εικόνα ως φόντο αντί του φόντου που παρέχεται από το θέμα. + + + + Image + name singular + Εικόνα + + + + Images + name plural + Εικόνες + + + + Images + container title + Εικόνες + + + + Load a new image. + Φόρτωση νέας εικόνας. + + + + Add a new image. + Προσθήκη νέας εικόνας. + + + + Edit the selected image. + Επεξεργασία επιλεγμένης εικόνας. + + + + Delete the selected image. + Διαγραφή επιλεγμένης εικόνας. + + + + Preview the selected image. + Προεπισκόπηση επιλεγμένης εικόνας. + + + + Send the selected image live. + Προβολή της επιλεγμένης εικόνας. + + + + Add the selected image to the service. + Προβολή της επιλεγμένης εικόνας σε λειτουργία. + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + Επιλογή Επισυναπτόμενου + + + + ImagePlugin.MediaItem + + + Select Image(s) + Επιλογή Εικόνας(-ων) + + + + You must select an image to delete. + Πρέπει να επιλέξετε μια εικόνα προς διαγραφή. + + + + You must select an image to replace the background with. + Πρέπει να επιλέξετε μια εικόνα με την οποία θα αντικαταστήσετε το φόντο. + + + + Missing Image(s) + Απούσες Εικόνες + + + + The following image(s) no longer exist: %s + Οι ακόλουθες εικόνες δεν υπάρχουν πια: %s + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + Οι ακόλουθες εικόνες δεν υπάρχουν πια: %s +Θέλετε να προσθέσετε τις άλλες εικόνες οπωσδήποτε; + + + + There was a problem replacing your background, the image file "%s" no longer exists. + Υπήρξε πρόβλημα κατά την αντικατάσταση του φόντου, το αρχείο εικόνας "%s" δεν υπάρχει πια. + + + + There was no display item to amend. + Δεν υπήρξε κανένα αντικείμενο προς απεικόνιση για διόρθωση. + + + + ImagesPlugin.ImageTab + + + Background Color + Χρώμα Φόντου + + + + Default Color: + Προκαθορισμένο Χρώμα: + + + + Provides border where image is not the correct dimensions for the screen when resized. + Παρέχει το πλαίσιο όπου η εικόνα δεν είναι σωστής διάστασης για την οθόνη όταν αλλάξει διαστάσεις. + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + <strong>Πρόσθετο Πολυμέσων</strong><br />Το πρόσθετο πολυμέσων παρέχει την αναπαραγωγή ήχου και βίντεο. + + + + Media + name singular + Πολυμέσο + + + + Media + name plural + Πολυμέσα + + + + Media + container title + Πολυμέσα + + + + Load new media. + Φόρτωση νέων πολυμέσων. + + + + Add new media. + Προσθήκη νέων πολυμέσων. + + + + Edit the selected media. + Επεξεργασία επιλεγμένων πολυμέσων. + + + + Delete the selected media. + Διαγραφή επιλεγμένων πολυμέσων. + + + + Preview the selected media. + Προεπισκόπηση επιλεγμένων πολυμέσων. + + + + Send the selected media live. + Προβολή επιλεγμένων πολυμέσων. + + + + Add the selected media to the service. + Προσθήκη επιλεγμένων πολυμέσων σε λειτουργία. + + + + MediaPlugin.MediaItem + + + Select Media + Επιλογή πολυμέσων + + + + You must select a media file to delete. + Πρέπει να επιλέξετε ένα αρχείο πολυμέσων για διαγραφή. + + + + You must select a media file to replace the background with. + Πρέπει να επιλέξετε ένα αρχείο πολυμέσων με το οποίο θα αντικαταστήσετε το φόντο. + + + + There was a problem replacing your background, the media file "%s" no longer exists. + Υπήρξε πρόβλημα κατά την αντικατάσταση του φόντου, τα αρχεία πολυμέσων "%s" δεν υπάρχουν πια. + + + + Missing Media File + Απόντα Αρχεία Πολυμέσων + + + + The file %s no longer exists. + Το αρχείο %s δεν υπάρχει πια. + + + + Videos (%s);;Audio (%s);;%s (*) + Βίντεο (%s);;Ήχος (%s);;%s (*) + + + + There was no display item to amend. + Δεν υπήρξε αντικείμενο προς προβολή για διόρθωση. + + + + Unsupported File + Μη Υποστηριζόμενο Αρχείο + + + + Automatic + Αυτόματο + + + + Use Player: + + + + + MediaPlugin.MediaTab + + + Available Media Players + + + + + %s (unavailable) + %s (μη διαθέσιμο) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + + + + + OpenLP + + + Image Files + Αρχεία Εικόνων + + + + Information + Πληροφορίες + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + Η μορφή των Βίβλων έχει αλλάξει. +Πρέπει να αναβαθμίσετε τις υπάρχουσες Βίβλους. +Να τις αναβαθμίσει το OpenLP τώρα; + + + + OpenLP.AboutForm + + + Credits + Πιστώσεις + + + + License + Άδεια + + + + Contribute + Συνεισφέρετε + + + + build %s + έκδοση %s + + + + 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; version 2 of the License. + Αυτό το πρόγραμμα είναι ανοιχτό λογισμικό, μπορείτε να το διανείμετε και/ή να το τροποποιήσετε υπό τους όρους της άδειας GNU General Public License όπως δημοσιεύτηκε από το Ίδρυμα Ελεύθερου Λογισμικού, έκδοση 2 της Άδειας. + + + + 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 below for more details. + Αυτό το πρόγραμμα διανέμεται με την ελπίδα ότι θα είναι χρήσιμο, αλλά ΧΩΡΙΣ ΚΑΜΙΑ ΕΓΓΥΗΣΗ, χωρίς καν την συνεπαγόμενη εγγύηση ΕΜΠΟΡΙΚΟΤΗΤΑΣ ή ΧΡΗΣΗΣ ΓΙΑ ΣΥΓΚΕΚΡΙΜΕΝΟ ΣΚΟΠΟ. Δείτε παρακάτω για περισσότερες λεπτομέρειες. + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + German (de) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Estonian (et) + %s + French (fr) + %s + Hungarian (hu) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.nokia.com/ + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://oxygen-icons.org/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + Υπεύθυνοι Project +%s + +Ανάπτυξη +%s + +Συνεισφέροντες +%s + +Ελεγκτές +%s + +Packagers +%s + +Μεταφραστές +Αφρικανικά (af) +%s +Γερμανικά (de) +%s +Αγγλικά, Ηνωμένο Βασίλειο (en_GB) +%s +Αγγλικά, Νότιος Αφρική (en_ZA) +%s +Εσθονικά (et) +%s +Γαλλικά (fr) +%s +Ουγγρικά (hu) +%s +Ιαπωνικά (ja) +%s +Νορβηγικά Bokmål (nb) +%s +Ολλανδικά (nl) +%s +Πορτογαλικά, Βραζιλία (pt_BR) +%s +Ρώσικα (ru) +%s + +Documentation +%s + +Χτίστηκε με +Python: http://www.python.org/ +Qt4: http://qt.nokia.com/ +PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro +Oxygen Icons: http://oxygen-icons.org/ + +Final Credit +"Επειδή, με τέτοιον τρόπο αγάπησε ο Θεός τον κόσμο, +ώστε έδωσε τον Υιό του τον μονογενή, +για να μη χαθεί καθένας ο οποίος πιστεύει σ' αυτόν, +αλλά να έχει αιώνια ζωή." -- Ιωάννης 3:16 + +Τέλος οι ευχαριστίες μας πάνε στον +Πατέρα μας Θεό, γιατί έστειλε τον Υιό Του να πεθάνει +στον σταυρό, ελευθερώνοντάς μας από την αμαρτία. +Σας προσφέρουμε αυτό το πρόγραμμα δωρεάν επειδή +Αυτός μας ελευθέρωσε. + + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below. + OpenLP <version><revision> - Open Source Lyrics Projection + +Το OpenLP είναι ένα δωρεάν πρόγραμμα εκκλησιαστικών παρουσιάσεων, ή πρόγραμμα προβολής στίχων, που χρησιμοποιείται για την προβολή διαφανειών τραγουδιών, εδαφίων της Βίβλου, βίντεο, εικόνων, ακόμη και παρουσιάσεων (εάν έχετε εγκατεστημένα ένα εκ των Impress, PowerPoint ή PowerPoint Viewer) για την εκκλησιαστική λατρεία με την χρήση ενός υπολογιστή και ενός βιντεοπροβολέα. + +Μάθετε περισσότερα για το OpenLP: http://openlp.org/ + +Το OpenLP έχει γραφτεί και συντηρείται από εθελοντές. Αν θα θέλατε να δείτε περισσότερα δωρεάν Χριστιανικά προγράμματα να υλοποιούνται, παρακαλούμε σκεφτείτε να συνεισφέρετε χρησιμοποιώντας το παρακάτω πλήκτρο. + + + + Copyright © 2004-2011 %s +Portions copyright © 2004-2011 %s + Πνευματικά Δικαιώματα © 2004-2011 %s +Τμηματικά Πνευματικά Δικαιώματα © 2004-2011 %s + + + + OpenLP.AdvancedTab + + + UI Settings + Επιλογές Διεπαφής + + + + Number of recent files to display: + Αριθμός πρόσφατων αρχείων προς απεικόνιση: + + + + Remember active media manager tab on startup + Θυμήσου την καρτέλα του ενεργού διαχειριστή πολυμέσων κατά την εκκίνηση + + + + Double-click to send items straight to live + Προβολή αντικειμένου άμεσα με διπλό κλικ + + + + Expand new service items on creation + Ανάπτυξη νέων αντικειμένων λειτουργίας κατά την δημιουργία + + + + Enable application exit confirmation + Ενεργοποίηση επιβεβαίωσης κατά την έξοδο + + + + Mouse Cursor + Δείκτης Ποντικιού + + + + Hide mouse cursor when over display window + Απόκρυψη δείκτη ποντικιού από το παράθυρο προβολής + + + + Default Image + Προκαθορισμένη Εικόνα + + + + Background color: + Χρώμα φόντου: + + + + Image file: + Αρχείο εικόνας: + + + + Open File + Άνοιγμα Αρχείου + + + + Advanced + Για προχωρημένους + + + + Preview items when clicked in Media Manager + Προεπισκόπηση αντικειμένων κατά το κλικ στον Διαχειριστή Πολυμέσων + + + + Click to select a color. + Κάντε κλικ για επιλογή χρώματος. + + + + Browse for an image file to display. + Αναζήτηση για αρχείο εικόνας προς προβολή. + + + + Revert to the default OpenLP logo. + Επαναφορά στο προκαθορισμένο λογότυπο του OpenLP. + + + + OpenLP.ExceptionDialog + + + Error Occurred + Παρουσιάστηκε Σφάλμα + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + Ωχ! Το OpenLP αντιμετώπισε πρόβλημα και δεν επανήλθε. Το κείμενο στο παρακάτω πλαίσιο περιέχει πληροφορίες που μπορεί να είναι χρήσιμες στους προγραμματιστές του OpenLP, οπότε παρακαλούμε να το στείλετε με e-mail στην διεύθυνση bugs@openlp.org, μαζί με μία λεπτομερή αναφορά του τι κάνατε όταν παρουσιάστηκε το πρόβλημα. + + + + Send E-Mail + Αποστολή E-Mail + + + + Save to File + Αποθήκευση σε Αρχείο + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + Παρακαλούμε να περιγράψετε τι κάνατε που προκάλεσε αυτό το πρόβλημα +(20 χαρακτήρες τουλάχιστον) + + + + Attach File + Επισύναψη Αρχείου + + + + Description characters to enter : %s + Χαρακτήρες περιγραφής προς εισαγωγή: %s + + + + OpenLP.ExceptionForm + + + Platform: %s + + Πλατφόρμα: %s + + + + + Save Crash Report + Αποθήκευση Αναφοράς Σφάλματος + + + + Text files (*.txt *.log *.text) + Αρχεία κειμένου (*.txt *.log *.text) + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + **OpenLP Αναφορά Σφάλματος** +Έκδοση: %s + +--- Λεπτομέρειες της Εξαίρεσης. --- + +%s + +--- Ιχνηλασιμότητα Εξαίρεσης --- +%s +--- Πληροφορίες Συστήματος --- +%s +--- Εκδόσεις βιβλιοθηκών --- +%s + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + *OpenLP Αναφορά Σφάλματος* +(Σημείωση: Η αναφορά κατά προτίμηση στα Αγγλικά) +Έκδοση: %s + +--- Λεπτομέρειες της Εξαίρεσης. --- + +%s + +--- Ιχνηλασιμότητα Εξαίρεσης --- +%s +--- Πληροφορίες Συστήματος --- +%s +--- Εκδόσεις βιβλιοθηκών --- +%s + + + + + OpenLP.FileRenameForm + + + File Rename + Μετονομασία Αρχείου + + + + New File Name: + Νέο Όνομα Αρχείου: + + + + File Copy + Αντιγραφή Αρχείου + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + Επιλογή Μετάφρασης + + + + Choose the translation you'd like to use in OpenLP. + Επιλέξτε την μετάφραση που θέλετε να χρησιμοποιήσετε στο OpenLP. + + + + Translation: + Μετάφραση: + + + + OpenLP.FirstTimeWizard + + + Songs + Τραγούδια + + + + First Time Wizard + Οδηγός Πρώτης Εκτέλεσης + + + + Welcome to the First Time Wizard + Καλώς ορίσατε στον Οδηγό Πρώτης Εκτέλεσης + + + + Activate required Plugins + Ενεργοποίηση απαιτούμενων Πρόσθετων + + + + Select the Plugins you wish to use. + Επιλέξτε τα Πρόσθετα που θέλετε να χρησιμοποιήσετε. + + + + Bible + Βίβλος + + + + Images + Εικόνες + + + + Presentations + Παρουσιάσεις + + + + Media (Audio and Video) + Πολυμέσα (Ήχος και Βίντεο) + + + + Allow remote access + Επιτρέψτε απομακρυσμένη πρόσβαση + + + + Monitor Song Usage + Επίβλεψη Χρήσης Τραγουδιών + + + + Allow Alerts + Επιτρέψτε τις Ειδοποιήσεις + + + + Default Settings + Προκαθορισμένες Ρυθμίσεις + + + + Downloading %s... + Λήψη %s... + + + + Download complete. Click the finish button to start OpenLP. + Η λήψη ολοκληρώθηκε. Κάντε κλικ στο κουμπί τερματισμού για να ξεκινήσετε το OpenLP. + + + + Enabling selected plugins... + Ενεργοποίηση των επιλεγμένων Πρόσθετων... + + + + No Internet Connection + Καμία Σύνδεση Διαδικτύου + + + + Unable to detect an Internet connection. + Δεν μπορεί να ανιχνευθεί σύνδεση στο διαδίκτυο. + + + + Sample Songs + Δείγματα Τραγουδιών + + + + Select and download public domain songs. + Επιλογή και λήψη τραγουδιών του δημόσιου πεδίου. + + + + Sample Bibles + Δείγματα Βίβλων + + + + Select and download free Bibles. + Επιλογή και λήψη δωρεάν Βίβλων. + + + + Sample Themes + Δείγματα Θεμάτων + + + + Select and download sample themes. + Επιλογή και λήψη δειγμάτων θεμάτων + + + + Set up default settings to be used by OpenLP. + Θέστε τις προκαθορισμένες ρυθμίσεις για χρήση από το OpenLP. + + + + Default output display: + Προκαθορισμένη έξοδος προβολής: + + + + Select default theme: + Επιλογή προκαθορισμένου θέματος: + + + + Starting configuration process... + Εκκίνηση διαδικασίας διαμόρφωσης... + + + + This wizard will help you to configure OpenLP for initial use. Click the next button below to start. + Αυτός ο οδηγός θα σας βοηθήσει να διαμορφώσετε το OpenLP για αρχική χρήση. Κάντε κλικ στο πλήκτρο Επόμενο παρακάτω για να ξεκινήσετε. + + + + Setting Up And Downloading + Διαμόρφωση Και Λήψη + + + + Please wait while OpenLP is set up and your data is downloaded. + Περιμένετε όσο το OpenLP διαμορφώνεται και γίνεται λήψη των δεδομένων σας. + + + + Setting Up + Διαμόρφωση + + + + Click the finish button to start OpenLP. + Κάντε κλικ στο πλήκτρο τερματισμού για να ξεκινήσετε το OpenLP. + + + + Download complete. Click the finish button to return to OpenLP. + Λήψη ολοκληρώθηκε. Κάντε κλικ στο πλήκτρο τερματισμού για να γυρίσετε στο OpenLP. + + + + Click the finish button to return to OpenLP. + Κάντε κλικ στο πλήκτρο τερματισμού για να γυρίσετε στο OpenLP. + + + + Custom Slides + Εξατομικευμένες Διαφάνειες + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + Δεν βρέθηκε σύνδεση στο διαδίκτυο. Ο Οδηγός Πρώτης Εκτέλεσης χρειάζεται σύνδεση στο διαδίκτυο ώστε να κάνει λήψη δειγμάτων τραγουδιών, Βίβλων και θεμάτων. Πιέστε το πλήκτρο τερματισμού τώρα για να ξεκινήσετε το OpenLP με τις αρχικές ρυθμίσεις και χωρίς δείγματα δεδομένων. + +Για επανεκτέλεση του Οδηγού Πρώτης Εκτέλεσης και εισαγωγή των δειγμάτων δεδομένων σε ύστερη στιγμή, ελέγξτε την σύνδεσή σας στο διαδίκτυο και ξανατρέξτε αυτόν τον οδηγό επιλέγοντας "Εργαλεία/ Επανεκτέλεση Οδηγού Πρώτης Εκτέλεσης" από το OpenLP. + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. + + +Για πλήρη ακύρωση του Οδηγού Πρώτης Χρήσης (και μη εκκίνηση του OpenLP), πιέστε το πλήκτρο Άκυρο τώρα. + + + + Finish + Τέλος + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + Ρύθμιση Ετικετών Μορφοποίησης + + + + Edit Selection + Επεξεργασία Επιλογής + + + + Save + Αποθήκευση + + + + Description + Περιγραφή + + + + Tag + Ετικέτα + + + + Start tag + Ετικέτα έναρξης + + + + End tag + Ετικέτα λήξης + + + + Tag Id + ID ετικέτας + + + + Start HTML + Έναρξη HTML + + + + End HTML + Τέλος HTML + + + + OpenLP.FormattingTagForm + + + Update Error + Σφάλμα Ενημέρωσης + + + + Tag "n" already defined. + Η ετικέτα "n" έχει ήδη οριστεί. + + + + New Tag + Νέα Ετικέτα + + + + <HTML here> + <HTML εδώ> + + + + </and here> + </και εδώ> + + + + Tag %s already defined. + Η ετικέτα %s έχει ήδη οριστεί. + + + + OpenLP.FormattingTags + + + Red + Κόκκινο + + + + Black + Μαύρο + + + + Blue + Μπλε + + + + Yellow + Κίτρινο + + + + Green + Πράσινο + + + + Pink + Ροζ + + + + Orange + Πορτοκαλί + + + + Purple + Μωβ + + + + White + Άσπρο + + + + Superscript + Εκθέτης + + + + Subscript + Δείκτης + + + + Paragraph + Παράγραφος + + + + Bold + Έντονη γραφή + + + + Italics + Πλάγια γραφή + + + + Underline + Υπογράμμιση + + + + Break + Διακοπή + + + + OpenLP.GeneralTab + + + General + Γενικά + + + + Monitors + Οθόνες + + + + Select monitor for output display: + Επιλογή οθόνης για προβολή: + + + + Display if a single screen + Εμφάνιση αν υπάρχει μόνο μια οθόνη + + + + Application Startup + Έναρξη Εφαρμογής + + + + Show blank screen warning + Εμφάνιση ειδοποίησης κενής οθόνης + + + + Automatically open the last service + Αυτόματο άνοιγμα της τελευταίας λειτουργίας + + + + Show the splash screen + Εμφάνιση της οθόνης καλωσορίσματος + + + + Application Settings + Ρυθμίσεις Εφαρμογής + + + + Prompt to save before starting a new service + Ερώτηση για αποθήκευση πριν την έναρξη νέας λειτουργίας + + + + Automatically preview next item in service + Αυτόματη προεπισκόπηση του επόμενου αντικειμένου στην λειτουργία + + + + sec + δευτ + + + + CCLI Details + Πληροφορίες CCLI + + + + SongSelect username: + Όνομα χρήστη SongSelect: + + + + SongSelect password: + Κωδικός SongSelect: + + + + Display Position + Θέση Προβολής + + + + X + X + + + + Y + Y + + + + Height + Ύψος + + + + Width + Πλάτος + + + + Override display position + Αγνόηση θέσης εμφάνισης + + + + Check for updates to OpenLP + Έλεγχος για ενημερώσεις του OpenLP + + + + Unblank display when adding new live item + Απευθείας προβολή όταν προστίθεται νέο αντικείμενο + + + + Enable slide wrap-around + Αναδίπλωση διαφάνειας ενεργή + + + + Timed slide interval: + Χρονικό διάστημα διαφάνειας: + + + + Background Audio + Ήχος Υπόβαθρου + + + + Start background audio paused + Εκκίνηση του ήχου υπόβαθρου σε παύση + + + + OpenLP.LanguageManager + + + Language + Γλώσσα + + + + Please restart OpenLP to use your new language setting. + Παρακαλούμε επανεκκινήστε το OpenLP για να ενεργοποιηθεί η νέα γλώσσα. + + + + OpenLP.MainDisplay + + + OpenLP Display + Προβολή του OpenLP + + + + OpenLP.MainWindow + + + &File + &Αρχείο + + + + &Import + &Εισαγωγή + + + + &Export + Εξα&γωγή + + + + &View + &Προβολή + + + + M&ode + Λ&ειτουργία + + + + &Tools + &Εργαλεία + + + + &Settings + &Ρυθμίσεις + + + + &Language + &Γλώσσα + + + + &Help + &Βοήθεια + + + + Media Manager + Διαχειριστής Πολυμέσων + + + + Service Manager + Διαχειριστής Λειτουργίας + + + + Theme Manager + Διαχειριστής Θεμάτων + + + + &New + &Νέο + + + + &Open + &Άνοιγμα + + + + Open an existing service. + Άνοιγμα υπάρχουσας λειτουργίας. + + + + &Save + &Αποθήκευση + + + + Save the current service to disk. + Αποθήκευση τρέχουσας λειτουργίας στον δίσκο. + + + + Save &As... + Αποθήκευση &Ως... + + + + Save Service As + Αποθήκευση Λειτουργίας Ως + + + + Save the current service under a new name. + Αποθήκευση τρέχουσας λειτουργίας υπό νέο όνομα. + + + + E&xit + Έ&ξοδος + + + + Quit OpenLP + Έξοδος από το OpenLP + + + + &Theme + &Θέμα + + + + &Configure OpenLP... + &Ρύθμιση του OpenLP... + + + + &Media Manager + &Διαχειριστής Πολυμέσων + + + + Toggle Media Manager + Εναλλαγή Διαχειριστή Πολυμέσων + + + + Toggle the visibility of the media manager. + Εναλλαγή εμφάνισης του διαχειριστή πολυμέσων. + + + + &Theme Manager + Διαχειριστής &Θεμάτων + + + + Toggle Theme Manager + Εναλλαγή Διαχειριστή Θεμάτων + + + + Toggle the visibility of the theme manager. + Εναλλαγή εμφάνισης του διαχειριστή θεμάτων. + + + + &Service Manager + Διαχειριστής &Λειτουργίας + + + + Toggle Service Manager + Εναλλαγή Διαχειριστή Λειτουργίας + + + + Toggle the visibility of the service manager. + Εναλλαγή εμφάνισης του διαχειριστή λειτουργίας. + + + + &Preview Panel + &Οθόνη Προεπισκόπησης + + + + Toggle Preview Panel + Εναλλαγή Οθόνης Προεπισκόπησης + + + + Toggle the visibility of the preview panel. + Εναλλαγή εμφάνισης της οθόνης προεπισκόπησης. + + + + &Live Panel + Οθόνη Π&ροβολής + + + + Toggle Live Panel + Εναλλαγή Οθόνης Προβολής + + + + Toggle the visibility of the live panel. + Εναλλαγή εμφάνισης της οθόνης προβολής. + + + + &Plugin List + &Λίστα Πρόσθετων + + + + List the Plugins + Λίστα των Πρόσθετων + + + + &User Guide + &Οδηγίες Χρήστη + + + + &About + &Σχετικά + + + + More information about OpenLP + Περισσότερες πληροφορίες για το OpenLP + + + + &Online Help + &Online Βοήθεια + + + + &Web Site + &Ιστοσελίδα + + + + Use the system language, if available. + Χρήση της γλώσσας συστήματος, αν διατίθεται. + + + + Set the interface language to %s + Θέστε την γλώσσα σε %s + + + + Add &Tool... + Εργαλείο &Προσθήκης... + + + + Add an application to the list of tools. + Προσθήκη εφαρμογής στην λίστα των εργαλείων. + + + + &Default + &Προκαθορισμένο + + + + Set the view mode back to the default. + Θέστε την προβολή στην προκαθορισμένη. + + + + &Setup + &Εγκατάσταση + + + + Set the view mode to Setup. + Θέστε την προβολή στην Εγκατάσταση. + + + + &Live + &Ζωντανά + + + + Set the view mode to Live. + Θέστε την προβολή σε Ζωντανά. + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + Η έκδοση %s του OpenLP είναι διαθέσιμη για κατέβασμα (έχετε την έκδοση %s). + +Μπορείτε να κατεβάσετε την τελευταία έκδοση από το http://openlp.org/. + + + + OpenLP Version Updated + Η έκδοση του OpenLP αναβαθμίστηκε + + + + OpenLP Main Display Blanked + Κύρια Οθόνη του OpenLP Κενή + + + + The Main Display has been blanked out + Η Κύρια Οθόνη εκκενώθηκε + + + + Default Theme: %s + Προκαθορισμένο Θέμα: %s + + + + English + Please add the name of your language here + Αγγλικά + + + + Configure &Shortcuts... + Ρύθμιση &Συντομεύσεων... + + + + Close OpenLP + Κλείσιμο του OpenLP + + + + Are you sure you want to close OpenLP? + Είστε σίγουροι ότι θέλετε να κλείσετε το OpenLP; + + + + Open &Data Folder... + Άνοιγμα Φακέλου &Δεδομένων... + + + + Open the folder where songs, bibles and other data resides. + Άνοιγμα του φακέλου που περιέχει τους ύμνους, τις βίβλους και άλλα δεδομένα. + + + + &Autodetect + &Αυτόματη Ανίχνευση + + + + Update Theme Images + Ενημέρωση Εικόνων Θέματος + + + + Update the preview images for all themes. + Ενημέρωση των εικόνων προεπισκόπησης όλων των θεμάτων. + + + + Print the current service. + Εκτύπωση της τρέχουσας λειτουργίας. + + + + &Recent Files + &Πρόσφατα Αρχεία + + + + L&ock Panels + &Κλείδωμα των Πάνελ + + + + Prevent the panels being moved. + Αποτροπή της μετακίνησης των πάνελ. + + + + Re-run First Time Wizard + Επανεκτέλεση Οδηγού Πρώτης Εκτέλεσης + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + Επανεκτέλεση του Οδηγού Πρώτης Εκτέλεσης, για την εισαγωγή ύμνων, Βίβλων και θεμάτων. + + + + Re-run First Time Wizard? + Επανεκτέλεση Οδηγού Πρώτης Εκτέλεσης; + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + Είστε σίγουροι ότι θέλετε να επανεκτελέσετε τον Οδηγό Πρώτης Εκτέλεσης; + +Η επαντεκτέλεσή του μπορεί να επιφέρει αλλαγές στις τρέχουσες ρυθμίσεις του OpenLP και πιθανότατα να προσθέσει ύμνους στην υπάρχουσα λίστα ύμνων σας και να αλλάξει το προκαθορισμένο θέμα σας. + + + + Clear List + Clear List of recent files + Εκκαθάριση Λίστας + + + + Clear the list of recent files. + Εκκαθάριση της λίστας πρόσφατων αρχείων. + + + + Configure &Formatting Tags... + Ρύθμιση Ετικετών &Μορφοποίησης... + + + + Export OpenLP settings to a specified *.config file + Εξαγωγή των ρυθμίσεων το OpenLP σε καθορισμένο αρχείο *.config + + + + Settings + Ρυθμίσεις + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + Εισαγωγή ρυθμίσεων του OpenLP από καθορισμένο αρχείο *.config που έχει εξαχθεί προηγουμένως από αυτόν ή άλλον υπολογιστή + + + + Import settings? + Εισαγωγή Ρυθμίσεων; + + + + Are you sure you want to import settings? + +Importing settings will make permanent changes to your current OpenLP configuration. + +Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + Είστε σίγουροι ότι θέλετε να εισάγετε ρυθμίσεις; + +Η εισαγωγή ρυθμίσεων θα κάνει μόνιμες αλλαγές στην τρέχουσα διαμόρφωση του OpenLP. + +Η εισαγωγή λανθασμένων ρυθμίσεων μπορεί να προκαλέσει εσφαλμένη συμπεριφορά ή ανώμαλο τερματισμό του OpenLP. + + + + Open File + Άνοιγμα Αρχείου + + + + OpenLP Export Settings Files (*.conf) + Εξαγωγή Αρχείων Ρυθμίσεων του OpenLP (*.conf) + + + + Import settings + Ρυθμίσεις εισαγωγής + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + Το OpenLP θα τερματιστεί. Οι εισηγμένες ρυθμίσεις θα εφαρμοστούν την επόμενη φορά που θα ξεκινήσετε το OpenLP. + + + + Export Settings File + Εξαγωγή Αρχείου Ρυθμίσεων + + + + OpenLP Export Settings File (*.conf) + Εξαγωγή Αρχείων Ρυθμίσεων του OpenLP (*.conf) + + + + OpenLP.Manager + + + Database Error + Σφάλμα Βάσης Δεδομένων + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + Η υπό φόρτωση βάση δεδομένων δημιουργήθηκε από μια νεότερη έκδοση του OpenLP. Η βάση δεδομένων είναι έκδοσης %d, ενώ το OpenLP αναμένει την έκδοση %d. Η βάση δεδομένων δεν θα φορτωθεί. + +Βάση Δεδομένων: %s + + + + OpenLP cannot load your database. + +Database: %s + Το OpenLP δεν μπορεί να φορτώσει την βάση δεδομένων σας. + +Βάση Δεδομένων: %s + + + + OpenLP.MediaManagerItem + + + No Items Selected + Δεν Επιλέχθηκαν Αντικείμενα + + + + &Add to selected Service Item + &Προσθήκη στο επιλεγμένο Αντικείμενο Λειτουργίας + + + + You must select one or more items to preview. + Πρέπει να επιλέξετε ένα ή περισσότερα αντικείμενα για προεπισκόπηση. + + + + You must select one or more items to send live. + Πρέπει να επιλέξετε ένα ή περισσότερα αντικείμενα για προβολή. + + + + You must select one or more items. + Πρέπει να επιλέξετε ένα ή περισσότερα αντικείμενα. + + + + You must select an existing service item to add to. + Πρέπει να επιλέξετε ένα υπάρχον αντικείμενο λειτουργίας στο οποίο να προσθέσετε. + + + + Invalid Service Item + Ακατάλληλο Αντικείμενο Λειτουργίας + + + + You must select a %s service item. + Πρέπει να επιλέξετε ένα %s αντικείμενο λειτουργίας. + + + + You must select one or more items to add. + Πρέπει να επιλέξετε ένα ή περισσότερα αντικείμενα για προσθήκη. + + + + No Search Results + Κανένα Αποτέλεσμα Αναζήτησης + + + + Invalid File Type + Ακατάλληλος Τύπος Αρχείου + + + + Invalid File %s. +Suffix not supported + Ακατάλληλο Αρχείο %s. +Μη υποστηριζόμενη κατάληξη + + + + &Clone + &Αντιγραφή + + + + Duplicate files were found on import and were ignored. + Κατά την εισαγωγή των αρχείων βρέθηκαν διπλά αρχεία που αγνοήθηκαν. + + + + OpenLP.PluginForm + + + Plugin List + Λίστα Πρόσθετων + + + + Plugin Details + Λεπτομέρειες Πρόσθετου + + + + Status: + Κατάσταση: + + + + Active + Ενεργό + + + + Inactive + Ανενεργό + + + + %s (Inactive) + %s (Ανενεργό) + + + + %s (Active) + %s (Ενεργό) + + + + %s (Disabled) + %s (Απενεργοποιημένο) + + + + OpenLP.PrintServiceDialog + + + Fit Page + Πλάτος Σελίδας + + + + Fit Width + Πλάτος Κειμένου + + + + OpenLP.PrintServiceForm + + + Options + Επιλογές + + + + Copy + Αντιγραφή + + + + Copy as HTML + Αντιγραφή ως HTML + + + + Zoom In + Μεγέθυνση + + + + Zoom Out + Σμίκρυνση + + + + Zoom Original + Αρχικό Ζουμ + + + + Other Options + Άλλες Επιλογές + + + + Include slide text if available + Συμπερίληψη κειμένου διαφάνειας αν διατίθεται + + + + Include service item notes + Συμπερίληψη σημειώσεων αντικειμένου λειτουργίας + + + + Include play length of media items + Συμπερίληψη διάρκειας των αντικειμένων πολυμέσων + + + + Add page break before each text item + Προσθήκη αλλαγής σελίδας πριν από κάθε αντικείμενο κειμένου + + + + Service Sheet + Σελίδα Λειτουργίας + + + + Print + Εκτύπωση + + + + Title: + Τίτλος: + + + + Custom Footer Text: + Εξατομικευμένο Κείμενο Υποσέλιδου: + + + + OpenLP.ScreenList + + + Screen + Οθόνη + + + + primary + Πρωτεύων + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + <strong>Έναρξη</strong>: %s + + + + <strong>Length</strong>: %s + <strong>Διάρκεια</strong>: %s + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + Ανακατανομή Αντικειμένων Λειτουργίας + + + + OpenLP.ServiceManager + + + Move to &top + Μετακίνηση στην &κορυφή + + + + Move item to the top of the service. + Μετακίνηση αντικειμένου στην κορυφή της λειτουργίας. + + + + Move &up + Μετακίνηση &επάνω + + + + Move item up one position in the service. + Μετακίνηση μία θέση επάνω στην λειτουργία. + + + + Move &down + Μετακίνηση κά&τω + + + + Move item down one position in the service. + Μετακίνηση μία θέση κάτω στην λειτουργία. + + + + Move to &bottom + Μετακίνηση στο &τέλος + + + + Move item to the end of the service. + Μετακίνηση στο τέλος της λειτουργίας. + + + + &Delete From Service + &Διαγραφή Από την Λειτουργία + + + + Delete the selected item from the service. + Διαγραφή του επιλεγμένου αντικειμένου από την λειτουργία. + + + + &Add New Item + &Προσθήκη Νέου Αντικειμένου + + + + &Add to Selected Item + &Προσθήκη στο Επιλεγμένο Αντικείμενο + + + + &Edit Item + &Επεξεργασία Αντικειμένου + + + + &Reorder Item + &Ανακατανομή Αντικειμένου + + + + &Notes + &Σημειώσεις + + + + &Change Item Theme + &Αλλαγή Θέματος Αντικειμένου + + + + OpenLP Service Files (*.osz) + Αρχεία Λειτουργίας του OpenLP (*.osz) + + + + File is not a valid service. +The content encoding is not UTF-8. + Το αρχείο δεν αποτελεί κατάλληλη λειτουργία. +Η κωδικοποίηση του περιεχομένου δεν είναι UTF-8. + + + + File is not a valid service. + Το αρχείο δεν είναι αρχείο κατάλληλης λειτουργίας. + + + + Missing Display Handler + Απουσία Διαχειριστή Προβολής + + + + Your item cannot be displayed as there is no handler to display it + Το αντικείμενό σας δεν μπορεί να προβληθεί αφού δεν υπάρχει διαχειριστής για να το προβάλλει + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + Το αντικείμενό σας δεν μπορεί να προβληθεί αφού το πρόσθετο που απαιτείται για την προβολή απουσιάζει ή είναι ανενεργό + + + + &Expand all + &Ανάπτυξη όλων + + + + Expand all the service items. + Ανάπτυξη όλων των αντικειμένων λειτουργίας. + + + + &Collapse all + &Σύμπτυξη όλων + + + + Collapse all the service items. + Σύμπτυξη όλων των αντικειμένων λειτουργίας. + + + + Open File + Άνοιγμα Αρχείου + + + + Moves the selection down the window. + Μετακίνηση της επιλογής κάτω στο παράθυρο. + + + + Move up + Μετακίνηση επάνω + + + + Moves the selection up the window. + Μετακίνηση της επιλογής προς τα πάνω στο παράθυρο. + + + + Go Live + Προβολή + + + + Send the selected item to Live. + Προβολή του επιλεγμένου αντικειμένου. + + + + &Start Time + Ώρα &Έναρξης + + + + Show &Preview + Προβολή &Προεπισκόπησης + + + + Show &Live + &Προβολή + + + + Modified Service + Τροποποιημένη Λειτουργία + + + + The current service has been modified. Would you like to save this service? + Η τρέχουσα λειτουργία έχει τροποποιηθεί. Θέλετε να αποθηκεύσετε ετούτη την λειτουργία; + + + + Custom Service Notes: + Εξατομικευμένες Σημειώσεις Λειτουργίας: + + + + Notes: + Σημειώσεις: + + + + Playing time: + Χρόνος Αναπαραγωγής: + + + + Untitled Service + Ανώνυμη Λειτουργία + + + + File could not be opened because it is corrupt. + Το αρχείο δεν ανοίχθηκε επειδή είναι φθαρμένο. + + + + Empty File + Κενό Αρχείο + + + + This service file does not contain any data. + Ετούτο το αρχείο λειτουργίας δεν περιέχει δεδομένα. + + + + Corrupt File + Φθαρμένο Αρχείο + + + + Load an existing service. + Άνοιγμα υπάρχουσας λειτουργίας. + + + + Save this service. + Αποθήκευση ετούτης της λειτουργίας. + + + + Select a theme for the service. + Επιλέξτε ένα θέμα για την λειτουργία. + + + + This file is either corrupt or it is not an OpenLP 2.0 service file. + Αυτό το αρχείο είναι είτε φθαρμένο είτε δεν είναι αρχείο λειτουργίας του OpenLP 2.0. + + + + Service File Missing + Απουσία Αρχείου Λειτουργίας + + + + Slide theme + Θέμα διαφάνειας + + + + Notes + Σημειώσεις + + + + Edit + + + + + Service copy only + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + Σημειώσεις Αντικειμένου Λειτουργίας + + + + OpenLP.SettingsForm + + + Configure OpenLP + Ρύθμιση του OpenLP + + + + OpenLP.ShortcutListDialog + + + Action + Ενέργεια + + + + Shortcut + Συντόμευση + + + + Duplicate Shortcut + Αντίγραφο Συντόμευσης + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + Η συντόμευση "%s" έχει ήδη ανατεθεί σε άλλη ενέργεια, παρακαλούμε χρησιμοποιήστε διαφορετική συντόμευση. + + + + Alternate + Εναλλακτική + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + Επιλέξτε μια ενέργεια και πιέστε ένα από τα παρακάτω πλήκτρα για να ξεκινήσετε την καταγραφή μιας κύριας ή εναλλακτικής συντόμευσης, αντίστοιχα. + + + + Default + Προκαθορισμένο + + + + Custom + Εξατομικευμένο + + + + Capture shortcut. + Καταγραφή συντόμευσης. + + + + Restore the default shortcut of this action. + Αποκατάσταση της προκαθορισμένης συντόμευσης αυτής της ενέργειας. + + + + Restore Default Shortcuts + Αποκατάσταση Προκαθορισμένων Συντομεύσεων + + + + Do you want to restore all shortcuts to their defaults? + Θέλετε να αποκαταστήσετε όλες τις συντομεύσεις στις προκαθορισμένες; + + + + Configure Shortcuts + Ρύθμιση Συντομεύσεων + + + + OpenLP.SlideController + + + Hide + Απόκρυψη + + + + Go To + Μετάβαση + + + + Blank Screen + Κενή Οθόνη + + + + Blank to Theme + Προβολή Θέματος + + + + Show Desktop + Εμφάνιση Επιφάνειας Εργασίας + + + + Previous Service + Προηγούμενη Λειτουργία + + + + Next Service + Επόμενη Λειτουργία + + + + Escape Item + Αποφυγή Αντικειμένου + + + + Move to previous. + Μετακίνηση στο προηγούμενο. + + + + Move to next. + Μετακίνηση στο επόμενο. + + + + Play Slides + Αναπαραγωγή Διαφανειών + + + + Delay between slides in seconds. + Καθυστέρηση μεταξύ διαφανειών σε δευτερόλεπτα. + + + + Move to live. + Μεταφορά σε προβολή. + + + + Add to Service. + Προσθήκη στην Λειτουργία. + + + + Edit and reload song preview. + Επεξεργασία και επαναφόρτωση προεπισκόπισης ύμνου. + + + + Start playing media. + Έναρξη αναπαραγωγής πολυμέσων. + + + + Pause audio. + Παύση ήχου. + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + OpenLP.SpellTextEdit + + + Spelling Suggestions + Προτάσεις Ορθογραφίας + + + + Formatting Tags + Ετικέτες Μορφοποίησης + + + + Language: + Γλώσσα: + + + + OpenLP.StartTimeForm + + + Hours: + Ώρες: + + + + Minutes: + Λεπτά: + + + + Seconds: + Δευτερόλεπτα: + + + + Item Start and Finish Time + Ώρα Έναρξης και Λήξης Αντικειμένου + + + + Start + Έναρξη + + + + Finish + Τέλος + + + + Length + Διάρκεια + + + + Time Validation Error + Σφάλμα Ελέγχου Χρόνου + + + + Finish time is set after the end of the media item + Ο χρόνος λήξης έχει τεθεί μετά το πέρας του αντικειμένου πολυμέσων + + + + Start time is after the finish time of the media item + Ο χρόνος έναρξης έχει τεθεί μετά το πέρας του αντικειμένου πολυμέσων + + + + Theme Layout + Σχέδιο Θέματος + + + + The blue box shows the main area. + Το μπλε κουτί δείχνει την κύρια περιοχή. + + + + The red box shows the footer. + Το κόκκινο κουτί δείχνει το υποσέλιδο. + + + + OpenLP.ThemeForm + + + Select Image + Επιλογή Εικόνας + + + + Theme Name Missing + Ονομασία Θέματος Απουσιάζει + + + + There is no name for this theme. Please enter one. + Δεν υπάρχει ονομασία για αυτό το θέμα. Εισάγετε ένα όνομα. + + + + Theme Name Invalid + Ακατάλληλο Όνομα Θέματος + + + + Invalid theme name. Please enter one. + Ακατάλληλο όνομα θέματος. Εισάγετε ένα όνομα. + + + + (approximately %d lines per slide) + (περίπου %d γραμμές ανά διαφάνεια) + + + + OpenLP.ThemeManager + + + Create a new theme. + Δημιουργία νέου θέματος. + + + + Edit Theme + Επεξεργασία Θέματος + + + + Edit a theme. + Επεξεργασία ενός θέματος. + + + + Delete Theme + Διαγραφή Θέματος + + + + Delete a theme. + Διαγραφή ενός θέματος. + + + + Import Theme + Εισαγωγή Θέματος + + + + Import a theme. + Εισαγωγή ενός θέματος. + + + + Export Theme + Εξαγωγή Θέματος + + + + Export a theme. + Εξαγωγή ενός θέματος. + + + + &Edit Theme + &Επεξεργασία Θέματος + + + + &Delete Theme + &Διαγραφή Θέματος + + + + Set As &Global Default + Ορισμός Ως &Γενικής Προεπιλογής + + + + %s (default) + %s (προκαθορισμένο) + + + + You must select a theme to edit. + Πρέπει να επιλέξετε ένα θέμα προς επεξεργασία. + + + + You are unable to delete the default theme. + Δεν μπορείτε να διαγράψετε το προκαθορισμένο θέμα. + + + + Theme %s is used in the %s plugin. + Το Θέμα %s χρησιμοποιείται στο πρόσθετο %s. + + + + You have not selected a theme. + Δεν έχετε επιλέξει θέμα. + + + + Save Theme - (%s) + Αποθήκευση Θέματος - (%s) + + + + Theme Exported + Θέμα Εξήχθη + + + + Your theme has been successfully exported. + Το θέμα σας εξήχθη επιτυχώς. + + + + Theme Export Failed + Εξαγωγή Θέματος Απέτυχε + + + + Your theme could not be exported due to an error. + Το θέμα σας δεν εξήχθη λόγω σφάλματος. + + + + Select Theme Import File + Επιλέξτε Αρχείο Εισαγωγής Θέματος + + + + File is not a valid theme. + Το αρχείο δεν αποτελεί έγκυρο θέμα. + + + + &Copy Theme + &Αντιγραφή Θέματος + + + + &Rename Theme + &Μετονομασία Θέματος + + + + &Export Theme + &Εξαγωγή Θέματος + + + + You must select a theme to rename. + Πρέπει να επιλέξετε ένα θέμα για μετονομασία. + + + + Rename Confirmation + Επιβεβαίωση Μετονομασίας + + + + Rename %s theme? + Μετονομασία θέματος %s; + + + + You must select a theme to delete. + Πρέπει να επιλέξετε ένα θέμα προς διαγραφή. + + + + Delete Confirmation + Επιβεβαίωση Διαγραφής + + + + Delete %s theme? + Διαγραφή θέματος %s; + + + + Validation Error + Σφάλμα Ελέγχου + + + + A theme with this name already exists. + Υπάρχει ήδη θέμα με αυτό το όνομα. + + + + OpenLP Themes (*.theme *.otz) + Θέματα OpenLP (*.theme *.otz) + + + + Copy of %s + Copy of <theme name> + Αντιγραφή του %s + + + + OpenLP.ThemeWizard + + + Theme Wizard + Οδηγός Θεμάτων + + + + Welcome to the Theme Wizard + Καλωσορίσατε στον Οδηγό Θεμάτων + + + + Set Up Background + Καθορισμός Φόντου + + + + Set up your theme's background according to the parameters below. + Καθορίστε το φόντο του θέματός σας σύμφωνα με τις παρακάτω παραμέτρους. + + + + Background type: + Τύπος φόντου: + + + + Solid Color + Συμπαγές Χρώμα + + + + Gradient + Διαβάθμιση + + + + Color: + Χρώμα: + + + + Gradient: + Διαβάθμιση: + + + + Horizontal + Οριζόντια + + + + Vertical + Κάθετα + + + + Circular + Κυκλικά + + + + Top Left - Bottom Right + Πάνω Αριστερά - Κάτω Δεξιά + + + + Bottom Left - Top Right + Κάτω Αριστερά - Πάνω Δεξιά + + + + Main Area Font Details + Λεπτομέρειες Γραμματοσειράς Κύριας Περιοχής + + + + Define the font and display characteristics for the Display text + Καθορίστε την γραμματοσειρά και τα χαρακτηριστικά προβολής του κειμένου Προβολής + + + + Font: + Γραμματοσειρά: + + + + Size: + Μέγεθος: + + + + Line Spacing: + Διάκενο: + + + + &Outline: + &Περίγραμμα: + + + + &Shadow: + &Σκίαση: + + + + Bold + Έντονη γραφή + + + + Italic + Πλάγια Γραφή + + + + Footer Area Font Details + Λεπτομέρειες Γραμματοσειράς Υποσέλιδου + + + + Define the font and display characteristics for the Footer text + Καθορίστε την γραμματοσειρά και τα χαρακτηριστικά προβολής για το κείμενο Υποσέλιδου + + + + Text Formatting Details + Λεπτομέρειες Μορφοποίησης Κειμένου + + + + Allows additional display formatting information to be defined + Επιτρέπει να καθοριστούν πρόσθετες λεπτομέρειες μορφοποίησης προβολής + + + + Horizontal Align: + Οριζόντια Ευθυγράμμιση: + + + + Left + Αριστερά + + + + Right + Δεξιά + + + + Center + Κέντρο + + + + Output Area Locations + Τοποθεσία Περιοχών Προβολής + + + + Allows you to change and move the main and footer areas. + Επιτρέπει την αλλαγή και μετακίνηση της κύριας περιοχής και του υποσέλιδου. + + + + &Main Area + &Κύρια Περιοχή + + + + &Use default location + &Χρήση Προκαθορισμένης Θέσης + + + + X position: + Θέση X: + + + + px + px + + + + Y position: + Θέση Y: + + + + Width: + Πλάτος: + + + + Height: + Ύψος: + + + + Use default location + Χρήση προκαθορισμένης θέσης + + + + Save and Preview + Αποθήκευση και Προεπισκόπηση + + + + View the theme and save it replacing the current one or change the name to create a new theme + Δείτε το θέμα και αποθηκεύστε το αντικαθιστώντας το τρέχων θέμα ή αλλάξτε το όνομά του δημιουργώντας νέο θέμα + + + + Theme name: + Όνομα θέματος: + + + + Edit Theme - %s + Επεξεργασία Θέματος - %s + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + Ο οδηγός αυτός θα σας βοηθήσει να δημιουργήσετε και να επεξεργαστείτε τα θέματά σας. Πιέστε το πλήκτρο επόμενο παρακάτω για να ξεκινήσετε την διαδικασία ορίζοντας το φόντο. + + + + Transitions: + Μεταβάσεις: + + + + &Footer Area + Περιοχή &Υποσέλιδου + + + + Starting color: + Χρώμα έναρξης: + + + + Ending color: + Χρώμα τερματισμού: + + + + Background color: + Χρώμα φόντου: + + + + Justify + Ευθυγράμμιση + + + + Layout Preview + Προεπισκόπηση Σχεδίου + + + + OpenLP.ThemesTab + + + Global Theme + Καθολικό Θέμα + + + + Theme Level + Επίπεδο Θέματος + + + + S&ong Level + Επίπεδο &Ύμνου + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + Χρήση του θέματος από κάθε ύμνο στην βάση δεδομένων. Αν ένας ύμνος δεν έχει ένα θέμα συνδεόμενο με αυτόν, θα γίνει χρήση του θέματος της λειτουργίας. Αν η λειτουργία δεν έχει θέμα, τότε θα γίνει χρήση του καθολικού θέματος. + + + + &Service Level + Επίπεδο &Λειτουργίας + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + Χρήση του θέματος της λειτουργίας, παρακάμπτοντας τα θέματα των ύμνων. Αν η λειτουργία δεν έχει θέμα, θα χρησιμοποιηθεί το καθολικό θέμα. + + + + &Global Level + &Καθολικό Επίπεδο + + + + Use the global theme, overriding any themes associated with either the service or the songs. + Χρήση του καθολικού θέματος, παρακάμπτοντας όλα τα υπόλοιπα θέματα λειτουργίας ή ύμνων. + + + + Themes + Θέματα + + + + OpenLP.Ui + + + Error + Σφάλμα + + + + About + Σχετικά + + + + &Add + &Προσθήκη + + + + Advanced + Για προχωρημένους + + + + All Files + Όλα τα Αρχεία + + + + Bottom + Κάτω + + + + Browse... + Αναζήτηση... + + + + Cancel + Άκυρο + + + + CCLI number: + Αριθμός CCLI: + + + + Create a new service. + Δημιουργία νέας λειτουργίας. + + + + &Delete + &Διαγραφή + + + + &Edit + &Επεξεργασία + + + + Empty Field + Κενό Πεδίο + + + + Export + Εξαγωγή + + + + pt + Abbreviated font pointsize unit + pt + + + + Image + Εικόνα + + + + Import + Εισαγωγή + + + + Live + Ζωντανά + + + + Live Background Error + Σφάλμα Φόντου Προβολής + + + + Load + Φόρτωση + + + + Middle + Μέσο + + + + New + Νέο + + + + New Service + Νέα Λειτουργία + + + + New Theme + Νέο Θέμα + + + + No File Selected + Singular + Δεν Επιλέχθηκε Αρχείο + + + + No Files Selected + Plural + Δεν Επιλέχθηκαν Αρχεία + + + + No Item Selected + Singular + Δεν Επιλέχθηκε Αντικείμενο + + + + No Items Selected + Plural + Δεν Επιλέχθηκαν Αντικείμενα + + + + openlp.org 1.x + openlp.org 1.x + + + + OpenLP 2.0 + OpenLP 2.0 + + + + Preview + Προεπισκόπηση + + + + Replace Background + Αντικατάσταση Φόντου + + + + Reset Background + Επαναφορά Φόντου + + + + s + The abbreviated unit for seconds + δ + + + + Save && Preview + Αποθήκευση && Προεπισκόπηση + + + + Search + Αναζήτηση + + + + You must select an item to delete. + Πρέπει να επιλέξετε ένα αντικείμενο προς διαγραφή. + + + + You must select an item to edit. + Πρέπει να επιλέξετε ένα αντικείμενο για επεξεργασία. + + + + Save Service + Αποθήκευση Λειτουργίας + + + + Service + Λειτουργία + + + + Start %s + Έναρξη %s + + + + Theme + Singular + Θέμα + + + + Themes + Plural + Θέματα + + + + Top + Κορυφή + + + + Version + Έκδοση + + + + Delete the selected item. + Διαγραφή επιλεγμένου αντικειμένου. + + + + Move selection up one position. + Μεταφορά επιλογής μία θέση επάνω. + + + + Move selection down one position. + Μεταφορά επιλογής μία θέση κάτω. + + + + &Vertical Align: + &Κάθετη Ευθυγράμμιση: + + + + Finished import. + Τέλος εισαγωγής. + + + + Format: + Μορφή: + + + + Importing + Εισαγωγή + + + + Importing "%s"... + Εισαγωγή του "%s"... + + + + Select Import Source + Επιλέξτε Μέσο Εισαγωγής + + + + Select the import format and the location to import from. + Επιλέξτε την μορφή εισαγωγής και την τοποθεσία από την οποία θα γίνει η εισαγωγή. + + + + The openlp.org 1.x importer has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "python-sqlite" module. + Ο εισαγωγέας του openlp.org 1.x έχει απενεργοποιηθεί εξαιτίας απόντος module του python. Αν θέλετε να χρησιμοποιήσετε αυτόν τον εισαγωγέα, θα χρειαστεί να εγκαταστήσετε το module "python-sqllite". + + + + Open %s File + Άνοιγμα %s Αρχείου + + + + %p% + %p% + + + + Ready. + Έτοιμο. + + + + Starting import... + Έναρξη εισαγωγής... + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + Πρέπει να καθορίσετε τουλάχιστον ένα %s αρχείο από το οποίο να γίνει εισαγωγή. + + + + Welcome to the Bible Import Wizard + Καλωσορίσατε στον Οδηγό Εισαγωγής Βίβλου + + + + Welcome to the Song Export Wizard + Καλωσορίσατε στον Οδηγό Εξαγωγής Ύμνου + + + + Welcome to the Song Import Wizard + Καλωσορίσατε στον Οδηγό Εισαγωγής Ύμνου + + + + Author + Singular + Συγγραφέας + + + + Authors + Plural + Συγγραφείς + + + + © + Copyright symbol. + © + + + + Song Book + Singular + Υμνολόγιο + + + + Song Books + Plural + Υμνολόγια + + + + Song Maintenance + Διαχείριση Ύμνων + + + + Topic + Singular + Κατηγορία + + + + Topics + Plural + Κατηγορίες + + + + Continuous + Συνεχές + + + + Default + Προκαθορισμένο + + + + Display style: + Στυλ Παρουσίασης: + + + + Duplicate Error + Σφάλμα Αντίγραφου + + + + File + Αρχείο + + + + Help + Βοήθεια + + + + h + The abbreviated unit for hours + ω + + + + Layout style: + Στυλ σχεδίου: + + + + Live Toolbar + Εργαλειοθήκη Προβολής + + + + m + The abbreviated unit for minutes + λ + + + + OpenLP is already running. Do you wish to continue? + Το OpenLP ήδη εκτελείται. Θέλετε να συνεχίσετε; + + + + Settings + Ρυθμίσεις + + + + Tools + Εργαλεία + + + + Unsupported File + Μη Υποστηριζόμενο Αρχείο + + + + Verse Per Slide + Εδάφιο Ανά Διαφάνεια + + + + Verse Per Line + Εδάφιο Ανά Γραμμή + + + + View + Προβολή + + + + Title and/or verses not found + Δεν βρέθηκαν τίτλος και/ή εδάφια + + + + XML syntax error + Συντακτικό λάθος XML + + + + View Mode + Λειτουργία Προβολής + + + + Open service. + Άνοιγμα λειτουργίας. + + + + Print Service + Εκτύπωση Λειτουργίας + + + + Replace live background. + Αντικατάσταση του προβαλλόμενου φόντου. + + + + Reset live background. + Επαναφορά προβαλλόμενου φόντου. + + + + &Split + &Διαίρεση + + + + Split a slide into two only if it does not fit on the screen as one slide. + Διαίρεση μιας διαφάνειας σε δύο μόνο αν δεν χωρά στην οθόνη ως μια διαφάνεια. + + + + Welcome to the Bible Upgrade Wizard + Καλωσορίσατε στον Οδηγό Αναβάθμισης Βίβλου + + + + Confirm Delete + Επιβεβαίωση Διαγραφής + + + + Play Slides in Loop + Αναπαραγωγή Διαφανειών Κυκλικά + + + + Play Slides to End + Αναπαραγωγή Διαφανειών έως Τέλους + + + + Stop Play Slides in Loop + Τερματισμός Κυκλικής Αναπαραγωγής Διαφανειών + + + + Stop Play Slides to End + Τερματισμός Αναπαραγωγής Διαφανειών έως Τέλους + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + <strong>Πρόσθετο Παρουσιάσεων</strong><br />Το πρόσθετο παρουσιάσεων παρέχει την δυνατότητα να εμφανίζονται παρουσιάσεις με χρήση μιας σειράς διαφορετικών προγραμμάτων. Η επιλογή από τα διαθέσιμα προγράμματα είναι δυνατή στον χρήστη μέσω σχετικής λίστας. + + + + Presentation + name singular + Παρουσίαση + + + + Presentations + name plural + Παρουσιάσεις + + + + Presentations + container title + Παρουσιάσεις + + + + Load a new presentation. + Φόρτωση νέας παρουσίασης. + + + + Delete the selected presentation. + Διαγραφή επιλεγμένης παρουσίασης. + + + + Preview the selected presentation. + Προεπισκόπηση επιλεγμένης παρουσίασης. + + + + Send the selected presentation live. + Προβολή της επιλεγμένης παρουσίασης. + + + + Add the selected presentation to the service. + Πρόσθεση της επιλεγμένης παρουσίασης στην λειτουργία. + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + Επιλογή Παρουσίασης (-εων) + + + + Automatic + Αυτόματο + + + + Present using: + Παρουσίαση με χρήση: + + + + File Exists + Ήδη Υπάρχον Αρχείο + + + + A presentation with that filename already exists. + Ήδη υπάρχει παρουσίαση με αυτό το όνομα. + + + + This type of presentation is not supported. + Αυτός ο τύπος παρουσίασης δεν υποστηρίζεται. + + + + Presentations (%s) + Παρουσιάσεις (%s) + + + + Missing Presentation + Απούσα Παρουσίαση + + + + The Presentation %s no longer exists. + Η Παρουσίαση %s δεν υπάρχει πλέον. + + + + The Presentation %s is incomplete, please reload. + Η Παρουσίαση %s είναι ημιτελής, παρακαλούμε επαναφορτώστε. + + + + PresentationPlugin.PresentationTab + + + Available Controllers + Διαθέσιμοι Ελεγκτές + + + + Allow presentation application to be overriden + Επιτρέψτε την παράκαμψη του προγράμματος παρουσίασης + + + + %s (unavailable) + %s (μη διαθέσιμο) + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + <strong>Πρόσθετο Τηλεχειρισμού</strong><br />Το πρόσθετο τηλεχειρισμού παρέχει την δυνατότητα να αποστείλετε μηνύματα σε μία υπό εκτέλεση έκδοση του OpenLP σε διαφορετικό υπολογιστή μέσω web browser είτε μέσω του API τηλεχειρισμού. + + + + Remote + name singular + Απομακρυσμένη Πρόσβαση + + + + Remotes + name plural + Τηλεχειριστήρια + + + + Remote + container title + Απομακρυσμένη Πρόσβαση + + + + RemotePlugin.Mobile + + + OpenLP 2.0 Remote + + + + + OpenLP 2.0 Stage View + + + + + Service Manager + Διαχειριστής Λειτουργίας + + + + Slide Controller + + + + + Alerts + Ειδοποιήσεις + + + + Search + Αναζήτηση + + + + Back + + + + + Refresh + + + + + Blank + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + Προβολή + + + + No Results + + + + + Options + Επιλογές + + + + Add to Service + + + + + RemotePlugin.RemoteTab + + + Serve on IP address: + + + + + Port number: + + + + + Server Settings + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + All requested data has been deleted successfully. + + + + + Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + + + SongsPlugin + + + &Song + &Ύμνος + + + + Import songs using the import wizard. + Εισαγωγή ύμνων με χρηση του οδηγού εισαγωγής. + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + <strong>Προσθετο Ύμνων</strong><br />Το προσθετο ύμνων παρέχει την δυνατότητα προβολής και διαχείρισης ύμνων. + + + + &Re-index Songs + &Ανακατανομή Ύμνων + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + Song + name singular + + + + + Songs + name plural + Τραγούδια + + + + Songs + container title + Τραγούδια + + + + Exports songs using the export wizard. + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + +[above are Song Tags with notes imported from + EasyWorship] + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + &Τίτλος: + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + &Επεξεργασία Όλων + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + Βιβλίο: + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + Σχόλια + + + + Theme, Copyright Info && Comments + Θέμα, Πληροφορίες Πνευματικών Δικαιωμάτων && Σχόλια + + + + Add Author + Προσθήκη Συγγραφέα + + + + This author does not exist, do you want to add them? + Αυτός ο συγγραφέας δεν υπάρχει, θέλετε να τον προσθέσετε; + + + + This author is already in the list. + Αυτός ο συγγραφέας είναι ήδη στην λίστα. + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + Δεν επιλέξατε έγκυρο συγγραφέα. Είτε επιλέξτε έναν συγγραφέα από την λίστα, είτε πληκτρολογείστε έναν νέο συγγραφέα και πιέστε "Προσθήκη Συγγραφέα στον Ύμνο" για να προσθέσετε τον νέο συγγραφέα. + + + + Add Topic + Προσθήκη Κατηγορίας + + + + This topic does not exist, do you want to add it? + Η κατηγορία δεν υπάρχει, θέλετε να την προσθέσετε; + + + + This topic is already in the list. + Η κατηγορία υπάρχει ήδη στην λίστα. + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + Δεν επιλέξατε έγκυρη κατηγορία. Είτε επιλέξτε μια κατηγορία από την λίστα, είτε πληκτρολογήστε μια νέα κατηγορία και πιέστε "Προσθήκη Κατηγορίας στον Ύμνο" για να προσθέσετε την νέα κατηγορία. + + + + You need to type in a song title. + Πρέπει να δώσετε έναν τίτλο στον ύμνο. + + + + You need to type in at least one verse. + Πρέπει να πληκτρολογήσετε τουλάχιστον ένα εδάφιο. + + + + Warning + Προειδοποίηση + + + + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. + Η σειρά των εδαφίων δεν είναι έγκυρη. Δεν υπάρχει εδάφιο αντίστοιχο στο %s. Έγκυρες καταχωρήσεις είναι οι %s. + + + + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? + Δεν έχετε χρησιμοποιήσει %s πουθενά στην σειρά των εδαφίων. Θέλετε σίγουρα να σώσετε τον ύμνο έτσι; + + + + Add Book + Προσθήκη Βιβλίου + + + + This song book does not exist, do you want to add it? + Αυτό το βιβλίο ύμνων δεν υπάρχει, θέλετε να το προσθέσετε; + + + + You need to have an author for this song. + Πρέπει να έχετε έναν συγγραφέα για αυτόν τον ύμνο. + + + + You need to type some text in to the verse. + Πρέπει να πληκτρολογήσετε λίγο κείμενο στο εδάφιο. + + + + Linked Audio + Συνδεδεμένος Ήχος + + + + Add &File(s) + Προσθήκη &Αρχείου(-ων) + + + + Add &Media + Προσθήκη &Πολυμέσων + + + + Remove &All + &Αφαίρεση Όλων + + + + Open File(s) + Άνοιγμα Αρχείου(-ων) + + + + SongsPlugin.EditVerseForm + + + Edit Verse + Επεξεργασία Εδαφίου + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + Starting export... + + + + + You need to specify a directory. + + + + + Select Destination Folder + + + + + Select the directory where you want the songs to be saved. + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics</strong> worship song format. + + + + + SongsPlugin.ImportWizardForm + + + Select Document/Presentation Files + + + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Filename: + + + + + The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. + + + + + Add Files... + + + + + Remove File(s) + + + + + Please wait while your songs are imported. + + + + + OpenLP 2.0 Databases + + + + + openlp.org v1.x Databases + + + + + Words Of Worship Song Files + + + + + You need to specify at least one document or presentation file to import from. + + + + + Songs Of Fellowship Song Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + Copy + Αντιγραφή + + + + Save to File + Αποθήκευση σε Αρχείο + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Lyrics + + + + + CCLI License: + + + + + Entire Song + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + + Maintain the lists of authors, topics and books. + + + + + copy + For song cloning + + + + + SongsPlugin.OpenLP1SongImport + + + Not a valid openlp.org 1.x song database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + Εξαγωγή "%s"... + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + Συντήρηση Βιβλίου Ύμνων + + + + &Name: + Όν&ομα: + + + + &Publisher: + &Εκδότης: + + + + You need to type in a name for the book. + Πρέπει να δώσετε ένα όνομα για το βιβλίο. + + + + SongsPlugin.SongExportForm + + + Your song export failed. + Η εξαγωγή του βιβλίου σας απέτυχε. + + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + Τέλος Εξαγωγής. Για εισαγωγή αυτών των αρχείων χρησιμοποιήστε το <strong>OpenLyrics</strong>. + + + + SongsPlugin.SongImport + + + copyright + πνευματικά δικαιώματα + + + + The following songs could not be imported: + Τα ακόλουθα τραγούδια δεν εισήχθηκαν: + + + + Cannot access OpenOffice or LibreOffice + Δεν είναι δυνατή η πρόσβαση στο OpenOffice ή το LibreOffice + + + + Unable to open file + Αδύνατο το άνοιγμα του αρχείου + + + + File not found + Το αρχείο δεν βρέθηκε + + + + SongsPlugin.SongImportForm + + + Your song import failed. + Η εισαγωγή του ύμνου σας απέτυχε. + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + Ο συγγραφέας σας δεν προστέθηκε. + + + + This author already exists. + Ο συγγραφέας ήδη υπάρχει. + + + + Could not add your topic. + Δεν προστέθηκε η κατηγορία σας. + + + + This topic already exists. + Η κατηγορία υπάρχει ήδη. + + + + Could not add your book. + Το βιβλίο σας δεν προστέθηκε. + + + + This book already exists. + Αυτό το βιβλίο ήδη υπάρχει. + + + + Could not save your changes. + Οι αλλαγές σαν δεν αποθηκεύτηκαν. + + + + Could not save your modified author, because the author already exists. + Ο συγγραφέας σας δεν αποθηκεύτηκε, επειδή υπάρχει ήδη. + + + + Could not save your modified topic, because it already exists. + Η τροποποιημένη κατηγορία σας δεν αποθηκεύτηκε, επειδή υπάρχει ήδη. + + + + Delete Author + Διαγραφή Συγγραφέα + + + + Are you sure you want to delete the selected author? + Σίγουρα θέλετε να διαγράψετε τον επιλεγμένο συγγραφέα; + + + + This author cannot be deleted, they are currently assigned to at least one song. + Αυτός ο συγγραφέας δεν μπορεί να διαγραφεί, είναι συνδεδεμένος με τουλάχιστον έναν ύμνο. + + + + Delete Topic + Διαγραφή Κατηγορίας + + + + Are you sure you want to delete the selected topic? + Σίγουρα θέλετε να διαγράψετε την επιλεγμένη κατηγορία; + + + + This topic cannot be deleted, it is currently assigned to at least one song. + Η κατηγορία δεν μπορεί να διαγραφεί, είναι συνδεδεμένη με τουλάχιστον έναν ύμνο. + + + + Delete Book + Διαγραφή Βιβλίου + + + + Are you sure you want to delete the selected book? + Σίγουρα θέλετε να διαγράψετε το επιλεγμένο βιβλίο; + + + + This book cannot be deleted, it is currently assigned to at least one song. + Αυτό το βιβλίο δεν μπορεί να διαγραφεί, είναι συνδεδεμένο με τουλάχιστον έναν ύμνο. + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + Ο συγγραφέας %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με συγγραφέα τον %s να χρησιμοποιούν τον υπάρχοντα συγγραφέα %s; + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + Η κατηγορία %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με κατηγορία %s να χρησιμοποιούν την υπάρχουσα κατηγορία %s; + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + Το βιβλίο %s υπάρχει ήδη. Θέλετε να κάνετε τους ύμνους με το βιβλίο %s να χρησιμοποιούν το υπάρχον βιβλίο %s; + + + + SongsPlugin.SongsTab + + + Songs Mode + Λειτουργία Ύμνων + + + + Enable search as you type + Ενεργοποίηση αναζήτησης κατά την πληκτρολόγηση + + + + Display verses on live tool bar + Προβολή των εδαφίων στην εργαλειοθήκη προβολής + + + + Update service from song edit + Ενημέρωση λειτουργίας από την επεξεργασία ύμνων + + + + Add missing songs when opening service + Προσθήκη απόντων ύμνων κατά το άνοιγμα τις λειτουργίας + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + Συντήρηση Κατηγοριών + + + + Topic name: + Όνομα κατηγορίας: + + + + You need to type in a topic name. + Πρέπει να δώσετε ένα όνομα κατηγορίας. + + + + SongsPlugin.VerseType + + + Verse + Εδάφιο + + + + Chorus + Ρεφραίν + + + + Bridge + Γέφυρα + + + + Pre-Chorus + Προ-Ρεφραίν + + + + Intro + Εισαγωγή + + + + Ending + Τέλος + + + + Other + Άλλο + + + diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index 50cb9965b..d266dd469 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert - + Show an alert message. - + Alert name singular - + Alerts name plural - + Alerts container title - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -117,32 +117,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font - + Font name: - + Font color: - + Background color: - + Font size: - + Alert timeout: @@ -150,24 +150,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible - + Bible name singular - + Bibles name plural - + Bibles container title @@ -183,52 +183,52 @@ Do you want to continue anyway? - + Import a Bible. - + Add a new Bible. - + Edit the selected Bible. - + Delete the selected Bible. - + Preview the selected Bible. - + Send the selected Bible live. - + Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. @@ -382,18 +382,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s - + Importing verses from %s... Importing verses from <book name>... - + Importing verses... done. @@ -722,12 +722,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... - + Importing %s %s... Importing <book name> <chapter>... @@ -999,12 +999,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1093,7 +1093,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1163,60 +1163,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular - + Media name plural - + Media container title - + Load new media. - + Add new media. - + Edit the selected media. - + Delete the selected media. - + Preview the selected media. - + Send the selected media live. - + Add the selected media to the service. @@ -1224,66 +1224,91 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media - + You must select a media file to delete. - + You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. - + Missing Media File - + The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - - File Too Big + + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + + + + + Use Player: MediaPlugin.MediaTab - - Media Display + + Available Media Players - - Use Phonon for video playback + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden @@ -1295,12 +1320,12 @@ Do you want to add the other images anyway? - + Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1513,38 +1538,38 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Send E-Mail - + Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File - + Description characters to enter : %s @@ -1552,23 +1577,23 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1586,7 +1611,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2166,7 +2191,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display @@ -2174,309 +2199,309 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New - + &Open - + Open an existing service. - + &Save - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2487,125 +2512,125 @@ You can download the latest version from http://openlp.org/. - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect - + Update Theme Images - + Update the preview images for all themes. - + Print the current service. - + &Recent Files - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2614,32 +2639,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2647,19 +2672,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2669,7 +2694,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected @@ -2768,17 +2793,17 @@ Suffix not supported - + %s (Inactive) - + %s (Active) - + %s (Disabled) @@ -2890,12 +2915,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -2991,33 +3016,33 @@ Suffix not supported - + OpenLP Service Files (*.osz) - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3117,22 +3142,22 @@ The content encoding is not UTF-8. - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File @@ -3152,25 +3177,35 @@ The content encoding is not UTF-8. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Service File Missing - + Slide theme - + Notes + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3259,100 +3294,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide - + Go To - + Blank Screen - + Blank to Theme - + Show Desktop - - Previous Slide - - - - - Next Slide - - - - + Previous Service - + Next Service - + Escape Item - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3425,17 +3505,17 @@ The content encoding is not UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3536,68 +3616,62 @@ The content encoding is not UTF-8. - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - - - - + File is not a valid theme. @@ -3632,32 +3706,32 @@ The content encoding is not UTF-8. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) @@ -4290,7 +4364,7 @@ The content encoding is not UTF-8. - + Starting import... @@ -4614,12 +4688,12 @@ The content encoding is not UTF-8. - + Missing Presentation - + The Presentation %s no longer exists. @@ -4632,17 +4706,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4802,85 +4876,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -4976,173 +5050,173 @@ has been successfully created. SongsPlugin - + &Song - + Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs - + Re-index the songs database to improve searching and ordering. - + Reindexing songs... - + Arabic (CP-1256) - + Baltic (CP-1257) - + Central European (CP-1250) - + Cyrillic (CP-1251) - + Greek (CP-1253) - + Hebrew (CP-1255) - + Japanese (CP-932) - + Korean (CP-949) - + Simplified Chinese (CP-936) - + Thai (CP-874) - + Traditional Chinese (CP-950) - + Turkish (CP-1254) - + Vietnam (CP-1258) - + Western European (CP-1252) - + Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - + Song name singular - + Songs name plural - + Songs container title - + Exports songs using the export wizard. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5188,7 +5262,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5306,82 +5380,82 @@ The encoding is responsible for the correct character representation. - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -5411,7 +5485,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5497,7 +5571,7 @@ The encoding is responsible for the correct character representation. - + Starting export... @@ -5507,7 +5581,7 @@ The encoding is responsible for the correct character representation. - + Select Destination Folder @@ -5525,7 +5599,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5540,7 +5614,7 @@ The encoding is responsible for the correct character representation. - + Generic Document/Presentation @@ -5570,42 +5644,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + You need to specify at least one document or presentation file to import from. - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + Foilpresenter Song Files @@ -5630,12 +5704,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5666,7 +5740,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: @@ -5676,7 +5750,7 @@ The encoding is responsible for the correct character representation. - + Are you sure you want to delete the %n selected song(s)? @@ -5688,7 +5762,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5744,12 +5818,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5785,7 +5859,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index daf9eb55f..04f908e30 100644 --- a/resources/i18n/en_GB.ts +++ b/resources/i18n/en_GB.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alert - + Show an alert message. Show an alert message. - + Alert name singular Alert - + Alerts name plural Alerts - + Alerts container title Alerts - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -119,32 +119,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font colour: - + Background color: Background colour: - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -152,24 +152,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles @@ -185,52 +185,52 @@ Do you want to continue anyway? No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - + Import a Bible. Import a Bible. - + Add a new Bible. Add a new Bible. - + Edit the selected Bible. Edit the selected Bible. - + Delete the selected Bible. Delete the selected Bible. - + Preview the selected Bible. Preview the selected Bible. - + Send the selected Bible live. Send the selected Bible live. - + Add the selected Bible to the service. Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. Upgrade the Bible databases to the latest format. @@ -393,18 +393,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s Importing books... %s - + Importing verses from %s... Importing verses from <book name>... Importing verses from %s... - + Importing verses... done. Importing verses... done. @@ -734,12 +734,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Detecting encoding (this may take a few minutes)... - + Importing %s %s... Importing <book name> <chapter>... Importing %s %s... @@ -1017,12 +1017,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. - + You need to add at least one slide You need to add at least one slide @@ -1112,7 +1112,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1183,60 +1183,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Load new media. - + Add new media. Add new media. - + Edit the selected media. Edit the selected media. - + Delete the selected media. Delete the selected media. - + Preview the selected media. Preview the selected media. - + Send the selected media live. Send the selected media live. - + Add the selected media to the service. Add the selected media to the service. @@ -1244,67 +1244,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media Select Media - + You must select a media file to delete. You must select a media file to delete. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + You must select a media file to replace the background with. You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. There was a problem replacing your background, the media file "%s" no longer exists. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. There was no display item to amend. - - File Too Big - File Too Big + + Unsupported File + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automatic + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Media Display + + Available Media Players + - - Use Phonon for video playback - Use Phonon for video playback + + %s (unavailable) + %s (unavailable) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Do you want to add the other images anyway? Image Files - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File Attach File - + Description characters to enter : %s Description characters to enter : %s @@ -1642,24 +1667,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platform: %s - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2287,7 +2312,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -2295,287 +2320,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - + M&ode M&ode - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - + Media Manager Media Manager - + Service Manager Service Manager - + Theme Manager Theme Manager - + &New &New - + &Open &Open - + Open an existing service. Open an existing service. - + &Save &Save - + Save the current service to disk. Save the current service to disk. - + Save &As... Save &As... - + Save Service As Save Service As - + Save the current service under a new name. Save the current service under a new name. - + E&xit E&xit - + Quit OpenLP Quit OpenLP - + &Theme &Theme - + &Configure OpenLP... &Configure OpenLP... - + &Media Manager &Media Manager - + Toggle Media Manager Toggle Media Manager - + Toggle the visibility of the media manager. Toggle the visibility of the media manager. - + &Theme Manager &Theme Manager - + Toggle Theme Manager Toggle Theme Manager - + Toggle the visibility of the theme manager. Toggle the visibility of the theme manager. - + &Service Manager &Service Manager - + Toggle Service Manager Toggle Service Manager - + Toggle the visibility of the service manager. Toggle the visibility of the service manager. - + &Preview Panel &Preview Panel - + Toggle Preview Panel Toggle Preview Panel - + Toggle the visibility of the preview panel. Toggle the visibility of the preview panel. - + &Live Panel &Live Panel - + Toggle Live Panel Toggle Live Panel - + Toggle the visibility of the live panel. Toggle the visibility of the live panel. - + &Plugin List &Plugin List - + List the Plugins List the Plugins - + &User Guide &User Guide - + &About &About - + More information about OpenLP More information about OpenLP - + &Online Help &Online Help - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - + Set the interface language to %s Set the interface language to %s - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - + &Default &Default - + Set the view mode back to the default. Set the view mode back to the default. - + &Setup &Setup - + Set the view mode to Setup. Set the view mode to Setup. - + &Live &Live - + Set the view mode to Live. Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2583,22 +2608,22 @@ You can download the latest version from http://openlp.org/. You can download the latest version from http://openlp.org/. - + OpenLP Version Updated OpenLP Version Updated - + OpenLP Main Display Blanked OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - + Default Theme: %s Default Theme: %s @@ -2609,77 +2634,77 @@ You can download the latest version from http://openlp.org/. English (United Kingdom) - + Configure &Shortcuts... Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. - + Print the current service. Print the current service. - + L&ock Panels L&ock Panels - + Prevent the panels being moved. Prevent the panels being moved. - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2688,48 +2713,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files &Recent Files - + Clear List Clear List of recent files Clear List - + Clear the list of recent files. Clear the list of recent files. - + Configure &Formatting Tags... Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file Export OpenLP settings to a specified *.config file - + Settings Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2742,32 +2767,32 @@ Importing settings will make permanent changes to your current OpenLP configurat Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + Open File Open File - + OpenLP Export Settings Files (*.conf) OpenLP Export Settings Files (*.conf) - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - + OpenLP Export Settings File (*.conf) OpenLP Export Settings File (*.conf) @@ -2775,12 +2800,12 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2789,7 +2814,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -2801,7 +2826,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected No Items Selected @@ -2901,17 +2926,17 @@ Suffix not supported Inactive - + %s (Inactive) %s (Inactive) - + %s (Active) %s (Active) - + %s (Disabled) %s (Disabled) @@ -3023,12 +3048,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Length</strong>: %s @@ -3124,29 +3149,29 @@ Suffix not supported &Change Item Theme - + File is not a valid service. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. File is not a valid service. - + Missing Display Handler Missing Display Handler - + Your item cannot be displayed as there is no handler to display it Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3176,7 +3201,7 @@ The content encoding is not UTF-8. Open File - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) @@ -3231,22 +3256,22 @@ The content encoding is not UTF-8. The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. File could not be opened because it is corrupt. - + Empty File Empty File - + This service file does not contain any data. This service file does not contain any data. - + Corrupt File Corrupt File @@ -3286,25 +3311,35 @@ The content encoding is not UTF-8. Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme Slide theme - + Notes Notes - + Service File Missing Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3393,100 +3428,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide Hide - + Go To Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - - Previous Slide - Previous Slide - - - - Next Slide - Next Slide - - - + Previous Service Previous Service - + Next Service Next Service - + Escape Item Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3559,17 +3639,17 @@ The content encoding is not UTF-8. Start time is after the finish time of the media item - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3670,69 +3750,62 @@ The content encoding is not UTF-8. Set As &Global Default - + %s (default) %s (default) - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + You have not selected a theme. You have not selected a theme. - + Save Theme - (%s) Save Theme - (%s) - + Theme Exported Theme Exported - + Your theme has been successfully exported. Your theme has been successfully exported. - + Theme Export Failed Theme Export Failed - + Your theme could not be exported due to an error. Your theme could not be exported due to an error. - + Select Theme Import File Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - File is not a valid theme. -The content encoding is not UTF-8. - - - + File is not a valid theme. File is not a valid theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. @@ -3767,32 +3840,32 @@ The content encoding is not UTF-8. Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) OpenLP Themes (*.theme *.otz) @@ -4425,7 +4498,7 @@ The content encoding is not UTF-8. Ready. - + Starting import... Starting import... @@ -4749,12 +4822,12 @@ The content encoding is not UTF-8. Presentations (%s) - + Missing Presentation Missing Presentation - + The Presentation %s no longer exists. The Presentation %s no longer exists. @@ -4767,17 +4840,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + Allow presentation application to be overriden Allow presentation application to be overriden - + %s (unavailable) %s (unavailable) @@ -4937,85 +5010,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage - + Song usage tracking is active. Song usage tracking is active. - + Song usage tracking is inactive. Song usage tracking is inactive. - + display display - + printed printed @@ -5113,130 +5186,130 @@ has been successfully created. SongsPlugin - + &Song &Song - + Import songs using the import wizard. Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs &Re-index Songs - + Re-index the songs database to improve searching and ordering. Re-index the songs database to improve searching and ordering. - + Reindexing songs... Reindexing songs... - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs - + Arabic (CP-1256) Arabic (CP-1256) - + Baltic (CP-1257) Baltic (CP-1257) - + Central European (CP-1250) Central European (CP-1250) - + Cyrillic (CP-1251) Cyrillic (CP-1251) - + Greek (CP-1253) Greek (CP-1253) - + Hebrew (CP-1255) Hebrew (CP-1255) - + Japanese (CP-932) Japanese (CP-932) - + Korean (CP-949) Korean (CP-949) - + Simplified Chinese (CP-936) Simplified Chinese (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Traditional Chinese (CP-950) - + Turkish (CP-1254) Turkish (CP-1254) - + Vietnam (CP-1258) Vietnam (CP-1258) - + Western European (CP-1252) Western European (CP-1252) - + Character Encoding Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5245,44 +5318,44 @@ for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Please choose the character encoding. The encoding is responsible for the correct character representation. - + Exports songs using the export wizard. Exports songs using the export wizard. - + Add a new song. Add a new song. - + Edit the selected song. Edit the selected song. - + Delete the selected song. Delete the selected song. - + Preview the selected song. Preview the selected song. - + Send the selected song live. Send the selected song live. - + Add the selected song to the service. Add the selected song to the service. @@ -5328,7 +5401,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. The file does not have a valid extension. @@ -5448,82 +5521,82 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. You need to type in a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + Warning Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book Add Book - + This song book does not exist, do you want to add it? This song book does not exist, do you want to add it? - + You need to have an author for this song. You need to have an author for this song. @@ -5553,7 +5626,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -5634,7 +5707,7 @@ The encoding is responsible for the correct character representation.No Save Location specified - + Starting export... Starting export... @@ -5649,7 +5722,7 @@ The encoding is responsible for the correct character representation.You need to specify a directory. - + Select Destination Folder Select Destination Folder @@ -5667,7 +5740,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files @@ -5682,7 +5755,7 @@ The encoding is responsible for the correct character representation.This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. - + Generic Document/Presentation Generic Document/Presentation @@ -5712,42 +5785,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files Foilpresenter Song Files @@ -5772,12 +5845,12 @@ The encoding is responsible for the correct character representation.The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5808,7 +5881,7 @@ The encoding is responsible for the correct character representation.Lyrics - + CCLI License: CCLI License: @@ -5818,7 +5891,7 @@ The encoding is responsible for the correct character representation.Entire Song - + Are you sure you want to delete the %n selected song(s)? Are you sure you want to delete the %n selected song? @@ -5831,7 +5904,7 @@ The encoding is responsible for the correct character representation.Maintain the lists of authors, topics and books. - + copy For song cloning copy @@ -5887,12 +5960,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5928,7 +6001,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. Your song import failed. diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index c72d7c8b3..e55377cd6 100644 --- a/resources/i18n/en_ZA.ts +++ b/resources/i18n/en_ZA.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alert - + Show an alert message. Show an alert message. - + Alert name singular Alert - + Alerts name plural Alerts - + Alerts container title Alerts - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -119,32 +119,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font Font - + Font name: Font name: - + Font color: Font color: - + Background color: Background color: - + Font size: Font size: - + Alert timeout: Alert timeout: @@ -152,24 +152,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles @@ -185,52 +185,52 @@ Do you want to continue anyway? No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - + Import a Bible. Import a Bible. - + Add a new Bible. Add a new Bible. - + Edit the selected Bible. Edit the selected Bible. - + Delete the selected Bible. Delete the selected Bible. - + Preview the selected Bible. Preview the selected Bible. - + Send the selected Bible live. Send the selected Bible live. - + Add the selected Bible to the service. Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. Upgrade the Bible databases to the latest format. @@ -393,18 +393,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s Importing books... %s - + Importing verses from %s... Importing verses from <book name>... Importing verses from %s... - + Importing verses... done. Importing verses... done. @@ -734,12 +734,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Detecting encoding (this may take a few minutes)... - + Importing %s %s... Importing <book name> <chapter>... Importing %s %s... @@ -1017,12 +1017,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. You need to type in a title. - + You need to add at least one slide You need to add at least one slide @@ -1112,7 +1112,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1183,60 +1183,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Load new media. - + Add new media. Add new media. - + Edit the selected media. Edit the selected media. - + Delete the selected media. Delete the selected media. - + Preview the selected media. Preview the selected media. - + Send the selected media live. Send the selected media live. - + Add the selected media to the service. Add the selected media to the service. @@ -1244,67 +1244,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media Select Media - + You must select a media file to delete. You must select a media file to delete. - + Missing Media File Missing Media File - + The file %s no longer exists. The file %s no longer exists. - + You must select a media file to replace the background with. You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. There was a problem replacing your background, the media file "%s" no longer exists. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. There was no display item to amend. - - File Too Big - File Too Big + + Unsupported File + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automatic + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Media Display + + Available Media Players + - - Use Phonon for video playback - Use Phonon for video playback + + %s (unavailable) + %s (unavailable) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Do you want to add the other images anyway? Image Files - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Error Occurred Error Occurred - + Send E-Mail Send E-Mail - + Save to File Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File Attach File - + Description characters to enter : %s Description characters to enter : %s @@ -1642,24 +1667,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platform: %s - + Save Crash Report Save Crash Report - + Text files (*.txt *.log *.text) Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2287,7 +2312,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display OpenLP Display @@ -2295,307 +2320,307 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &File - + &Import &Import - + &Export &Export - + &View &View - + M&ode M&ode - + &Tools &Tools - + &Settings &Settings - + &Language &Language - + &Help &Help - + Media Manager Media Manager - + Service Manager Service Manager - + Theme Manager Theme Manager - + &New &New - + &Open &Open - + Open an existing service. Open an existing service. - + &Save &Save - + Save the current service to disk. Save the current service to disk. - + Save &As... Save &As... - + Save Service As Save Service As - + Save the current service under a new name. Save the current service under a new name. - + E&xit E&xit - + Quit OpenLP Quit OpenLP - + &Theme &Theme - + &Configure OpenLP... &Configure OpenLP... - + &Media Manager &Media Manager - + Toggle Media Manager Toggle Media Manager - + Toggle the visibility of the media manager. Toggle the visibility of the media manager. - + &Theme Manager &Theme Manager - + Toggle Theme Manager Toggle Theme Manager - + Toggle the visibility of the theme manager. Toggle the visibility of the theme manager. - + &Service Manager &Service Manager - + Toggle Service Manager Toggle Service Manager - + Toggle the visibility of the service manager. Toggle the visibility of the service manager. - + &Preview Panel &Preview Panel - + Toggle Preview Panel Toggle Preview Panel - + Toggle the visibility of the preview panel. Toggle the visibility of the preview panel. - + &Live Panel &Live Panel - + Toggle Live Panel Toggle Live Panel - + Toggle the visibility of the live panel. Toggle the visibility of the live panel. - + &Plugin List &Plugin List - + List the Plugins List the Plugins - + &User Guide &User Guide - + &About &About - + More information about OpenLP More information about OpenLP - + &Online Help &Online Help - + &Web Site &Web Site - + Use the system language, if available. Use the system language, if available. - + Set the interface language to %s Set the interface language to %s - + Add &Tool... Add &Tool... - + Add an application to the list of tools. Add an application to the list of tools. - + &Default &Default - + Set the view mode back to the default. Set the view mode back to the default. - + &Setup &Setup - + Set the view mode to Setup. Set the view mode to Setup. - + &Live &Live - + Set the view mode to Live. Set the view mode to Live. - + OpenLP Version Updated OpenLP Version Updated - + OpenLP Main Display Blanked OpenLP Main Display Blanked - + The Main Display has been blanked out The Main Display has been blanked out - + Default Theme: %s Default Theme: %s - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2610,77 +2635,77 @@ You can download the latest version from http://openlp.org/. English (South Africa) - + Configure &Shortcuts... Configure &Shortcuts... - + Close OpenLP Close OpenLP - + Are you sure you want to close OpenLP? Are you sure you want to close OpenLP? - + Open &Data Folder... Open &Data Folder... - + Open the folder where songs, bibles and other data resides. Open the folder where songs, Bibles and other data resides. - + &Autodetect &Autodetect - + Update Theme Images Update Theme Images - + Update the preview images for all themes. Update the preview images for all themes. - + Print the current service. Print the current service. - + L&ock Panels L&ock Panels - + Prevent the panels being moved. Prevent the panels being moved. - + Re-run First Time Wizard Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2689,48 +2714,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files &Recent Files - + Clear List Clear List of recent files Clear List - + Clear the list of recent files. Clear the list of recent files. - + Configure &Formatting Tags... Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file Export OpenLP settings to a specified *.config file - + Settings Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2743,32 +2768,32 @@ Importing settings will make permanent changes to your current OpenLP configurat Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + Open File Open File - + OpenLP Export Settings Files (*.conf) OpenLP Export Settings Files (*.conf) - + Import settings Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File Export Settings File - + OpenLP Export Settings File (*.conf) OpenLP Export Settings File (*.conf) @@ -2776,12 +2801,12 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2790,7 +2815,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -2802,7 +2827,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected No Items Selected @@ -2902,17 +2927,17 @@ Suffix not supported Inactive - + %s (Inactive) %s (Inactive) - + %s (Active) %s (Active) - + %s (Disabled) %s (Disabled) @@ -3024,12 +3049,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Length</strong>: %s @@ -3125,29 +3150,29 @@ Suffix not supported &Change Item Theme - + File is not a valid service. The content encoding is not UTF-8. File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. File is not a valid service. - + Missing Display Handler Missing Display Handler - + Your item cannot be displayed as there is no handler to display it Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3177,7 +3202,7 @@ The content encoding is not UTF-8. Open File - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) @@ -3232,22 +3257,22 @@ The content encoding is not UTF-8. The current service has been modified. Would you like to save this service? - + File could not be opened because it is corrupt. File could not be opened because it is corrupt. - + Empty File Empty File - + This service file does not contain any data. This service file does not contain any data. - + Corrupt File Corrupt File @@ -3287,25 +3312,35 @@ The content encoding is not UTF-8. Select a theme for the service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme Slide theme - + Notes Notes - + Service File Missing Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3394,100 +3429,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide Hide - + Go To Go To - + Blank Screen Blank Screen - + Blank to Theme Blank to Theme - + Show Desktop Show Desktop - - Previous Slide - Previous Slide - - - - Next Slide - Next Slide - - - + Previous Service Previous Service - + Next Service Next Service - + Escape Item Escape Item - + Move to previous. Move to previous. - + Move to next. Move to next. - + Play Slides Play Slides - + Delay between slides in seconds. Delay between slides in seconds. - + Move to live. Move to live. - + Add to Service. Add to Service. - + Edit and reload song preview. Edit and reload song preview. - + Start playing media. Start playing media. - + Pause audio. Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3560,17 +3640,17 @@ The content encoding is not UTF-8. Start time is after the finish time of the media item - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3671,69 +3751,62 @@ The content encoding is not UTF-8. Set As &Global Default - + %s (default) %s (default) - + You must select a theme to edit. You must select a theme to edit. - + You are unable to delete the default theme. You are unable to delete the default theme. - + You have not selected a theme. You have not selected a theme. - + Save Theme - (%s) Save Theme - (%s) - + Theme Exported Theme Exported - + Your theme has been successfully exported. Your theme has been successfully exported. - + Theme Export Failed Theme Export Failed - + Your theme could not be exported due to an error. Your theme could not be exported due to an error. - + Select Theme Import File Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - File is not a valid theme. -The content encoding is not UTF-8. - - - + File is not a valid theme. File is not a valid theme. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. @@ -3768,32 +3841,32 @@ The content encoding is not UTF-8. Rename %s theme? - + You must select a theme to delete. You must select a theme to delete. - + Delete Confirmation Delete Confirmation - + Delete %s theme? Delete %s theme? - + Validation Error Validation Error - + A theme with this name already exists. A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) OpenLP Themes (*.theme *.otz) @@ -4426,7 +4499,7 @@ The content encoding is not UTF-8. Ready. - + Starting import... Starting import... @@ -4750,12 +4823,12 @@ The content encoding is not UTF-8. Presentations (%s) - + Missing Presentation Missing Presentation - + The Presentation %s no longer exists. The Presentation %s no longer exists. @@ -4768,17 +4841,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + Allow presentation application to be overriden Allow presentation application to be overriden - + %s (unavailable) %s (unavailable) @@ -4938,85 +5011,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Song Usage Tracking - + &Delete Tracking Data &Delete Tracking Data - + Delete song usage data up to a specified date. Delete song usage data up to a specified date. - + &Extract Tracking Data &Extract Tracking Data - + Generate a report on song usage. Generate a report on song usage. - + Toggle Tracking Toggle Tracking - + Toggle the tracking of song usage. Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular SongUsage - + SongUsage name plural SongUsage - + SongUsage container title SongUsage - + Song Usage Song Usage - + Song usage tracking is active. Song usage tracking is active. - + Song usage tracking is inactive. Song usage tracking is inactive. - + display display - + printed printed @@ -5114,130 +5187,130 @@ has been successfully created. SongsPlugin - + &Song &Song - + Import songs using the import wizard. Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs &Re-index Songs - + Re-index the songs database to improve searching and ordering. Re-index the songs database to improve searching and ordering. - + Reindexing songs... Reindexing songs... - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs - + Arabic (CP-1256) Arabic (CP-1256) - + Baltic (CP-1257) Baltic (CP-1257) - + Central European (CP-1250) Central European (CP-1250) - + Cyrillic (CP-1251) Cyrillic (CP-1251) - + Greek (CP-1253) Greek (CP-1253) - + Hebrew (CP-1255) Hebrew (CP-1255) - + Japanese (CP-932) Japanese (CP-932) - + Korean (CP-949) Korean (CP-949) - + Simplified Chinese (CP-936) Simplified Chinese (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Traditional Chinese (CP-950) - + Turkish (CP-1254) Turkish (CP-1254) - + Vietnam (CP-1258) Vietnam (CP-1258) - + Western European (CP-1252) Western European (CP-1252) - + Character Encoding Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5246,44 +5319,44 @@ for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Please choose the character encoding. The encoding is responsible for the correct character representation. - + Exports songs using the export wizard. Exports songs using the export wizard. - + Add a new song. Add a new song. - + Edit the selected song. Edit the selected song. - + Delete the selected song. Delete the selected song. - + Preview the selected song. Preview the selected song. - + Send the selected song live. Send the selected song live. - + Add the selected song to the service. Add the selected song to the service. @@ -5329,7 +5402,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. The file does not have a valid extension. @@ -5429,77 +5502,77 @@ The encoding is responsible for the correct character representation.Theme, Copyright Info && Comments - + Add Author Add Author - + This author does not exist, do you want to add them? This author does not exist, do you want to add them? - + This author is already in the list. This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic Add Topic - + This topic does not exist, do you want to add it? This topic does not exist, do you want to add it? - + This topic is already in the list. This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. You need to type in a song title. - + You need to type in at least one verse. You need to type in at least one verse. - + Warning Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book Add Book - + This song book does not exist, do you want to add it? This song book does not exist, do you want to add it? @@ -5524,7 +5597,7 @@ The encoding is responsible for the correct character representation.Number: - + You need to have an author for this song. You need to have an author for this song. @@ -5554,7 +5627,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -5635,7 +5708,7 @@ The encoding is responsible for the correct character representation.No Save Location specified - + Starting export... Starting export... @@ -5650,7 +5723,7 @@ The encoding is responsible for the correct character representation.You need to specify a directory. - + Select Destination Folder Select Destination Folder @@ -5698,12 +5771,12 @@ The encoding is responsible for the correct character representation.Please wait while your songs are imported. - + Select Document/Presentation Files Select Document/Presentation Files - + Generic Document/Presentation Generic Document/Presentation @@ -5713,42 +5786,42 @@ The encoding is responsible for the correct character representation.The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + Words Of Worship Song Files Words Of Worship Song Files - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files Foilpresenter Song Files @@ -5773,12 +5846,12 @@ The encoding is responsible for the correct character representation.The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5809,7 +5882,7 @@ The encoding is responsible for the correct character representation.Lyrics - + CCLI License: CCLI License: @@ -5819,7 +5892,7 @@ The encoding is responsible for the correct character representation.Entire Song - + Are you sure you want to delete the %n selected song(s)? Are you sure you want to delete the %n selected song(s)? @@ -5832,7 +5905,7 @@ The encoding is responsible for the correct character representation.Maintain the lists of authors, topics and books. - + copy For song cloning copy @@ -5888,12 +5961,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5929,7 +6002,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. Your song import failed. diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index a4e0de09b..1cc95f3af 100644 --- a/resources/i18n/es.ts +++ b/resources/i18n/es.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerta - + Show an alert message. Mostrar mensaje de alerta. - + Alert name singular Alerta - + Alerts name plural Alertas - + Alerts container title Alertas - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -119,32 +119,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font Fuente - + Font name: Nombre: - + Font color: Color: - + Background color: Color de fondo: - + Font size: Tamaño: - + Alert timeout: Tiempo de espera: @@ -152,24 +152,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Biblias - + Bibles container title Biblias @@ -185,52 +185,52 @@ Do you want to continue anyway? No se hayó el nombre en esta Biblia. Revise que el nombre del libro esté deletreado correctamente. - + Import a Bible. Importar una Biblia. - + Add a new Bible. Agregar una Biblia nueva. - + Edit the selected Bible. Editar la Biblia seleccionada. - + Delete the selected Bible. Eliminar la Biblia seleccionada. - + Preview the selected Bible. Visualizar la Biblia seleccionada. - + Send the selected Bible live. Proyectar la Biblia seleccionada. - + Add the selected Bible to the service. Agregar esta Biblia al servicio. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Complemento de Biblias</strong><br />El complemento de Biblias proporciona la capacidad de mostrar versículos de diversas fuentes, durante el servicio. - + &Upgrade older Bibles &Actualizar Biblias antiguas - + Upgrade the Bible databases to the latest format. Actualizar las Biblias al último formato disponible. @@ -393,18 +393,18 @@ Los cambios no se aplican a ítems en el servcio. BiblesPlugin.CSVBible - + Importing books... %s Importando libros... %s - + Importing verses from %s... Importing verses from <book name>... Importando versículos de %s... - + Importing verses... done. Importando versículos... listo. @@ -734,12 +734,12 @@ sea necesario, por lo que debe contar con una conexión a internet. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Detectando codificación (esto puede tardar algunos minutos)... - + Importing %s %s... Importing <book name> <chapter>... Importando %s %s... @@ -1017,12 +1017,12 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c &Creditos: - + You need to type in a title. Debe escribir un título. - + You need to add at least one slide Debe agregar al menos una diapositiva @@ -1112,7 +1112,7 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c ImagePlugin.ExceptionDialog - + Select Attachment Seleccionar Anexo @@ -1183,60 +1183,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Complemento de Medios</strong><br />El complemento de medios permite reproducir audio y video. - + Media name singular Medio - + Media name plural Medios - + Media container title Medios - + Load new media. Cargar un medio nuevo. - + Add new media. Agregar un medio nuevo. - + Edit the selected media. Editar el medio seleccionado. - + Delete the selected media. Eliminar el medio seleccionado. - + Preview the selected media. Visualizar el medio seleccionado. - + Send the selected media live. Proyectar el medio seleccionado. - + Add the selected media to the service. Agregar este medio al servicio. @@ -1244,67 +1244,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media Seleccionar Medios - + You must select a media file to delete. Debe seleccionar un medio para eliminar. - + Missing Media File Archivo de Medios faltante - + The file %s no longer exists. El archivo %s ya no esta disponible. - + You must select a media file to replace the background with. Debe seleccionar un archivo de medios para reemplazar el fondo. - + There was a problem replacing your background, the media file "%s" no longer exists. Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - - File Too Big - + + Unsupported File + Archivo no Soportado - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automático + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Pantalla de Medios + + Available Media Players + - - Use Phonon for video playback - Use Phonon para reproducir video + + %s (unavailable) + %s (no disponible) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Do you want to add the other images anyway? Archivos de Imagen - + Information Información - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. ¡Uy! OpenLP encontró un problema, y no pudo recuperarse. El texto en el cuadro siguiente contiene información que podría ser útil para los desarrolladores de OpenLP, así que por favor envíe un correo a bugs@openlp.org, junto con una descripción detallada de lo que estaba haciendo cuando se produjo el problema. - + Error Occurred Se presento un Error - + Send E-Mail Enviar E-Mail - + Save to File Guardar a Archivo - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Por favor ingrese una descripción de lo que hacia al ocurrir el error (Mínimo 20 caracteres) - + Attach File Archivo Adjunto - + Description characters to enter : %s Caracteres faltantes: %s @@ -1642,24 +1667,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Plataforma: %s - + Save Crash Report Guardar Reporte de Errores - + Text files (*.txt *.log *.text) Archivos de texto (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2284,7 +2309,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display Pantalla de OpenLP @@ -2292,287 +2317,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Archivo - + &Import &Importar - + &Export &Exportar - + &View &Ver - + M&ode M&odo - + &Tools &Herramientas - + &Settings &Preferencias - + &Language &Idioma - + &Help &Ayuda - + Media Manager Gestor de Medios - + Service Manager Gestor de Servicio - + Theme Manager Gestor de Temas - + &New &Nuevo - + &Open &Abrir - + Open an existing service. Abrir un servicio existente. - + &Save &Guardar - + Save the current service to disk. Guardar el servicio actual en el disco. - + Save &As... Guardar &Como... - + Save Service As Guardar Servicio Como - + Save the current service under a new name. Guardar el servicio actual con un nombre nuevo. - + E&xit &Salir - + Quit OpenLP Salir de OpenLP - + &Theme &Tema - + &Configure OpenLP... &Configurar OpenLP... - + &Media Manager Gestor de &Medios - + Toggle Media Manager Alternar Gestor de Medios - + Toggle the visibility of the media manager. Alernar la visibilidad del gestor de medios. - + &Theme Manager Gestor de &Temas - + Toggle Theme Manager Alternar Gestor de Temas - + Toggle the visibility of the theme manager. Alernar la visibilidad del gestor de temas. - + &Service Manager Gestor de &Servicio - + Toggle Service Manager Alternar Gestor de Servicio - + Toggle the visibility of the service manager. Alernar la visibilidad del gestor de servicio. - + &Preview Panel &Panel de Vista Previa - + Toggle Preview Panel Alternar Panel de Vista Previa - + Toggle the visibility of the preview panel. Alernar la visibilidad del panel de vista previa. - + &Live Panel Panel de Pro&yección - + Toggle Live Panel Alternar Panel de Proyección - + Toggle the visibility of the live panel. Alternar la visibilidad del panel de proyección. - + &Plugin List Lista de &Complementos - + List the Plugins Lista de Complementos - + &User Guide Guía de &Usuario - + &About &Acerca de - + More information about OpenLP Más información acerca de OpenLP - + &Online Help &Ayuda En Línea - + &Web Site Sitio &Web - + Use the system language, if available. Usar el idioma del sistema, si esta disponible. - + Set the interface language to %s Fijar el idioma de la interface en %s - + Add &Tool... Agregar &Herramienta... - + Add an application to the list of tools. Agregar una aplicación a la lista de herramientas. - + &Default Por &defecto - + Set the view mode back to the default. Modo de vizualización por defecto. - + &Setup &Administración - + Set the view mode to Setup. Modo de Administración. - + &Live En &vivo - + Set the view mode to Live. Modo de visualización.en Vivo. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2581,22 +2606,22 @@ You can download the latest version from http://openlp.org/. Puede descargar la última versión desde http://openlp.org/. - + OpenLP Version Updated Versión de OpenLP Actualizada - + OpenLP Main Display Blanked Pantalla Principal de OpenLP en Blanco - + The Main Display has been blanked out La Pantalla Principal se ha puesto en blanco - + Default Theme: %s Tema por defecto: %s @@ -2607,125 +2632,125 @@ Puede descargar la última versión desde http://openlp.org/. Español - + Configure &Shortcuts... Configurar &Atajos... - + Close OpenLP Cerrar OpenLP - + Are you sure you want to close OpenLP? ¿Desea realmente salir de OpenLP? - + Open &Data Folder... Abrir Folder de &Datos... - + Open the folder where songs, bibles and other data resides. Abrir el folder donde se almacenan las canciones, biblias y otros datos. - + &Autodetect &Autodetectar - + Update Theme Images Actualizar Imágenes de Tema - + Update the preview images for all themes. Actualizar imagen de vista previa de todos los temas. - + Print the current service. Imprimir Orden del Servicio actual. - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings Preferencias - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2734,32 +2759,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File Abrir Archivo - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2767,19 +2792,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2789,7 +2814,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Nada Seleccionado @@ -2888,17 +2913,17 @@ Suffix not supported Inactivo - + %s (Inactive) %s (Inactivo) - + %s (Active) %s (Activo) - + %s (Disabled) %s (Desabilitado) @@ -3010,12 +3035,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3111,29 +3136,29 @@ Suffix not supported &Cambiar Tema de ítem - + File is not a valid service. The content encoding is not UTF-8. Este no es un servicio válido. La codificación del contenido no es UTF-8. - + File is not a valid service. El archivo no es un servicio válido. - + Missing Display Handler Controlador de Pantalla Faltante - + Your item cannot be displayed as there is no handler to display it No se puede mostrar el ítem porque no hay un controlador de pantalla disponible - + Your item cannot be displayed as the plugin required to display it is missing or inactive El ítem no se puede mostar porque falta el complemento requerido o esta desabilitado @@ -3163,7 +3188,7 @@ La codificación del contenido no es UTF-8. Abrir Archivo - + OpenLP Service Files (*.osz) Archivo de Servicio OpenLP (*.osz) @@ -3218,22 +3243,22 @@ La codificación del contenido no es UTF-8. El servicio actual a sido modificado. ¿Desea guardar este servicio? - + File could not be opened because it is corrupt. No se pudo abrir el archivo porque está corrompido. - + Empty File Archivo Vacio - + This service file does not contain any data. El archivo de servicio no contiene ningún dato. - + Corrupt File Archivo Corrompido @@ -3273,25 +3298,35 @@ La codificación del contenido no es UTF-8. Seleccione un tema para el servicio. - + This file is either corrupt or it is not an OpenLP 2.0 service file. El archivo está corrupto o no es un archivo OpenLP 2.0 válido. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3380,100 +3415,145 @@ La codificación del contenido no es UTF-8. OpenLP.SlideController - + Hide Ocultar - + Go To Ir A - + Blank Screen Pantalla en Blanco - + Blank to Theme Proyectar el Tema - + Show Desktop Mostrar Escritorio - - Previous Slide - Diapositiva Anterior - - - - Next Slide - Diapositiva Siguiente - - - + Previous Service Servicio Anterior - + Next Service Servicio Siguiente - + Escape Item Salir de ítem - + Move to previous. Ir al anterior. - + Move to next. Ir al siguiente. - + Play Slides Reproducir diapositivas - + Delay between slides in seconds. Tiempo entre diapositivas en segundos. - + Move to live. Proyectar en vivo. - + Add to Service. Agregar al Servicio. - + Edit and reload song preview. Editar y actualizar la vista previa. - + Start playing media. Reproducir medios. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3546,17 +3626,17 @@ La codificación del contenido no es UTF-8. El Inicio se establece despues del final del medio actual - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3657,69 +3737,62 @@ La codificación del contenido no es UTF-8. &Global, por defecto - + %s (default) %s (por defecto) - + You must select a theme to edit. Debe seleccionar un tema para editar. - + You are unable to delete the default theme. No se puede eliminar el tema predeterminado. - + You have not selected a theme. No ha seleccionado un tema. - + Save Theme - (%s) Guardar Tema - (%s) - + Theme Exported Tema Exportado - + Your theme has been successfully exported. Su tema a sido exportado exitosamente. - + Theme Export Failed La importación falló - + Your theme could not be exported due to an error. No se pudo exportar el tema dedido a un error. - + Select Theme Import File Seleccione el Archivo de Tema a Importar - - File is not a valid theme. -The content encoding is not UTF-8. - Este no es un tema válido. -La codificación del contenido no es UTF-8. - - - + File is not a valid theme. El archivo no es un tema válido. - + Theme %s is used in the %s plugin. El tema %s se usa en el complemento %s. @@ -3754,32 +3827,32 @@ La codificación del contenido no es UTF-8. ¿Renombrar el tema %s? - + You must select a theme to delete. Debe seleccionar un tema para eliminar. - + Delete Confirmation Confirmar Eliminación - + Delete %s theme? ¿Eliminar el tema %s? - + Validation Error Error de Validación - + A theme with this name already exists. Ya existe un tema con este nombre. - + OpenLP Themes (*.theme *.otz) Tema OpenLP (*.theme *otz) @@ -4412,7 +4485,7 @@ La codificación del contenido no es UTF-8. Listo. - + Starting import... Iniciando importación... @@ -4736,12 +4809,12 @@ La codificación del contenido no es UTF-8. Presentaciones (%s) - + Missing Presentation Presentación faltante - + The Presentation %s no longer exists. La Presentación %s ya no esta disponible. @@ -4754,17 +4827,17 @@ La codificación del contenido no es UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponibles - + Allow presentation application to be overriden Permitir tomar control sobre el programa de presentación - + %s (unavailable) %s (no disponible) @@ -4924,85 +4997,85 @@ La codificación del contenido no es UTF-8. SongUsagePlugin - + &Song Usage Tracking &Historial de Uso - + &Delete Tracking Data &Eliminar datos de Historial - + Delete song usage data up to a specified date. Borrar el historial de datos hasta la fecha especificada. - + &Extract Tracking Data &Extraer datos de Historial - + Generate a report on song usage. Generar un reporte del uso de las canciones. - + Toggle Tracking Alternar Historial - + Toggle the tracking of song usage. Alternar seguimiento del uso de las canciones. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Historial</strong><br />Este complemento mantiene un registro del número de veces que se usa una canción en los servicios. - + SongUsage name singular Historial - + SongUsage name plural Historiales - + SongUsage container title Historial - + Song Usage Historial - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -5100,130 +5173,130 @@ se ha creado satisfactoriamente. SongsPlugin - + &Song &Canción - + Import songs using the import wizard. Importar canciones usando el asistente. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Complemento de Canciones</strong><br />El complemento de canciones permite mostar y editar canciones. - + &Re-index Songs &Re-indexar Canciones - + Re-index the songs database to improve searching and ordering. Reorganiza la base de datos para mejorar la busqueda y ordenamiento. - + Reindexing songs... Reindexando canciones... - + Song name singular Canción - + Songs name plural Canciones - + Songs container title Canciones - + Arabic (CP-1256) Árabe (CP-1256) - + Baltic (CP-1257) Báltico (CP-1257) - + Central European (CP-1250) Europa Central (CP-1250) - + Cyrillic (CP-1251) Cirílico (CP-1251) - + Greek (CP-1253) Griego (CP-1253) - + Hebrew (CP-1255) Hebreo (CP-1255) - + Japanese (CP-932) Japonés (CP-932) - + Korean (CP-949) Koreano (CP-949) - + Simplified Chinese (CP-936) Chino Simplificado (CP-936) - + Thai (CP-874) Tailandés (CP-874) - + Traditional Chinese (CP-950) Chino Tradicional (CP-950) - + Turkish (CP-1254) Turco (CP-1254) - + Vietnam (CP-1258) Vietnamita (CP-1258) - + Western European (CP-1252) Europa Occidental (CP-1252) - + Character Encoding Codificación de Caracteres - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5232,44 +5305,44 @@ por la correcta representación de los caracteres. Por lo general, la opción preseleccionada es la adecuada. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Por favor elija una codificación de caracteres. La codificación se encarga de la correcta representación de caracteres. - + Exports songs using the export wizard. Exportar canciones usando el asistente. - + Add a new song. Agregar una canción nueva. - + Edit the selected song. Editar la canción seleccionada. - + Delete the selected song. Eliminar la canción seleccionada. - + Preview the selected song. Visualizar la canción seleccionada. - + Send the selected song live. Proyectar la canción seleccionada. - + Add the selected song to the service. Agregar esta canción al servicio. @@ -5315,7 +5388,7 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. El archivo no tiene una extensión válida. @@ -5433,82 +5506,82 @@ La codificación se encarga de la correcta representación de caracteres.Tema, Derechos de Autor && Comentarios - + Add Author Agregar Autor - + This author does not exist, do you want to add them? Este autor no existe, ¿desea agregarlo? - + This author is already in the list. Este autor ya esta en la lista. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. No seleccionado un autor válido. Seleccione un autor de la lista o ingrese un nombre nuevo y presione el botón "Agregar Autor a Canción" para agregar el autor nuevo. - + Add Topic Agregar Categoría - + This topic does not exist, do you want to add it? Esta categoría no existe, ¿desea agregarla? - + This topic is already in the list. Esta categoría ya esta en la lista. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. No seleccionado una categoría válida. Seleccione una categoría de la lista o ingrese un nombre nuevo y presione el botón "Agregar Categoría a Canción" para agregar la categoría nueva. - + You need to type in a song title. Debe escribir un título. - + You need to type in at least one verse. Debe agregar al menos un verso. - + Warning Advertencia - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. El orden de los versos no es válido. Ningún verso corresponde a %s. Las entradas válidas so %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? No ha utilizado %s en el orden de los versos. ¿Desea guardar la canción de esta manera? - + Add Book Agregar Himnario - + This song book does not exist, do you want to add it? Este himnario no existe, ¿desea agregarlo? - + You need to have an author for this song. Debe ingresar un autor para esta canción. @@ -5538,7 +5611,7 @@ La codificación se encarga de la correcta representación de caracteres. - + Open File(s) @@ -5619,7 +5692,7 @@ La codificación se encarga de la correcta representación de caracteres.Destino No especificado - + Starting export... Iniciando exportación... @@ -5634,7 +5707,7 @@ La codificación se encarga de la correcta representación de caracteres.Debe especificar un directorio. - + Select Destination Folder Seleccione Carpeta de Destino @@ -5652,7 +5725,7 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Seleccione Documento/Presentación @@ -5667,7 +5740,7 @@ La codificación se encarga de la correcta representación de caracteres.Este asistente le ayudará a importar canciones de diversos formatos. Presione Siguiente para iniciar el proceso al seleccionar un formato a importar. - + Generic Document/Presentation Documento/Presentación genérica @@ -5697,42 +5770,42 @@ La codificación se encarga de la correcta representación de caracteres.El importador OpenLyrics no esta desarrollado, pero puede notar que tenemos la intención de hacerlo. Esperamos incluirlo en la siguiente versión. - + OpenLP 2.0 Databases Base de Datos OpenLP 2.0 - + openlp.org v1.x Databases Base de datos openlp v1.x - + Words Of Worship Song Files Archivo Words Of Worship - + Songs Of Fellowship Song Files Archivo Songs Of Fellowship - + SongBeamer Files Archivo SongBeamer - + SongShow Plus Song Files Archivo SongShow Plus - + You need to specify at least one document or presentation file to import from. Debe especificar al menos un documento o presentación para importar. - + Foilpresenter Song Files Archivo Foilpresenter @@ -5757,12 +5830,12 @@ La codificación se encarga de la correcta representación de caracteres.El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5793,7 +5866,7 @@ La codificación se encarga de la correcta representación de caracteres.Letra - + CCLI License: Licensia CCLI: @@ -5803,7 +5876,7 @@ La codificación se encarga de la correcta representación de caracteres.Canción Completa - + Are you sure you want to delete the %n selected song(s)? ¿Desea realmente borrar %n canción(es) seleccionada(s)? @@ -5816,7 +5889,7 @@ La codificación se encarga de la correcta representación de caracteres.Administrar la lista de autores, categorías y libros. - + copy For song cloning @@ -5872,12 +5945,12 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongExportForm - + Your song export failed. La importación falló. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5913,7 +5986,7 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongImportForm - + Your song import failed. La importación falló. diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 782fd1cce..4f1b756cd 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -3,37 +3,37 @@ AlertsPlugin - + &Alert &Teade - + Show an alert message. Teate kuvamine. - + Alert name singular Teade - + Alerts name plural Teated - + Alerts container title Teated - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. - <strong>Teadete plugin</strong><br />Teadete plugina abil saa ekraanil näidata näiteks lastehoiu või muid teateid. + <strong>Teadete plugin</strong><br />Teadete plugina abil saab ekraanil näidata näiteks lastehoiu või muid teateid. @@ -86,7 +86,7 @@ No Parameter Found - Parameetreid ei leitud + Parameetreid ei leitud @@ -98,13 +98,13 @@ Kas tahad siiski jätkata? No Placeholder Found - Kohahoidjat ei leitud + Kohahoidjat ei leitud The alert text does not contain '<>'. Do you want to continue anyway? - Teate tekst ei sisalda '<>'. + Teate tekst ei sisalda '<>' märke. Kas tahad siiski jätkata? @@ -119,32 +119,32 @@ Kas tahad siiski jätkata? AlertsPlugin.AlertsTab - + Font Font - + Font name: Fondi nimi: - + Font color: Teksti värvus: - + Background color: Tausta värvus: - + Font size: Teksti suurus: - + Alert timeout: Teate kestus: @@ -152,24 +152,24 @@ Kas tahad siiski jätkata? BiblesPlugin - + &Bible &Piibel - + Bible name singular Piibel - + Bibles name plural Piiblid - + Bibles container title Piiblid @@ -185,54 +185,54 @@ Kas tahad siiski jätkata? Sellest Piiblist ei leitud vastavat raamatut. Kontrolli, kas sa sisestasid raamatu nime õigesti. - + Import a Bible. Piibli importimine. - + Add a new Bible. Uue Piibli lisamine. - + Edit the selected Bible. Valitud Piibli muutmine. - + Delete the selected Bible. Valitud Piibli kustutamine. - + Preview the selected Bible. Valitud Piibli eelvaade. - + Send the selected Bible live. Valitud Piibli saatmine ekraanile. - + Add the selected Bible to the service. Valitud Piibli lisamine teenistusele. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Piibli plugin</strong><br />Piibli plugin võimaldab kuvada teenistuse ajal eri allikatest piiblisalme. - + &Upgrade older Bibles - &Uuenda vanemad Piiblid + &Uuenda vanemad Piiblid - + Upgrade the Bible databases to the latest format. - Piibli andmebaaside uuendamine viimasesse formaati. + Piiblite andmebaaside uuendamine uusimasse vormingusse. @@ -274,7 +274,7 @@ Book Chapter:Verse-Verse Book Chapter:Verse-Verse,Verse-Verse Book Chapter:Verse-Verse,Chapter:Verse-Verse Book Chapter:Verse-Chapter:Verse - Salmiviide pole toetatud või on vigane. Veendu, et see vastab mõnele järgnevale mustrile: + Salmiviide pole toetatud või on vigane.See peaks vastama mõnele järgnevale mustrile: Raamat peatükk Raamat peatükk-peatükk @@ -331,7 +331,7 @@ Raamat peatükk:salm-peatükk:salm Note: Changes do not affect verses already in the service. Märkus: -Muudatused ei rakendu juba teenistusesse lisatud salmidele. +Muudatused ei rakendu juba teenistuses olevatele salmidele. @@ -393,20 +393,20 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele. BiblesPlugin.CSVBible - + Importing books... %s - Raamatute importimine... %s + Raamatute importimine... %s - + Importing verses from %s... Importing verses from <book name>... Salmide importimine raamatust <book name>... - + Importing verses... done. - Salmide importimine... valmis. + Salmide importimine... valmis. @@ -425,27 +425,27 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele. Importing %s... Importing <book name>... - %s importimine... + Raamatu %s importimine... Download Error - Tõrge allalaadimisel + Tõrge allalaadimisel There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast. + Valitud salmide allalaadimisel esines viga. Kontrolli oma internetiühendust ning kui see viga kordub, teata sellest veast. Parse Error - Parsimise viga + Parsimise viga There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast. + Sinu salmide vahemiku analüüsimisel esines viga. Kui see viga kordub, siis palun teata sellest veast. @@ -458,7 +458,7 @@ Muudatused ei rakendu juba teenistusesse lisatud salmidele. This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - See nõustaja aitab erinevatest vormingutest Piibleid importida. Klõpsa all asuvale edasi nupule, et alustada vormingu valimisest, millest importida. + See nõustaja aitab erinevates vormingutes Piibleid importida. Klõpsa all asuvale edasi nupule, et alustada vormingu valimisest, millest importida. @@ -633,7 +633,7 @@ vastavalt vajadusele ning seetõttu on vaja internetiühendust. Language: - Keel: + Keel: @@ -699,27 +699,27 @@ vastavalt vajadusele ning seetõttu on vaja internetiühendust. Toggle to keep or clear the previous results. - Vajuta eelmiste tulemuste säilistamiseks või eemaldamiseks. + Vajuta eelmiste tulemuste säilitamiseks või eemaldamiseks. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga? + Ühe- ja kahekeelseid piiblisalmide otsitulemusi pole võimalik kombineerida. Kas tahad otsingu tulemused kustutada ja alustada uue otsinguga? Bible not fully loaded. - Piibel ei ole täielikult laaditud. + Piibel ei ole täielikult laaditud. Information - Andmed + Andmed The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse. + Teine Piibel ei sisalda kõiki salme, mis on peamises Piiblis. Näidatakse ainult neid salme, mis leiduvad mõlemas Piiblis. %d salmi ei kaasatud tulemustesse. @@ -734,12 +734,12 @@ vastavalt vajadusele ning seetõttu on vaja internetiühendust. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Kooditabeli tuvastamine (see võib võtta mõne minuti)... - + Importing %s %s... Importing <book name> <chapter>... %s %s. peatüki importimine... @@ -829,7 +829,7 @@ Uuendamine... Download Error - Tõrge allalaadimisel + Tõrge allalaadimisel @@ -912,7 +912,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Custom Slides name plural - Kohandatud slaidid + Kohandatud slaidid @@ -923,7 +923,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Load a new custom slide. - Laadi uus kohandatud slaid. + Uue kohandatud slaidi laadimine. @@ -1004,7 +1004,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Split a slide into two by inserting a slide splitter. - Tükelda slaid kaheks, sisestades slaidide eraldaja. + Slaidi lõikamine kaheks, sisestades slaidide eraldaja. @@ -1017,12 +1017,12 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on &Autorid: - + You need to type in a title. Pead sisestama pealkirja. - + You need to add at least one slide Pead lisama vähemalt ühe slaidi @@ -1034,7 +1034,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Insert Slide - Slaidi sisestamine + Uus slaid @@ -1053,7 +1053,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - <strong>Pildiplugin</strong><br />Pildiplugin võimaldab piltide kuvamise.<br />Üks selle plugina One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + <strong>Pildiplugin</strong><br />Pildiplugin võimaldab piltide kuvamise.<br />Üks selle plugina tähtsamaid võimalusi on piltide grupeerimine teenistuse halduris, muutes paljude piltide koos kuvamise lihtsamaks. See plugin võib kasutada ka ajastatud slaidivahetust automaatse slaidiesitluse tegemiseks. Lisaks sellele võib plugina pilte kasutada aktiivse kujunduse tausta asendamiseks. @@ -1112,7 +1112,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on ImagePlugin.ExceptionDialog - + Select Attachment Manuse valimine @@ -1122,12 +1122,12 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on Select Image(s) - Pildi (piltide) valimine + Piltide valimine You must select an image to delete. - Pead valima pildi, mida kustutada. + Pead enne valima pildi, mida kustutada. @@ -1148,7 +1148,8 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on The following image(s) no longer exist: %s Do you want to add the other images anyway? - Järgnevaid pilte enam pole: %sKas tahad teised pildid sellest hoolimata lisada? + Järgnevaid pilte enam pole: %s +Kas tahad teised pildid sellest hoolimata lisada? @@ -1166,76 +1167,76 @@ Do you want to add the other images anyway? Background Color - + Taustavärv Default Color: - + Vaikimisi värvus: Provides border where image is not the correct dimensions for the screen when resized. - + Kui pildi mõõtmed ei sobi ekraani mõõtmetega, näidatakse pildi servades seda värvi ribasid. MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - <strong>Meediaplugin</strong><br />Meedia plugin võimaldab audio- ja videofailide taasesitamist. + <strong>Meediaplugin</strong><br />Meediaplugin võimaldab audio- ja videofailide taasesitamise. - + Media name singular Meedia - + Media name plural Meedia - + Media container title Meedia - + Load new media. Uue meedia laadimine. - + Add new media. Uue meedia lisamine. - + Edit the selected media. Valitud meedia muutmine. - + Delete the selected media. Valitud meedia kustutamine. - + Preview the selected media. Valitud meedia eelvaatlus. - + Send the selected media live. - Valitud saatmine ekraanile. + Valitud meedia saatmine ekraanile. - + Add the selected media to the service. Valitud meedia lisamine teenistusele. @@ -1243,67 +1244,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media Meedia valimine - + You must select a media file to delete. - Pead valima meedia, mida kustutada. + Pead enne valima meedia, mida kustutada. - + Missing Media File Puuduv meediafail - + The file %s no longer exists. Faili %s ei ole enam olemas. - + You must select a media file to replace the background with. Pead enne valima meediafaili, millega tausta asendada. - + There was a problem replacing your background, the media file "%s" no longer exists. Tausta asendamisel esines viga, meediafaili "%s" enam pole. - + Videos (%s);;Audio (%s);;%s (*) Videod (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Polnud ühtegi kuvatavat elementi, mida täiendada. - - File Too Big - + + Unsupported File + Fail ei ole toetatud - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automaatne + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Meediakuva + + Available Media Players + - - Use Phonon for video playback - Phononi kasutamine video esitamiseks + + %s (unavailable) + %s (pole saadaval) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1314,12 +1340,12 @@ Do you want to add the other images anyway? Pildifailid - + Information - Andmed + Andmed - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1549,7 +1575,7 @@ Osade autoriõigus © 2004-2011 %s Hide mouse cursor when over display window - Ekraanil oleva akna kohal peidetakse hiirekursor + Ekraaniakna kohal peidetakse hiirekursor @@ -1574,12 +1600,12 @@ Osade autoriõigus © 2004-2011 %s Preview items when clicked in Media Manager - Elemendi eelvaate kuvamine, kui sellele klõpsatakse meediahalduris + Meediahalduris klõpsamisel kuvatakse eelvaade Advanced - Täpsem + Täpsem @@ -1589,7 +1615,7 @@ Osade autoriõigus © 2004-2011 %s Browse for an image file to display. - Vali pilt, mida kuvada. + Kuvatava pildi valimine. @@ -1600,39 +1626,39 @@ Osade autoriõigus © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred Esines viga - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - Uups! OpenLP-s esines viga, millest pole võimalik taastada. Alumises kastis olev tekst võib olla kasulik OpenLP arendajatele, palun meili see aadressil bugs@openlp.org, koos täpse kirjeldusega sellest, mida sa tegid, kui selline probleem esines. + Uups! OpenLP-s esines viga, millest pole võimalik taastada. Alumises kastis olev tekst võib olla kasulik OpenLP arendajatele, palun meili see aadressil bugs@openlp.org, koos täpse kirjeldusega sellest, mida sa parasjagu tegid, kui selline probleem esines. - + Send E-Mail Saada e-kiri - + Save to File Salvesta faili - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - Palun kirjelda siin, mida sa tegid, mis kutsus selle vea esile. + Palun kirjelda siin, mida sa parasjagu tegid, mis kutsus selle vea esile. (vähemalt 20 tähte) - + Attach File Pane fail kaasa - + Description characters to enter : %s Puuduvad tähed kirjelduses: %s @@ -1640,24 +1666,24 @@ Osade autoriõigus © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platvorm: %s - + Save Crash Report Vearaporti salvestamine - + Text files (*.txt *.log *.text) Tekstifailid (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1672,10 +1698,11 @@ Version: %s --- Library Versions --- %s - **OpenLP Bug Report** -Version: %s + **OpenLP vearaport** +Versioon: %s +Kui võimalik, kirjuta palun vearaport inglise keeles. ---- Details of the Exception. --- +--- Vea üksikasjad. --- %s @@ -1688,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -1704,10 +1731,11 @@ Version: %s %s Please add the information that bug reports are favoured written in English. - *OpenLP Bug Report* -Version: %s + *OpenLP vearaport* +Versioon: %s +Kui võimalik, kirjuta palun vearaport inglise keeles. ---- Details of the Exception. --- +--- Vea üksikasjad. --- %s @@ -1730,7 +1758,7 @@ Version: %s New File Name: - Uue faili nimi: + Faili uus nimi: @@ -1943,19 +1971,23 @@ Version: %s No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Internetiühendust ei leitud. Esmakäivituse nõustajal on näidislaulude, Piiblite ja kujunduste allalaadimiseks vaja internetti. Et käivitada tavalise seadistusega ning ilma näidisandmeteta, klõpsa Lõpeta nupule. + +Esmakäivituse nõustaja käivitamiseks ning näidisandmestiku importimiseks hiljem kontrolli oma internetiühendust ja käivita see nõustaja valides OpenLP menüüst "Tööriistad/Käivita esmakäivituse nõustaja uuesti". To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. - + + +Esmakäivituse nõustaja lõplikuks katkestamiseks (ning OpenLP mittekäivitamiseks) vajuta nupule Loobu. Finish - Lõpp + Lõpeta @@ -1968,37 +2000,37 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Edit Selection - Valiku muutmine + Valiku muutmine Save - Salvesta + Salvesta Description - Kirjeldus + Kirjeldus Tag - Silt + Märgis Start tag - Alustav silt + Alustav märgis End tag - Lõpetav silt + Lõpetav märgis Tag Id - Märgise ID + Märgise ID @@ -2016,32 +2048,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Update Error - Tõrge uuendamisel + Tõrge uuendamisel Tag "n" already defined. - Silt "n" on juba defineeritud. + Märgis "n" on juba defineeritud. New Tag - Uus silt + Uus märgis <HTML here> - <HTML siia> + <HTML siia> </and here> - </ja siia> + </ja siia> Tag %s already defined. - Silt %s on juba defineeritud. + Märgis %s on juba defineeritud. @@ -2049,77 +2081,77 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Red - Punane + Punane Black - Must + Must Blue - Sinine + Sinine Yellow - Kollane + Kollane Green - Roheline + Roheline Pink - Roosa + Roosa Orange - Oranž + Oranž Purple - Lilla + Lilla White - Valge + Valge Superscript - Ülaindeks + Ülaindeks Subscript - Alaindeks + Alaindeks Paragraph - Lõik + Lõik Bold - Rasvane + Rasvane Italics - Kursiiv + Kursiiv Underline - Allajoonitud + Allajoonitud @@ -2142,12 +2174,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Select monitor for output display: - Vali väljundkuva ekraan: + Peamise kuva ekraan: Display if a single screen - Kuvatakse, kui on ainult üks ekraan + Kuvatakse ka, kui on ainult üks ekraan @@ -2177,17 +2209,17 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Prompt to save before starting a new service - Enne uue teenistuse alustamist küsitakse, kas salvestada avatud teenistus + Uue teenistuse alustamisel pakutakse eelmise salvestamist Automatically preview next item in service - Järgmise teenistuse elemendi automaatne eelvaade + Teenistuse järgmise elemendi automaatne eelvaatlus sec - sek + s @@ -2242,27 +2274,27 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Unblank display when adding new live item - Uue elemendi saatmisel ekraanile võetakse ekraani tühjendamine maha + Ekraanile saatmisel võetakse ekraani tühjendamine maha Enable slide wrap-around - + Viimaselt slaidilt esimesele liikumine Timed slide interval: - + Ajastatud slaidi kestus: Background Audio - + Taustamuusika Start background audio paused - + Taustamuusika on alguses pausitud @@ -2281,7 +2313,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display OpenLP kuva @@ -2289,307 +2321,307 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Fail - + &Import &Impordi - + &Export &Ekspordi - + &View &Vaade - + M&ode &Režiim - + &Tools &Tööriistad - + &Settings &Sätted - + &Language &Keel - + &Help A&bi - + Media Manager Meediahaldur - + Service Manager Teenistuse haldur - + Theme Manager - Kujunduse haldur + Kujunduste haldur - + &New &Uus - + &Open &Ava - + Open an existing service. Olemasoleva teenistuse avamine. - + &Save &Salvesta - + Save the current service to disk. Praeguse teenistuse salvestamine kettale. - + Save &As... Salvesta &kui... - + Save Service As Salvesta teenistus kui - + Save the current service under a new name. Praeguse teenistuse salvestamine uue nimega. - + E&xit &Välju - + Quit OpenLP Lahku OpenLPst - + &Theme &Kujundus - + &Configure OpenLP... &Seadista OpenLP... - + &Media Manager &Meediahaldur - + Toggle Media Manager Meediahalduri lüliti - + Toggle the visibility of the media manager. Meediahalduri nähtavuse ümberlüliti. - + &Theme Manager &Kujunduse haldur - + Toggle Theme Manager Kujunduse halduri lüliti - + Toggle the visibility of the theme manager. Kujunduse halduri nähtavuse ümberlülitamine. - + &Service Manager &Teenistuse haldur - + Toggle Service Manager Teenistuse halduri lüliti - + Toggle the visibility of the service manager. Teenistuse halduri nähtavuse ümberlülitamine. - + &Preview Panel &Eelvaatluspaneel - + Toggle Preview Panel Eelvaatluspaneeli lüliti - + Toggle the visibility of the preview panel. Eelvaatluspaneeli nähtavuse ümberlülitamine. - + &Live Panel &Ekraani paneel - + Toggle Live Panel Ekraani paneeli lüliti - + Toggle the visibility of the live panel. Ekraani paneeli nähtavuse muutmine. - + &Plugin List &Pluginate loend - + List the Plugins Pluginate loend - + &User Guide &Kasutajajuhend - + &About &Lähemalt - + More information about OpenLP Lähem teave OpenLP kohta - + &Online Help &Abi veebis - + &Web Site &Veebileht - + Use the system language, if available. Kui saadaval, kasutatakse süsteemi keelt. - + Set the interface language to %s Kasutajaliidese keeleks %s määramine - + Add &Tool... Lisa &tööriist... - + Add an application to the list of tools. Rakenduse lisamine tööriistade loendisse. - + &Default &Vaikimisi - + Set the view mode back to the default. Vaikimisi kuvarežiimi taastamine. - + &Setup &Ettevalmistus - + Set the view mode to Setup. Ettevalmistuse kuvarežiimi valimine. - + &Live &Otse - + Set the view mode to Live. Vaate režiimiks ekraanivaate valimine. - + OpenLP Version Updated OpenLP uuendus - + OpenLP Main Display Blanked OpenLP peakuva on tühi - + The Main Display has been blanked out Peakuva on tühi - + Default Theme: %s Vaikimisi kujundus: %s - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2604,77 +2636,77 @@ Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/.Eesti - + Configure &Shortcuts... &Kiirklahvide seadistamine... - + Close OpenLP OpenLP sulgemine - + Are you sure you want to close OpenLP? Kas oled kindel, et tahad OpenLP sulgeda? - + Open &Data Folder... Ava &andmete kataloog... - + Open the folder where songs, bibles and other data resides. Laulude, Piiblite ja muude andmete kataloogi avamine. - + &Autodetect &Isetuvastus - + Update Theme Images - Teemapiltide uuendamine + Uuenda kujunduste pildid - + Update the preview images for all themes. Kõigi teemade eelvaatepiltide uuendamine. - + Print the current service. Praeguse teenistuse printimine. - + L&ock Panels &Lukusta paneelid - + Prevent the panels being moved. Paneelide liigutamise kaitse. - + Re-run First Time Wizard Käivita esmanõustaja uuesti - + Re-run the First Time Wizard, importing songs, Bibles and themes. Käivita esmanõustaja uuesti laulude, Piiblite ja kujunduste importimiseks. - + Re-run First Time Wizard? Kas käivitada esmanõustaja uuesti? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2683,112 +2715,120 @@ Re-running this wizard may make changes to your current OpenLP configuration and Selle nõustaja taaskäivitamine muudab sinu praegust OpenLP seadistust ja võib lisada laule olemasolevate laulude loetelusse ning muuta vaikimisi kujundust. - + &Recent Files - + &Hiljutised failid - + Clear List Clear List of recent files - + Tühjenda loend - + Clear the list of recent files. - - - - - Configure &Formatting Tags... - - - - - Export OpenLP settings to a specified *.config file - + Hiljutiste failide nimekirja tühjendamine. + Configure &Formatting Tags... + &Vormindusmärgised... + + + + Export OpenLP settings to a specified *.config file + OpenLP sätete eksportimine määratud *.config faili + + + Settings - Sätted + Sätted - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + OpenLP sätete importimine määratud *.config failist, mis on varem sellest või mõnest teisest arvutist eksporditud. - + Import settings? - + Kas importida sätted? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + Kas tahad kindlasti sätted importida? + +Sätete importimine muudab jäädavalt sinu praegust OpenLP seadistust. + +Väärade sätete importimine võib põhjustada OpenLP väära käitumist või sulgumist. - + Open File - Faili avamine + Faili avamine - + OpenLP Export Settings Files (*.conf) - + OpenLP eksporditud sätete failid (*.conf) - + Import settings - + Sätete importimine - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + OpenLP sulgub nüüd. Imporditud sätted rakenduvad OpenLP järgmisel käivitumisel. - + Export Settings File - + Sättefaili eksportimine - + OpenLP Export Settings File (*.conf) - + OpenLP eksporditud sätete fail (*.conf) OpenLP.Manager - + Database Error - + Andmebaasi viga - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + Laaditav andmebaas loodi mõne OpenLP vanema versiooniga. Andmebaasi praegune versioon on %d, kuid OpenLP ootab versiooni %d. Andmebaasi ei laadita. + +Andmebaas: %s - + OpenLP cannot load your database. Database: %s - + OpenLP ei suuda sinu andmebaasi laadida. + +Andmebaas: %s OpenLP.MediaManagerItem - + No Items Selected Ühtegi elementi pole valitud @@ -2830,33 +2870,34 @@ Database: %s You must select one or more items to add. - + Pead valima vähemalt ühe kirje, mida tahad lisada. No Search Results - + Otsing ei andnud tulemusi &Clone - + &Klooni Invalid File Type - + Sobimatut liiki fail Invalid File %s. Suffix not supported - + Sobimatu fail %s. +Selle lõpuga fail ei ole toetatud Duplicate files were found on import and were ignored. - + Importimisel tuvastati duplikaatfailid ning neid eirati. @@ -2887,17 +2928,17 @@ Suffix not supported Pole aktiivne - + %s (Inactive) %s (pole aktiivne) - + %s (Active) %s (aktiivne) - + %s (Disabled) %s (keelatud) @@ -2955,7 +2996,7 @@ Suffix not supported Include slide text if available - Slaidi teksti, kui saadaval + Slaidi tekst, kui saadaval @@ -2975,22 +3016,22 @@ Suffix not supported Service Sheet - + Teenistuse leht Print - + Prindi Title: - + Pealkiri: Custom Footer Text: - + Kohandatud jaluse tekst: @@ -3009,14 +3050,14 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Algus</strong>: %s - + <strong>Length</strong>: %s - + <strong>Kestus</strong>: %s @@ -3110,31 +3151,31 @@ Suffix not supported &Muuda elemendi kujundust - + File is not a valid service. The content encoding is not UTF-8. Fail ei ole sobiv teenistus. Sisu ei ole UTF-8 kodeeringus. - + File is not a valid service. Fail pole sobiv teenistus. - + Missing Display Handler Puudub kuvakäsitleja - + Your item cannot be displayed as there is no handler to display it Seda elementi pole võimalik näidata ekraanil, kuna puudub seda käsitsev programm - + Your item cannot be displayed as the plugin required to display it is missing or inactive - Seda elementi pole võimalik näidata ekraanil, kuna puudub seda käsitsev programm + Seda elementi pole võimalik näidata, kuna vajalik plugin on puudu või pole aktiivne @@ -3162,7 +3203,7 @@ Sisu ei ole UTF-8 kodeeringus. Faili avamine - + OpenLP Service Files (*.osz) OpenLP teenistuse failid (*.osz) @@ -3214,25 +3255,25 @@ Sisu ei ole UTF-8 kodeeringus. The current service has been modified. Would you like to save this service? - Praegust teensitust on muudetud. Kas tahad selle teenistuse salvestada? + Praegust teenistust on muudetud. Kas tahad selle teenistuse salvestada? - + File could not be opened because it is corrupt. Faili pole võimalik avada, kuna see on rikutud. - + Empty File Tühi fail - + This service file does not contain any data. Selles teenistuse failis pole andmeid. - + Corrupt File Rikutud fail @@ -3272,23 +3313,33 @@ Sisu ei ole UTF-8 kodeeringus. Teenistuse jaoks kujunduse valimine. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + See fail on rikutud või ei ole see OpenLP 2.0 teenistuse fail. - + Slide theme - + Slaidi kujundus - + Notes + Märkmed + + + + Service File Missing + Teenistuse fail puudub + + + + Edit - - Service File Missing + + Service copy only @@ -3343,12 +3394,12 @@ Sisu ei ole UTF-8 kodeeringus. Default - Vaikimisi + Vaikimisi Custom - Kohandatud + Kohandatud @@ -3373,104 +3424,149 @@ Sisu ei ole UTF-8 kodeeringus. Configure Shortcuts - + Seadista kiirklahve OpenLP.SlideController - + Hide Peida - + Go To - Liigu kohta + Mine - + Blank Screen Ekraani tühjendamine - + Blank to Theme Kujunduse tausta näitamine - + Show Desktop Töölaua näitamine - - Previous Slide - Eelmine slaid - - - - Next Slide - Järgmine slaid - - - + Previous Service Eelmine teenistus - + Next Service Järgmine teenistus - + Escape Item Kuva sulgemine - + Move to previous. - + Eelmisele liikumine. - + Move to next. - - - - - Play Slides - - - - - Delay between slides in seconds. - + Järgmisele liikumine. - Move to live. - + Play Slides + Slaidide esitamine - - Add to Service. - - - - - Edit and reload song preview. - + + Delay between slides in seconds. + Viivitus slaidide vahel sekundites. + Move to live. + Ekraanile saatmine. + + + + Add to Service. + Teenistusele lisamine. + + + + Edit and reload song preview. + Laulu muutmine ja eelvaate uuesti laadimine. + + + Start playing media. + Meedia esitamise alustamine. + + + + Pause audio. + Audio pausimine. + + + + Pause playing media. - - Pause audio. + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" @@ -3484,7 +3580,7 @@ Sisu ei ole UTF-8 kodeeringus. Formatting Tags - Siltide vormindus + Vormindussildid @@ -3502,7 +3598,7 @@ Sisu ei ole UTF-8 kodeeringus. Minutes: - Minutid: + Minutit: @@ -3527,7 +3623,7 @@ Sisu ei ole UTF-8 kodeeringus. Length - Pikkus + Kestus @@ -3537,27 +3633,27 @@ Sisu ei ole UTF-8 kodeeringus. Finish time is set after the end of the media item - + Lõpetamise aeg on pärast meedia lõppu. Start time is after the finish time of the media item - + Alustamise aeg on pärast meedia lõppu. - + Theme Layout - + Kujunduse paigutus - + The blue box shows the main area. - + Sinine raam näitab peaala. - + The red box shows the footer. - + Punane raam näitab jalust. @@ -3590,7 +3686,7 @@ Sisu ei ole UTF-8 kodeeringus. (approximately %d lines per slide) - + (umbes %d rida slaidil) @@ -3656,69 +3752,62 @@ Sisu ei ole UTF-8 kodeeringus. Määra &globaalseks vaikeväärtuseks - + %s (default) %s (vaikimisi) - + You must select a theme to edit. Pead valima kujunduse, mida muuta. - + You are unable to delete the default theme. Vaikimisi kujundust pole võimalik kustutada. - + Theme %s is used in the %s plugin. Kujundust %s kasutatakse pluginas %s. - + You have not selected a theme. Sa ei ole kujundust valinud. - + Save Theme - (%s) Salvesta kujundus - (%s) - + Theme Exported Kujundus eksporditud - + Your theme has been successfully exported. - Sinu kujunduse on edukalt eksporditud. + Sinu kujundus on edukalt eksporditud. - + Theme Export Failed Kujunduse eksportimine nurjus - + Your theme could not be exported due to an error. Sinu kujundust polnud võimalik eksportida, kuna esines viga. - + Select Theme Import File Importimiseks kujunduse faili valimine - - File is not a valid theme. -The content encoding is not UTF-8. - See fail ei ole korrektne kujundus. -Sisu kodeering ei ole UTF-8. - - - + File is not a valid theme. See fail ei ole sobilik kujundus. @@ -3753,32 +3842,32 @@ Sisu kodeering ei ole UTF-8. Kas anda kujundusele %s uus nimi? - + You must select a theme to delete. Pead valima kujunduse, mida tahad kustutada. - + Delete Confirmation Kustutamise kinnitus - + Delete %s theme? Kas kustutada kujundus %s? - + Validation Error Valideerimise viga - + A theme with this name already exists. Sellenimeline teema on juba olemas. - + OpenLP Themes (*.theme *.otz) OpenLP kujundused (*.theme *.otz) @@ -3786,7 +3875,7 @@ Sisu kodeering ei ole UTF-8. Copy of %s Copy of <theme name> - + %s (koopia) @@ -3924,7 +4013,7 @@ Sisu kodeering ei ole UTF-8. Allows additional display formatting information to be defined - Võimaldab määrata lisaks vorminduse andmeid + Võimaldab määrata lisavorminduse andmeid @@ -4004,7 +4093,7 @@ Sisu kodeering ei ole UTF-8. View the theme and save it replacing the current one or change the name to create a new theme - Vaata kujundus üle ja salvesta see, asendades olemasolev või muuda nime, et luua uus kujundus + Vaata kujundus üle ja salvesta see, asendades olemasolev, või muuda nime, et luua uus kujundus @@ -4034,27 +4123,27 @@ Sisu kodeering ei ole UTF-8. Starting color: - + Algusvärvus: Ending color: - + Lõppvärvus: Background color: - + Tausta värvus: Justify - + Rööpjoondus Layout Preview - + Kujunduse eelvaade @@ -4102,7 +4191,7 @@ Sisu kodeering ei ole UTF-8. Themes - Kujundused + Kujundused @@ -4411,7 +4500,7 @@ Sisu kodeering ei ole UTF-8. Valmis. - + Starting import... Importimise alustamine... @@ -4486,17 +4575,17 @@ Sisu kodeering ei ole UTF-8. Continuous - Jätkuv + Jätkuv Default - Vaikimisi + Vaikimisi Display style: - Kuvalaad: + Kuvalaad: @@ -4512,12 +4601,12 @@ Sisu kodeering ei ole UTF-8. h The abbreviated unit for hours - h + t Layout style: - Paigutuse laad: + Paigutuse laad: @@ -4528,7 +4617,7 @@ Sisu kodeering ei ole UTF-8. m The abbreviated unit for minutes - m + m @@ -4548,12 +4637,12 @@ Sisu kodeering ei ole UTF-8. Verse Per Slide - Iga salm eraldi slaidil + Iga salm eraldi slaidil Verse Per Line - Iga salm eraldi real + Iga salm eraldi real @@ -4568,7 +4657,7 @@ Sisu kodeering ei ole UTF-8. Unsupported File - Toetamata fail + Fail ei ole toetatud @@ -4583,67 +4672,67 @@ Sisu kodeering ei ole UTF-8. View Mode - + Vaate režiim Welcome to the Bible Upgrade Wizard - + Tere tulemast Piibli uuendamise nõustajasse Open service. - + Teenistuse avamine. Print Service - + Teenistuse printimine Replace live background. - + Ekraanil tausta asendamine. Reset live background. - + Ekraanil esialgse tausta taastamine. &Split - + &Tükelda Split a slide into two only if it does not fit on the screen as one slide. - + Slaidi kaheks tükeldamine ainult juhul, kui see ei mahu tervikuna ekraanile. Confirm Delete - + Kustutamise kinnitus Play Slides in Loop - + Slaide korratakse Play Slides to End - + Slaide näidatakse üks kord Stop Play Slides in Loop - + Slaidide kordamise lõpetamine Stop Play Slides to End - + Slaidide ühekordse näitamise lõpetamine @@ -4674,27 +4763,27 @@ Sisu kodeering ei ole UTF-8. Load a new presentation. - + Uue esitluse laadimine. Delete the selected presentation. - + Valitud esitluse kustutamine. Preview the selected presentation. - + Valitud esitluse eelvaade. Send the selected presentation live. - + Valitud esitluse saatmine ekraanile. Add the selected presentation to the service. - + Valitud esitluse lisamine teenistusele. @@ -4702,7 +4791,7 @@ Sisu kodeering ei ole UTF-8. Select Presentation(s) - Esitlus(t)e valimine + Esitluste valimine @@ -4735,12 +4824,12 @@ Sisu kodeering ei ole UTF-8. Esitlused (%s) - + Missing Presentation Puuduv esitlus - + The Presentation %s no longer exists. Esitlust %s enam ei ole. @@ -4753,17 +4842,17 @@ Sisu kodeering ei ole UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Saadaolevad juhtijad - + Allow presentation application to be overriden Esitlusrakendust on lubatud asendada - + %s (unavailable) %s (pole saadaval) @@ -4799,92 +4888,92 @@ Sisu kodeering ei ole UTF-8. OpenLP 2.0 Remote - + OpenLP 2.0 kaugpult OpenLP 2.0 Stage View - + OpenLP 2.0 ekraanivaade Service Manager - Teenistuse haldur + Teenistuse haldur Slide Controller - + Slaidikontroller Alerts - Teated + Teated Search - Otsi + Otsi Back - + Tagasi Refresh - + Värskenda Blank - + Tühi Show - + Näita Prev - + Eelm Next - + Järgm Text - + Tekst Show Alert - + Kuva teade Go Live - Ekraanile + Ekraanile No Results - + Tulemusi pole Options - Valikud + Valikud Add to Service - + Lisa teenistusele @@ -4892,7 +4981,7 @@ Sisu kodeering ei ole UTF-8. Serve on IP address: - Saadaval IP-aadressilt: + Serveeritakse ainult IP-aadressilt: @@ -4907,103 +4996,103 @@ Sisu kodeering ei ole UTF-8. Remote URL: - + Kaugjuhtimise URL: Stage view URL: - + Lavavaate URL: Display stage time in 12h format - + Laval kuvatakse aega 12-tunni vormingus SongUsagePlugin - + &Song Usage Tracking &Laulude kasutuse jälgimine - + &Delete Tracking Data &Kustuta kogutud andmed - + Delete song usage data up to a specified date. - Laulude kasutuse andmete kustutamine kuni antud kuupäevani. + Laulukasutuse andmete kustutamine kuni antud kuupäevani. - + &Extract Tracking Data &Eralda laulukasutuse andmed - + Generate a report on song usage. Genereeri raport laulude kasutuse kohta. - + Toggle Tracking Laulukasutuse jälgimine - + Toggle the tracking of song usage. Laulukasutuse jälgimise sisse- ja väljalülitamine. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise. - + SongUsage name singular Laulukasutus - + SongUsage name plural Laulukasutus - + SongUsage container title Laulukasutus - + Song Usage Laulude kasutus - + Song usage tracking is active. - + Laulukasutuse jälgimine on aktiivne - + Song usage tracking is inactive. - + Laulukasutuse jälgimine pole aktiivne. - + display - + kuva - + printed - + prinditud @@ -5036,7 +5125,7 @@ Sisu kodeering ei ole UTF-8. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Vali kuupäev, milleni laulukasutuse andmed tuleks kustutada. Kõik kuni selle määratud hetkeni kogutud andmed kustutatakse lõplikult. @@ -5099,130 +5188,130 @@ on edukalt loodud. SongsPlugin - + &Song &Laul - + Import songs using the import wizard. Laulude importimine importimise nõustajaga. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Laulude plugin</strong><br />See plugin võimaldab laulude kuvamise ja haldamise. - + &Re-index Songs &Indekseeri laulud uuesti - + Re-index the songs database to improve searching and ordering. Laulude andmebaasi kordusindekseerimine, et parendada otsimist ja järjekorda. - + Reindexing songs... Laulude kordusindekseerimine... - + Song name singular Laul - + Songs name plural Laulud - + Songs container title Laulud - + Arabic (CP-1256) Araabia (CP-1256) - + Baltic (CP-1257) Balti (CP-1257) - + Central European (CP-1250) Kesk-Euroopa (CP-1250) - + Cyrillic (CP-1251) Kirillitsa (CP-1251) - + Greek (CP-1253) Kreeka (CP-1253) - + Hebrew (CP-1255) Heebrea (CP-1255) - + Japanese (CP-932) Jaapani (CP-932) - + Korean (CP-949) Korea (CP-949) - + Simplified Chinese (CP-936) Lihtsustatud Hiina (CP-936) - + Thai (CP-874) Tai (CP-874) - + Traditional Chinese (CP-950) Tradistiooniline Hiina (CP-950) - + Turkish (CP-1254) Türgi (CP-1254) - + Vietnam (CP-1258) Vietnami (CP-1258) - + Western European (CP-1252) Lääne-Euroopa (CP-1252) - + Character Encoding Märgikodeering - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5230,46 +5319,46 @@ Usually you are fine with the preselected choice. Tavaliselt on vaikimisi valik õige. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Palun vali märgikodeering. Kodeering on vajalik märkide õige esitamise jaoks. - + Exports songs using the export wizard. Eksportimise nõustaja abil laulude eksportimine. - + Add a new song. - + Uue laulu lisamine. - + Edit the selected song. - + Valitud laulu muutmine. - + Delete the selected song. - + Valitud laulu kustutamine. - + Preview the selected song. - + Valitud laulu eelvaade. - + Send the selected song live. - + Valitud laulu saatmine ekraanile. - + Add the selected song to the service. - + Valitud laulu lisamine teenistusele. @@ -5313,7 +5402,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Sellel failil pole sobiv laiend. @@ -5323,14 +5412,16 @@ Kodeering on vajalik märkide õige esitamise jaoks. Administered by %s - Haldab %s + Haldab %s [above are Song Tags with notes imported from EasyWorship] - + +[ülal on laulu sildid koos märkmetega, mis on imporditud + EasyWorship'ist] @@ -5348,7 +5439,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Alt&ernate title: - &Alternatiivne pealkiri: + &Teine pealkiri: @@ -5368,7 +5459,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Title && Lyrics - Pealkiri && laulusõnad + Pealkiri && sõnad @@ -5398,7 +5489,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Book: - Book: + Raamat: @@ -5431,82 +5522,82 @@ Kodeering on vajalik märkide õige esitamise jaoks. Kujundus, autoriõigus && kommentaarid - + Add Author Autori lisamine - + This author does not exist, do you want to add them? Seda autorit veel pole, kas tahad autori lisada? - + This author is already in the list. See autor juba on loendis. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Sa ei ole valinud ühtegi sobilikku autorit. Vali autor loendist või sisesta uue autori nimi ja klõpsa uue nupul "Lisa laulule autor". - + Add Topic Teema lisamine - + This topic does not exist, do you want to add it? Sellist teemat pole. Kas tahad selle lisada? - + This topic is already in the list. See teema juba on loendis. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Sa pole valinud sobivat teemat. Vali teema kas loendist või sisesta uus teema ja selle lisamiseks klõpsa nupule "Lisa laulule teema". - + You need to type in a song title. Pead sisestama laulu pealkirja. - + You need to type in at least one verse. Pead sisestama vähemalt ühe salmi. - + Warning Hoiatus - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Salmide järjekord pole sobiv. Mitte ükski valm ei vasta %s-le. Sobivad salmid on %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Sa pole kasutanud %s mitte kusagil salmide järjekorras. Kas sa oled kindel, et tahad laulu selliselt salvestada? - + Add Book Lauliku lisamine - + This song book does not exist, do you want to add it? Sellist laulikut pole. Kas tahad selle lisada? - + You need to have an author for this song. Pead lisama sellele laulule autori. @@ -5518,27 +5609,27 @@ Kodeering on vajalik märkide õige esitamise jaoks. Linked Audio - + Lingitud audio Add &File(s) - + Lisa &faile Add &Media - + Lisa &meediat Remove &All - + Eemalda &kõik - + Open File(s) - + Failide avamine @@ -5561,7 +5652,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Split a slide into two by inserting a verse splitter. - + Slaidi tükeldamine slaidipoolitajaga. @@ -5622,7 +5713,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Salvestamise asukohta pole määratud - + Starting export... Eksportimise alustamine... @@ -5632,25 +5723,25 @@ Kodeering on vajalik märkide õige esitamise jaoks. Pead määrama kataloogi. - + Select Destination Folder Sihtkausta valimine Select the directory where you want the songs to be saved. - + Vali kataloog, kuhu tahad laulu salvestada. This wizard will help to export your songs to the open and free <strong>OpenLyrics</strong> worship song format. - + Nõustaja aitab laule eksportida avatud ning vabasse <stron>OpenLyrics</strong> ülistuslaulude vormingusse. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Dokumentide/esitluste valimine @@ -5662,12 +5753,12 @@ Kodeering on vajalik märkide õige esitamise jaoks. This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. - See nõustaja aitab sul laule importida paljudest erinevatest formaatidest. Klõpsa all asuvat edasi nuppu, et jätkata tegevust importimise vormingu valimisega. + See nõustaja aitab importida paljudes erinevates vormingutes laule. Klõpsa all asuvat edasi nuppu, et jätkata importimise vormingu valimisega. - + Generic Document/Presentation - Tavaline dokumenti/esitlus + Tavaline dokument/esitlus @@ -5695,74 +5786,74 @@ Kodeering on vajalik märkide õige esitamise jaoks. Palun oota, kuni laule imporditakse. - + OpenLP 2.0 Databases OpenLP 2.0 andmebaas - + openlp.org v1.x Databases openlp.org v1.x andmebaas - + Words Of Worship Song Files Words Of Worship Song failid - + You need to specify at least one document or presentation file to import from. Pead määrama vähemalt ühe dokumendi või esitluse faili, millest tahad importida. - + Songs Of Fellowship Song Files Songs Of Fellowship laulufailid - + SongBeamer Files - SongBeameri failid + SongBeameri laulufailid - + SongShow Plus Song Files SongShow Plus laulufailid - + Foilpresenter Song Files Foilpresenteri laulufailid Copy - Kopeeri + Kopeeri Save to File - Salvesta faili + Salvesta faili The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + Songs of Fellowship importija on keelatud, kuna OpenLP-l puudub ligiäpääs OpenOffice'le või LibreOffice'le. The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + Tavalise dokumendi/esitluse importija on keelatud, kuna OpenLP-l puudub ligipääs OpenOffice'le või LibreOffice'le. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics või OpenLP 2.0-st eksporditud laul - + OpenLyrics Files - + OpenLyrics failid @@ -5770,12 +5861,12 @@ Kodeering on vajalik märkide õige esitamise jaoks. Select Media File(s) - + Meediafailide valimine Select one or more audio files from the list below, and click OK to import them into this song. - + Vali järgnevast loendist vähemalt üks audiofail ning klõpsa nupule Olgu, et seda sellesse laulu importida. @@ -5791,7 +5882,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Laulusõnad - + CCLI License: CCLI litsents: @@ -5801,7 +5892,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Kogu laulust - + Are you sure you want to delete the %n selected song(s)? Kas sa oled kindel, et soovid kustutada %n valitud laulu? @@ -5814,10 +5905,10 @@ Kodeering on vajalik märkide õige esitamise jaoks. Autorite, teemade ja laulikute loendi haldamine. - + copy For song cloning - + koopia @@ -5870,14 +5961,14 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongExportForm - + Your song export failed. Laulude eksportimine nurjus. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. - + Eksportimine lõpetati. Nende failide importimiseks kasuta <strong>OpenLyrics</strong> importijat. @@ -5895,23 +5986,23 @@ Kodeering on vajalik märkide õige esitamise jaoks. Unable to open file - + Faili avamine ei õnnestunud File not found - + Faili ei leitud Cannot access OpenOffice or LibreOffice - + Puudub ligipääs OpenOffice'le või LibreOffice'le SongsPlugin.SongImportForm - + Your song import failed. Laulu importimine nurjus. @@ -5991,7 +6082,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. This topic cannot be deleted, it is currently assigned to at least one song. - Seda teemat pole võimalik kustutada, kuna see on seostatud vähemalt ühe lauluga. + Seda teemat pole võimalik kustutada, kuna see on märgib vähemalt ühte laulu. @@ -6021,7 +6112,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Laulik %s on juba olemas. Kas sa tahad, et lauliku %s laulid liidetaks olemasoleva laulikuga %s? + Laulik %s on juba olemas. Kas sa tahad, et lauliku %s laulud liidetaks olemasoleva laulikuga %s? diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index 3cd6efd6f..7a8a0afb7 100644 --- a/resources/i18n/fr.ts +++ b/resources/i18n/fr.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerte - + Show an alert message. Affiche un message d'alerte. - + Alert name singular Alerte - + Alerts name plural Alertes - + Alerts container title Alertes - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Module d'alerte</strong><br />Le module d'alerte contrôle l'affichage de message d'alertes a l'écran. @@ -86,14 +86,14 @@ No Parameter Found - Pas de paramètre trouvé + Pas de paramètre trouvé You have not entered a parameter to be replaced. Do you want to continue anyway? - Vous n'avez pas entrer de paramètre a remplacer. -Voulez vous continuer tout de même ? + Vous n'avez pas entrer de paramètre à remplacer. +Voulez-vous tout de même continuer ? @@ -104,7 +104,7 @@ Voulez vous continuer tout de même ? The alert text does not contain '<>'. Do you want to continue anyway? - Le texte d'alerte ne doit pas contenir '<>'. + Le texte d'alerte ne contiens pas '<>'. Voulez-vous continuer tout de même ? @@ -119,32 +119,32 @@ Voulez-vous continuer tout de même ? AlertsPlugin.AlertsTab - + Font Police - + Font name: Nom de la police : - + Font color: Couleur de la police : - + Background color: Couleur de fond : - + Font size: Taille de la police : - + Alert timeout: Temps d'alerte : @@ -152,24 +152,24 @@ Voulez-vous continuer tout de même ? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles @@ -185,52 +185,52 @@ Voulez-vous continuer tout de même ? Pas de livre correspondant n'a été trouvé dans cette Bible. Contrôlez que vous avez correctement écrit le nom du livre. - + Import a Bible. Importe une Bible. - + Add a new Bible. Ajouter une nouvelle Bible. - + Edit the selected Bible. Édite la bible sélectionnée. - + Delete the selected Bible. Efface la Bible sélectionnée. - + Preview the selected Bible. Prévisualise la Bible sélectionnée. - + Send the selected Bible live. Affiche la Bible sélectionnée en directe. - + Add the selected Bible to the service. Ajoute la Bible sélectionnée au service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Module Bible</strong><br />Le Module Bible permet d'afficher des versets bibliques de différentes sources pendant le service. - + &Upgrade older Bibles - Mettre à &jour les anciennes Bibles + Mettre à &jour les anciennes Bibles - + Upgrade the Bible databases to the latest format. Mettre à jour les bases de données de Bible au nouveau format. @@ -393,20 +393,20 @@ Les changement ne s'applique aux versets déjà un service. BiblesPlugin.CSVBible - + Importing books... %s - Importation des livres... %s + Import des livres... %s - + Importing verses from %s... Importing verses from <book name>... - Importation des versets de %s... + Import des versets depuis %s... - + Importing verses... done. - Importation des versets... terminé. + Import des versets... terminé. @@ -430,22 +430,22 @@ Les changement ne s'applique aux versets déjà un service. Download Error - Erreur de téléchargement + Erreur de téléchargement There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement. + Il y a un problème de téléchargement de votre sélection de verset. Pouvez-vous contrôler votre connexion Internet, et si cette erreur persiste pensez a rapporter un dysfonctionnement. Parse Error - Erreur syntaxique + Erreur syntaxique There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement. + Il y a un problème pour extraire votre sélection de verset. Si cette erreur persiste pensez a rapporter un dysfonctionnement. @@ -704,17 +704,17 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Vous ne pouvez pas combiner simple et double Bible dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ? + Vous ne pouvez pas combiner Bible simple et double dans les résultats de recherche. Voulez vous effacer les résultats et commencer une nouvelle recherche ? Bible not fully loaded. - Bible pas entièrement chargée. + Bible pas entièrement chargée. Information - Information + Information @@ -734,12 +734,12 @@ téléchargé à la demande, une connexion Internet fiable est donc nécessaire. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Détection de l'encodage (cela peut prendre quelque minutes)... - + Importing %s %s... Importing <book name> <chapter>... Import %s %s... @@ -1017,12 +1017,12 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem &Crédits : - + You need to type in a title. Vous devez introduire un titre. - + You need to add at least one slide Vous devez ajouter au moins une diapositive @@ -1112,7 +1112,7 @@ Veuillez remarquer, que les versets des Bibles Web sont téléchargés à la dem ImagePlugin.ExceptionDialog - + Select Attachment Sélectionne attachement @@ -1167,76 +1167,76 @@ Voulez-vous ajouter de toute façon d'autres images ? Background Color - + Couleur de fond Default Color: - + Couleur par défaut : Provides border where image is not the correct dimensions for the screen when resized. - + Fournit une marge quand l'image n'a pas les dimensions correctes pour l'écran lorsque redimensionnée. MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Module Média</strong><br />Le module Média permet une lecture de contenu audio et vidéo. - + Media name singular Médias - + Media name plural Médias - + Media container title Média - + Load new media. Charge un nouveau média. - + Add new media. Ajouter un nouveau média. - + Edit the selected media. Édite le média sélectionné. - + Delete the selected media. Efface le média sélectionné. - + Preview the selected media. Prévisualise le média sélectionné. - + Send the selected media live. Envoie en direct le média sélectionné. - + Add the selected media to the service. Ajoute le média sélectionné au service. @@ -1244,67 +1244,92 @@ Voulez-vous ajouter de toute façon d'autres images ? MediaPlugin.MediaItem - + Select Media Média sélectionné - + You must select a media file to replace the background with. Vous devez sélectionné un fichier média le fond. - + There was a problem replacing your background, the media file "%s" no longer exists. Il y a un problème pour remplacer le fond du direct, le fichier du média "%s" n'existe plus. - + Missing Media File Fichier du média manquant - + The file %s no longer exists. Le fichier %s n'existe plus. - + You must select a media file to delete. Vous devez sélectionné un fichier média à effacer. - + Videos (%s);;Audio (%s);;%s (*) Vidéos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Il n'y avait aucun élément d'affichage à modifier. - - File Too Big - + + Unsupported File + Fichier pas supporté - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + Automatique + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Affiche le média + + Available Media Players + - - Use Phonon for video playback - Use Phonon pour la lecture des vidéos + + %s (unavailable) + %s (indisponible) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Voulez-vous ajouter de toute façon d'autres images ? Fichiers image - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1603,39 +1628,39 @@ Copyright de composant © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred Erreur - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Oups! OpenLP a rencontré un problème, et ne peut pas la récupérer. Le texte dans le champ ci-dessous contient des informations qui pourraient être utiles aux développeurs d'OpenLP, donc s'il vous plaît encoyer un courriel à bugs@openlp.org, avec une description détaillée de ce que vous faisiez lorsque le problème est survenu. - + Send E-Mail Envoyer un courriel - + Save to File Sauve dans un fichier - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Merci d'introduire une description de ce que vous faisiez au moment de l'erreur (minimum 20 caractères) - + Attach File Attacher un fichier - + Description characters to enter : %s Description a introduire : %s @@ -1643,24 +1668,24 @@ Copyright de composant © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Plateforme: %s - + Save Crash Report Sauve le rapport de crache - + Text files (*.txt *.log *.text) Fichiers texte (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1691,7 +1716,7 @@ Version : %s - + *OpenLP Bug Report* Version: %s @@ -1929,7 +1954,7 @@ Version : %s Custom Slides - Diapositives personnelles + Diapositives personnalisées @@ -1946,19 +1971,23 @@ Version : %s No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Pas de connexion Internet n'a été trouvée. L'assistant de démarrage a besoin d'une connexion Internet pour pouvoir télécharger les champs exemples, les Bibles et les thèmes. Clique sur le bouton terminer pour démarrer OpenLP avec les paramètres initiaux et sans données exemples. + +Pour démarrer à nouveau l'assistant de démarrage et importer les données exemples, vérifier votre connexion Internet et redémarrer cet assistant en sélectionnant « Otils/Assistant de démarrage » To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. - + + +Pour annuler l'assistant de démarrage complètement (et ne pas démarrer OpenLP), cliquer sur le bouton annuler maintenant. Finish - Fini + Terminé @@ -1971,47 +2000,47 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Edit Selection - Édite la sélection + Édite la sélection Save - Enregistre + Enregistre Description - Description + Description Tag - Balise + Balise Start tag - Balise de début + Balise de début End tag - Balise de fin + Balise de fin Tag Id - Identifiant de balise + Identifiant de balise Start HTML - HTML de début + HTML de début End HTML - HTML de fin + HTML de fin @@ -2019,32 +2048,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Update Error - Erreur de mise a jours + Erreur de mise a jours Tag "n" already defined. - Balise "n" déjà définie. + Balise "n" déjà définie. New Tag - Nouvelle balise + Nouvelle balise <HTML here> - <HTML ici> + <HTML ici> </and here> - </ajoute ici> + </et ici> Tag %s already defined. - Balise %s déjà définie. + Balise %s déjà définie. @@ -2052,82 +2081,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Red - Rouge + Rouge Black - Noir + Noir Blue - Bleu + Bleu Yellow - Jaune + Jaune Green - Vert + Vert Pink - Rose + Rose Orange - Orange + Orange Purple - Pourpre + Pourpre White - Blanc + Blanc Superscript - Exposant + Exposant Subscript - Indice + Indice Paragraph - Paragraphe + Paragraphe Bold - Gras + Gras Italics - Italiques + Italiques Underline - Souligner + Souligner Break - Retour à la ligne + Retour à la ligne @@ -2260,12 +2289,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Background Audio - + Son en fond Start background audio paused - + Démarrer le son de fond mis en pause @@ -2284,7 +2313,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display Affichage OpenLP @@ -2292,292 +2321,292 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Fichier - + &Import &Import - + &Export E&xport - + &View &Visualise - + M&ode M&ode - + &Tools &Outils - + &Settings O&ptions - + &Language &Langue - + &Help &Aide - + Media Manager Gestionnaire de médias - + Service Manager Gestionnaire de services - + Theme Manager Gestionnaire de thèmes - + &New &Nouveau - + &Open &Ouvrir - + Open an existing service. Ouvre un service existant. - + &Save &Enregistre - + Save the current service to disk. Enregistre le service courant sur le disque. - + Save &As... Enregistre &sous... - + Save Service As Enregistre le service sous - + Save the current service under a new name. Enregistre le service courant sous un nouveau nom. - + E&xit &Quitter - + Quit OpenLP Quitter OpenLP - + &Theme &Thème - + Configure &Shortcuts... Personnalise les &raccourcis... - + &Configure OpenLP... &Personnalise OpenLP... - + &Media Manager Gestionnaire de &médias - + Toggle Media Manager Gestionnaire de Média - + Toggle the visibility of the media manager. Change la visibilité du gestionnaire de média. - + &Theme Manager Gestionnaire de &thèmes - + Toggle Theme Manager Gestionnaire de Thème - + Toggle the visibility of the theme manager. Change la visibilité du gestionnaire de tème. - + &Service Manager Gestionnaire de &services - + Toggle Service Manager Gestionnaire de service - + Toggle the visibility of the service manager. Change la visibilité du gestionnaire de service. - + &Preview Panel Panneau de &prévisualisation - + Toggle Preview Panel Panneau de prévisualisation - + Toggle the visibility of the preview panel. Change la visibilité du panel de prévisualisation. - + &Live Panel Panneau du &direct - + Toggle Live Panel Panneau du direct - + Toggle the visibility of the live panel. Change la visibilité du directe. - + &Plugin List Liste des &modules - + List the Plugins Liste des modules - + &User Guide &Guide utilisateur - + &About À &propos - + More information about OpenLP Plus d'information sur OpenLP - + &Online Help &Aide en ligne - + &Web Site Site &Web - + Use the system language, if available. Utilise le langage système, si disponible. - + Set the interface language to %s Défini la langue de l'interface à %s - + Add &Tool... Ajoute un &outils... - + Add an application to the list of tools. Ajoute une application a la liste des outils. - + &Default &Défaut - + Set the view mode back to the default. Redéfini le mode vue comme par défaut. - + &Setup &Configuration - + Set the view mode to Setup. Mode vue Configuration. - + &Live &Direct - + Set the view mode to Live. Mode vue Direct. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2586,32 +2615,32 @@ You can download the latest version from http://openlp.org/. Vous pouvez télécharger la dernière version depuis http://openlp.org/. - + OpenLP Version Updated Version d'OpenLP mis a jours - + OpenLP Main Display Blanked OpenLP affichage principale noirci - + The Main Display has been blanked out L'affichage principale a été noirci - + Close OpenLP Ferme OpenLP - + Are you sure you want to close OpenLP? Êtes vous sur de vouloir fermer OpenLP ? - + Default Theme: %s Thème par défaut : %s @@ -2622,62 +2651,62 @@ Vous pouvez télécharger la dernière version depuis http://openlp.org/.Français - + Open &Data Folder... &Ouvre le répertoire de données... - + Open the folder where songs, bibles and other data resides. Ouvre le répertoire ou les chants, bibles et les autres données sont placées. - + &Autodetect &Détecte automatiquement - + Update Theme Images Met a jours les images de thèmes - + Update the preview images for all themes. Mettre à jours les images de tous les thèmes. - + Print the current service. Imprime le service courant. - + L&ock Panels &Verrouille les panneaux - + Prevent the panels being moved. Empêcher les panneaux d'être déplacé. - + Re-run First Time Wizard Re-démarrer l'assistant de démarrage - + Re-run the First Time Wizard, importing songs, Bibles and themes. Re-démarrer l'assistant de démarrage, importer les chants, Bibles et thèmes. - + Re-run First Time Wizard? Re-démarrer l'assistant de démarrage ? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2686,114 +2715,122 @@ Re-running this wizard may make changes to your current OpenLP configuration and Re-démarrer cet assistant peut apporter des modifications à votre configuration actuelle OpenLP et éventuellement ajouter des chansons à votre liste de chansons existantes et de changer votre thème par défaut. - + &Recent Files Fichiers &récents - + Clear List Clear List of recent files Vide la liste - + Clear the list of recent files. Vide la liste des fichiers récents. - - - Configure &Formatting Tags... - - - - - Export OpenLP settings to a specified *.config file - - + Configure &Formatting Tags... + Configure les &balise de formatage... + + + + Export OpenLP settings to a specified *.config file + Export la configuration d'OpenLP vers un fichier *.config spécifié + + + Settings - Configuration + Configuration - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import la configuration d'OpenLP depuis un fichier *.config précédemment exporter depuis un autre ordinateur. - + Import settings? - + Import de la configuration ? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + Êtes-vous sur de vouloir importer la configuration ? + +Importer la configuration va changer de façon permanente votre configuration d'OpenLP. + +L'import de configuration incorrect peut introduire un comportement d'OpenLP imprévisible OpenLP peut terminer anormalement. - + Open File - Ouvre un fichier + Ouvre un fichier - + OpenLP Export Settings Files (*.conf) - + Fichier de configuration OpenLP (*.conf) - + Import settings - + Import de la configuration - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + OpenLP va ce terminer maintenant. La Configuration importée va être appliquée au prochain démarrage. - + Export Settings File - + Export de la configuration - + OpenLP Export Settings File (*.conf) - + Fichier d'export de la configuration d'OpenLP (*.conf) OpenLP.Manager - + Database Error - + Erreur de base de données - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + La base de données étant chargées a été créé dans une version plus récente de OpenLP. La base de données est la version %d, tandis que OpenLP attend la version %d. La base de données ne sera pas chargé. + +Base de données: %s - + OpenLP cannot load your database. Database: %s - + OpenLP ne peut pas charger votre base de données. + +Base de données: %s OpenLP.MediaManagerItem - + No Items Selected - Pas d'éléments sélectionné + Pas d'éléments sélectionnés @@ -2860,7 +2897,7 @@ Suffixe pas supporter Duplicate files were found on import and were ignored. - + Des fichiers dupliqués on été trouvé dans l'import et ont été ignoré. @@ -2891,17 +2928,17 @@ Suffixe pas supporter Inactif - + %s (Disabled) %s (Désactivé) - + %s (Active) %s (Actif) - + %s (Inactive) %s (Inactif) @@ -3013,12 +3050,12 @@ Suffixe pas supporter OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Début</strong> : %s - + <strong>Length</strong>: %s <strong>Longueur</strong> : %s @@ -3159,34 +3196,34 @@ Suffixe pas supporter Ouvre un fichier - + OpenLP Service Files (*.osz) Fichier service OpenLP (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Le fichier n'est un service valide. Le contenu n'est pas de l'UTF-8. - + File is not a valid service. Le fichier n'est pas un service valide. - + Missing Display Handler Délégué d'affichage manquent - + Your item cannot be displayed as there is no handler to display it Votre élément ne peut pas être affiché il n'y a pas de délégué pour l'afficher - + Your item cannot be displayed as the plugin required to display it is missing or inactive Votre élément ne peut pas être affiché le module nécessaire pour l'afficher est manquant ou inactif @@ -3221,22 +3258,22 @@ Le contenu n'est pas de l'UTF-8. Le service courant à été modifier. Voulez-vous l'enregistrer ? - + File could not be opened because it is corrupt. Le fichier n'a pas pu être ouvert car il est corrompu. - + Empty File Fichier vide - + This service file does not contain any data. Ce fichier de service ne contiens aucune données. - + Corrupt File Fichier corrompu @@ -3276,25 +3313,35 @@ Le contenu n'est pas de l'UTF-8. Sélectionne un thème pour le service. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Ce fichier est sois corrompu ou n'est pas un fichier de service OpenLP 2.0. - + Slide theme Thème de diapositive - + Notes Notes - + Service File Missing Fichier de service manquant + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3383,100 +3430,145 @@ Le contenu n'est pas de l'UTF-8. OpenLP.SlideController - - Previous Slide - Diapositive précédente - - - - Next Slide - Aller au suivant - - - + Hide Cache - + Blank Screen Écran noir - + Blank to Theme Thème vide - + Show Desktop Affiche le bureau - + Go To Aller à - + Previous Service Service précédent - + Next Service Service suivant - + Escape Item Élément échappement - + Move to previous. Déplace au précédant. - + Move to next. Déplace au suivant. - + Play Slides Joue les diapositives - + Delay between slides in seconds. Intervalle entre les diapositives en secondes. - + Move to live. Affiche en direct. - + Add to Service. Ajoute au service. - + Edit and reload song preview. Édite et recharge la prévisualisation du chant. - + Start playing media. Joue le média. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3549,19 +3641,19 @@ Le contenu n'est pas de l'UTF-8. Le temps de début est avant le temps de fin de l'élément média - + Theme Layout - + Disposition du thème - + The blue box shows the main area. - + La boîte bleu indique l'aire principale. - + The red box shows the footer. - + La boîte rouge indique l'aire de pied de page. @@ -3675,7 +3767,7 @@ Le contenu n'est pas de l'UTF-8. &Exporte le thème - + %s (default) %s (défaut) @@ -3695,94 +3787,87 @@ Le contenu n'est pas de l'UTF-8. Renomme le thème %s ? - + You must select a theme to edit. Vous devez sélectionner un thème a éditer. - + You must select a theme to delete. Vous devez sélectionner un thème à effacer. - + Delete Confirmation Confirmation d'effacement - + Delete %s theme? Efface le thème %s ? - + You have not selected a theme. Vous n'avez pas sélectionner de thème. - + Save Theme - (%s) Enregistre le thème - (%s) - + Theme Exported Thème exporté - + Your theme has been successfully exported. Votre thème a été exporter avec succès. - + Theme Export Failed L'export du thème a échoué - + Your theme could not be exported due to an error. Votre thème ne peut pas être exporter a cause d'une erreur. - + Select Theme Import File Select le fichier thème à importer - - File is not a valid theme. -The content encoding is not UTF-8. - Le fichier n'est pas un thème. -Le contenu n'est pas de l'UTF-8. - - - + Validation Error Erreur de validation - + File is not a valid theme. Le fichier n'est pas un thème valide. - + A theme with this name already exists. Le thème avec ce nom existe déjà. - + You are unable to delete the default theme. Vous ne pouvez pas supprimer le thème par défaut. - + Theme %s is used in the %s plugin. Thème %s est utiliser par le module %s. - + OpenLP Themes (*.theme *.otz) Thèmes OpenLP (*.theme *.otz) @@ -4048,17 +4133,17 @@ Le contenu n'est pas de l'UTF-8. Background color: - Couleur de fond : + Couleur de fond : Justify - + Justifier Layout Preview - + Prévisualise la mise en page @@ -4106,7 +4191,7 @@ Le contenu n'est pas de l'UTF-8. Themes - Thèmes + Thèmes @@ -4415,7 +4500,7 @@ Le contenu n'est pas de l'UTF-8. Prêt. - + Starting import... Commence l'import... @@ -4739,7 +4824,7 @@ Le contenu n'est pas de l'UTF-8. Ce type de présentation n'est pas supporté. - + Missing Presentation Présentation manquante @@ -4749,7 +4834,7 @@ Le contenu n'est pas de l'UTF-8. La présentation %s est incomplète, merci de recharger. - + The Presentation %s no longer exists. La présentation %s n'existe plus. @@ -4757,17 +4842,17 @@ Le contenu n'est pas de l'UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Contrôleurs disponibles - + Allow presentation application to be overriden Permet de surcharger l'application de présentation - + %s (unavailable) %s (indisponible) @@ -4921,93 +5006,93 @@ Le contenu n'est pas de l'UTF-8. Display stage time in 12h format - + Le temps d'affichage étape en format 12h SongUsagePlugin - + &Song Usage Tracking Suivre de l'utilisation des chants - + &Delete Tracking Data &Supprime les données de suivi - + Delete song usage data up to a specified date. Supprime les données de l'utilisation des chants jusqu'à une date déterminée. - + &Extract Tracking Data &Extraire les données de suivi - + Generate a report on song usage. Génère un rapport de l'utilisation des chants. - + Toggle Tracking Enclencher/déclencher le suivi - + Toggle the tracking of song usage. Enclenche/déclenche le suivi de l'utilisation des chants. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Module de suivi</strong><br />Ce module permet de suivre l'utilisation des chants dans les services. - + SongUsage name singular Suivi de l'utilisation des chants - + SongUsage name plural Suivi de l'utilisation des chants - + SongUsage container title Suivi de l'utilisation des chants - + Song Usage Suivi de l'utilisation des chants - + Song usage tracking is active. Le suivi de l'utilisation est actif. - + Song usage tracking is inactive. Le suivi de l'utilisation est inactif. - + display - + affiche - + printed - + imprime @@ -5040,7 +5125,7 @@ Le contenu n'est pas de l'UTF-8. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Sélectionnez la date jusqu'à laquelle les données d'utilisation des chants devrait être supprimé. Toutes les données enregistrées avant cette date seront définitivement supprimés. @@ -5103,82 +5188,82 @@ has been successfully created. SongsPlugin - + Arabic (CP-1256) Arabe (CP-1256) - + Baltic (CP-1257) Baltique (CP-1257) - + Central European (CP-1250) Europe centrale (CP-1250) - + Cyrillic (CP-1251) Cyrillique (CP-1251) - + Greek (CP-1253) Grecque (CP-1253) - + Hebrew (CP-1255) Hébreux (CP-1255) - + Japanese (CP-932) Japonais (CP-932) - + Korean (CP-949) Coréen (CP-949) - + Simplified Chinese (CP-936) Chinois simplifié (CP-936) - + Thai (CP-874) Thaï (CP-874) - + Traditional Chinese (CP-950) Chinois Traditionnel (CP-950) - + Turkish (CP-1254) Turque (CP-1254) - + Vietnam (CP-1258) Vietnamiens (CP-1258) - + Western European (CP-1252) Europe de l'ouest (CP-1252) - + Character Encoding Enccodage des caractères - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5187,92 +5272,92 @@ de l'affichage correct des caractères. Habituellement le choix présélectionné est pertinent. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Veillez choisir l'enccodage des caractères. L'enccodage est responsable de l'affichage correct des caractères. - + &Song &Chant - + Import songs using the import wizard. Import des chants en utilisant l'assistant d'import. - + &Re-index Songs &Re-index Chants - + Re-index the songs database to improve searching and ordering. Re-index la base de donnée des chants pour accélérer la recherche et le tri. - + Reindexing songs... Récréation des index des chants en cours... - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Module Chants</strong><br />Le module des Chants permet d'afficher et de gérer les chants. - + Song name singular Chant - + Songs name plural Chants - + Songs container title Chants - + Exports songs using the export wizard. Export les chants en utilisant l'assistant d'export. - + Add a new song. Ajouter un nouveau chant. - + Edit the selected song. Édite la chant sélectionné. - + Delete the selected song. Efface le chant sélectionné. - + Preview the selected song. Prévisualise le chant sélectionné. - + Send the selected song live. Affiche en direct le chant sélectionné. - + Add the selected song to the service. Ajoute le chant sélectionné au service. @@ -5318,7 +5403,7 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Le fichier n'a pas d'extension valide. @@ -5438,82 +5523,82 @@ L'enccodage est responsable de l'affichage correct des caractères.Thème, copyright && commentaires - + Add Author Ajoute un auteur - + This author does not exist, do you want to add them? Cet auteur n'existe pas, voulez vous l'ajouter ? - + This author is already in the list. Cet auteur ce trouve déjà dans la liste. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Vous n'avez pas sélectionné un autheur valide. Vous pouvez sélectionner un auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un auteur au Chant" pour ajouter le nouvel auteur. - + Add Topic Ajoute un sujet - + This topic does not exist, do you want to add it? Ce sujet n'existe pas voulez vous l'ajouter ? - + This topic is already in the list. Ce sujet ce trouve déjà dans la liste. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Vous n'avez pas sélectionné de sujet valide. Vous pouvez sélectionner un auteur de la liste, ou tapez un nouvel auteur et cliquez sur "Ajouter un sujet au Chant" pour ajouter le nouvel auteur. - + You need to type in a song title. Vous avez besoin d'introduire un titre pour le chant. - + You need to type in at least one verse. Vous avez besoin d'introduire au moins un verset. - + You need to have an author for this song. Vous avez besoin d'un auteur pour ce chant. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. L'ordre des versets n'est pas valide. Il n'y a pas de verset correspondant à %s. Les entrées valide sont %s. - + Warning Attention - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Vous n'avez pas utilisé %s dans l'ordre des verset. Êtes vous sur de vouloir enregistrer un chant comme ça ? - + Add Book Ajoute un psautier - + This song book does not exist, do you want to add it? Ce chant n'existe pas, voulez vous l'ajouter ? @@ -5525,27 +5610,27 @@ L'enccodage est responsable de l'affichage correct des caractères. Linked Audio - + Sou lier Add &File(s) - + Ajoure un &fichier(s) Add &Media - + Ajoute un &média Remove &All - + Retire &tous - + Open File(s) - + Ouvre un fichier(s) @@ -5624,7 +5709,7 @@ L'enccodage est responsable de l'affichage correct des caractères.Pas d'emplacement de sauvegarde spécifier - + Starting export... Démarre l'export... @@ -5639,7 +5724,7 @@ L'enccodage est responsable de l'affichage correct des caractères.Vous devez spécifier un répertoire. - + Select Destination Folder Sélectionne le répertoire de destination @@ -5651,7 +5736,7 @@ L'enccodage est responsable de l'affichage correct des caractères. This wizard will help to export your songs to the open and free <strong>OpenLyrics</strong> worship song format. - + Cet assistant va vous aider a exporter vos chants dans le format de chants de louange libre et gratuit <strong>OpenLyrics</strong>. @@ -5667,7 +5752,7 @@ L'enccodage est responsable de l'affichage correct des caractères.Cet assistant vous aide a importer des chants de divers formats. Cliquez sur le bouton suivant ci-dessous pour démarrer le processus pas sélectionner le format à importer. - + Generic Document/Presentation Document/présentation générique @@ -5697,47 +5782,47 @@ L'enccodage est responsable de l'affichage correct des caractères.Attendez pendant que vos chants sont importé. - + OpenLP 2.0 Databases Base de données OpenLP 2.0 - + openlp.org v1.x Databases Base de données openlp.org 1.x - + Words Of Worship Song Files Fichiers Chant Words Of Worship - + Select Document/Presentation Files Sélectionne les fichiers document/présentation - + Songs Of Fellowship Song Files Fichiers Chant Songs Of Fellowship - + SongBeamer Files Fichiers SongBeamer - + SongShow Plus Song Files Fichiers Chant SongShow Plus - + You need to specify at least one document or presentation file to import from. Vous devez spécifier au moins un fichier document ou présentation à importer. - + Foilpresenter Song Files Fichiers Chant Foilpresenter @@ -5762,14 +5847,14 @@ L'enccodage est responsable de l'affichage correct des caractères.L'import générique de document/présentation à été désactiver car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song - + Chants exporté OpenLyrics et OpenLP 2.0 - + OpenLyrics Files - + Fichiers OpenLyrics @@ -5777,12 +5862,12 @@ L'enccodage est responsable de l'affichage correct des caractères. Select Media File(s) - + Sélectionne fichier(s) média Select one or more audio files from the list below, and click OK to import them into this song. - + Sélectionne un ou plusieurs fichier depuis la liste si dessous, et cliquer OK pour les importer dans ce chant. @@ -5803,7 +5888,7 @@ L'enccodage est responsable de l'affichage correct des caractères.Paroles - + Are you sure you want to delete the %n selected song(s)? Êtes vous sur de vouloir supprimer le(s) %n chant(s) sélectionné(s) ? @@ -5811,7 +5896,7 @@ L'enccodage est responsable de l'affichage correct des caractères. - + CCLI License: License CCLI : @@ -5821,7 +5906,7 @@ L'enccodage est responsable de l'affichage correct des caractères.Maintenir la liste des auteur, sujet et psautiers. - + copy For song cloning copier @@ -5877,14 +5962,14 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.SongExportForm - + Your song export failed. Votre export de chant à échouer. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. - + Export terminé. Pour importer ces fichiers utiliser l’outil d'import <strong>OpenLyrics</strong> @@ -5918,7 +6003,7 @@ L'enccodage est responsable de l'affichage correct des caractères. SongsPlugin.SongImportForm - + Your song import failed. Votre import de chant à échouer. diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index d9d2e6f5a..a3ab85f2c 100644 --- a/resources/i18n/hu.ts +++ b/resources/i18n/hu.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Értesítés - + Show an alert message. Értesítést jelenít meg. - + Alert name singular Értesítés - + Alerts name plural Értesítések - + Alerts container title Értesítések - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Értesítés bővítmény</strong><br />Az értesítés bővítmény kezeli a gyermekfelügyelet felhívásait a vetítőn. @@ -92,7 +92,8 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? - Nincs megadva a cserélendő paraméter. Folytatható? + Nincs megadva a cserélendő paraméter. +Folytatható? @@ -118,32 +119,32 @@ Folytatható? AlertsPlugin.AlertsTab - + Font Betűkészlet - + Font name: Betűkészlet neve: - + Font color: Betűszín: - + Background color: Háttérszín: - + Font size: Betűméret: - + Alert timeout: Értesítés időtartama: @@ -151,24 +152,24 @@ Folytatható? BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Bibliák - + Bibles container title Bibliák @@ -184,52 +185,52 @@ Folytatható? A kért könyv nem található ebben a bibliában. Kérlek, ellenőrizd a könyv nevének helyesírását. - + Import a Bible. Biblia importálása. - + Add a new Bible. Biblia hozzáadása. - + Edit the selected Bible. A kijelölt biblia szerkesztése. - + Delete the selected Bible. A kijelölt biblia törlése. - + Preview the selected Bible. A kijelölt biblia előnézete. - + Send the selected Bible live. A kijelölt biblia élő adásba küldése. - + Add the selected Bible to the service. A kijelölt biblia hozzáadása a szolgálati sorrendhez. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Biblia bővítmény</strong><br />A biblia bővítmény különféle forrásokból származó igehelyek vetítését teszi lehetővé a szolgálat alatt. - + &Upgrade older Bibles &Régebbi bibliák frissítés - + Upgrade the Bible databases to the latest format. Frissíti a biblia adatbázisokat a legutolsó formátumra. @@ -392,18 +393,18 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. BiblesPlugin.CSVBible - + Importing books... %s Könyvek importálása… %s - + Importing verses from %s... Importing verses from <book name>... - Versek importálása ebből a könyvből: %… + Versek importálása ebből a könyvből: %s… - + Importing verses... done. Versek importálása… kész. @@ -613,7 +614,8 @@ A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. - Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve és ekkor internet kapcsolat szükségeltetik. + Biblia regisztrálva. Megjegyzés: a versek csak kérésre lesznek letöltve +és ekkor internet kapcsolat szükségeltetik. @@ -732,12 +734,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Kódolás észlelése (ez eltarthat pár percig)… - + Importing %s %s... Importing <book name> <chapter>... Importálás: %s %s… @@ -773,7 +775,7 @@ demand and thus an internet connection is required. Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - Az OpenLP 2.0 előző verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít bitonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran Ismételt Kérdések</a> között találhatók. + Az OpenLP 2.0 előző verziói nem képesek a frissített bibliákat alkalmazni. Ez a tündér segít biztonsági mentést készíteni a jelenlegi bibliákról, így ha vissza kell térni az OpenLP egy régebbi verziójára, akkor ezeket csak be kell majd másolni az OpenLP adatmappájába. A helyreállítási tudnivalók a <a href="http://wiki.openlp.org/faq">Gyakran Ismételt Kérdések</a> között találhatók. @@ -879,7 +881,7 @@ Teljes Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - Bibliák frissítése: %s teljesítve %s. + Bibliák frissítése: %s teljesítve %s. Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik. @@ -1015,12 +1017,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor &Közreműködők: - + You need to type in a title. Meg kell adnod a címet. - + You need to add at least one slide Meg kell adnod legalább egy diát @@ -1109,7 +1111,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.ExceptionDialog - + Select Attachment Melléklet kijelölése @@ -1134,18 +1136,18 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor Missing Image(s) - + Hiányzó kép(ek) The following image(s) no longer exist: %s - A következő kép(ek) nem létezik: %s + A következő képek nem léteznek: %s The following image(s) no longer exist: %s Do you want to add the other images anyway? - A következő kép(ek) nem létezik: %s + A következő képek nem léteznek: %s Szeretnél más képeket megadni? @@ -1180,60 +1182,60 @@ Szeretnél más képeket megadni? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Média bővítmény</strong><br />A média bővítmény hangok és videók lejátszását teszi lehetővé. - + Media name singular Média - + Media name plural Média - + Media container title Média - + Load new media. Új médiafájl betöltése. - + Add new media. Új médiafájl hozzáadása. - + Edit the selected media. A kijelölt médiafájl szerkesztése. - + Delete the selected media. A kijelölt médiafájl törlése. - + Preview the selected media. A kijelölt médiafájl előnézete. - + Send the selected media live. A kijelölt médiafájl élő adásba küldése. - + Add the selected media to the service. A kijelölt médiafájl hozzáadása a szolgálati sorrendhez. @@ -1241,67 +1243,92 @@ Szeretnél más képeket megadni? MediaPlugin.MediaItem - + Select Media Médiafájl kijelölése - + You must select a media file to delete. Ki kell jelölni egy médiafájlt a törléshez. - + Videos (%s);;Audio (%s);;%s (*) Videók (%s);;Hang (%s);;%s (*) - + You must select a media file to replace the background with. Ki kell jelölni médiafájlt a háttér cseréjéhez. - + There was a problem replacing your background, the media file "%s" no longer exists. Probléma történt a háttér cseréje során, a(z) „%s” média fájl nem létezik. - + Missing Media File Hiányzó média fájl - + The file %s no longer exists. A(z) „%s” fájl nem létezik. - + There was no display item to amend. Nem volt módosított megjelenő elem. - - File Too Big - A fájl túl nagy + + Unsupported File + Nem támogatott fájl - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - A betölteni kívánt fájl túl nagy. Kérem, csökkents 50MiB alá. + + Automatic + Automatikus + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Média megjelenés + + Available Media Players + - - Use Phonon for video playback - A Phonon médiakezelő keretrendszer alkalmazása videók lejátszására + + %s (unavailable) + %s (elérhetetlen) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1312,12 +1339,12 @@ Szeretnél más képeket megadni? Kép fájlok - + Information Információ - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1599,38 +1626,39 @@ Részleges szerzői jog © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Hoppá! Az OpenLP hibába ütközött, és nem tudta lekezelni. Az alsó szövegdoboz olyan információkat tartalmaz, amelyek hasznosak lehetnek az OpenLP fejlesztői számára, tehát kérjük, küld el a bugs@openlp.org email címre egy részletes leírás mellett, amely tartalmazza, hogy éppen hol és mit tettél, amikor a hiba történt. - + Error Occurred Hiba történt - + Send E-Mail E-mail küldése - + Save to File Mentés fájlba - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - Írd le mit tettél, ami a hibához vezetett (minimum 20 karakter) + Írd le mit tettél, ami a hibához vezetett +(minimum 20 karakter) - + Attach File Fájl csatolása - + Description characters to enter : %s Leírás: %s @@ -1638,23 +1666,23 @@ Részleges szerzői jog © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report Összeomlási jelentés mentése - + Text files (*.txt *.log *.text) Szöveg fájlok (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1672,7 +1700,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -1923,7 +1951,9 @@ Az Első indítás tündér újbóli indításához és a példaadatok későbbi To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. - A tündér teljes leállításához (és az OpenLP további megkerüléséhez) kattints a Mégse gombra. + + +A tündér teljes leállításához (és az OpenLP további megkerüléséhez) kattints a Mégse gombra. @@ -2254,7 +2284,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display OpenLP megjelenítés @@ -2262,287 +2292,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Fájl - + &Import &Importálás - + &Export &Exportálás - + &View &Nézet - + M&ode &Mód - + &Tools &Eszközök - + &Settings &Beállítások - + &Language &Nyelv - + &Help &Súgó - + Media Manager Médiakezelő - + Service Manager Sorrendkezelő - + Theme Manager Témakezelő - + &New &Új - + &Open Meg&nyitás - + Open an existing service. Meglévő sorrend megnyitása. - + &Save &Mentés - + Save the current service to disk. Aktuális sorrend mentése lemezre. - + Save &As... Mentés má&sként… - + Save Service As Sorrend mentése másként - + Save the current service under a new name. Az aktuális sorrend más néven való mentése. - + E&xit &Kilépés - + Quit OpenLP OpenLP bezárása - + &Theme &Téma - + &Configure OpenLP... OpenLP &beállítása… - + &Media Manager &Médiakezelő - + Toggle Media Manager Médiakezelő átváltása - + Toggle the visibility of the media manager. A médiakezelő láthatóságának átváltása. - + &Theme Manager &Témakezelő - + Toggle Theme Manager Témakezelő átváltása - + Toggle the visibility of the theme manager. A témakezelő láthatóságának átváltása. - + &Service Manager &Sorrendkezelő - + Toggle Service Manager Sorrendkezelő átváltása - + Toggle the visibility of the service manager. A sorrendkezelő láthatóságának átváltása. - + &Preview Panel &Előnézet panel - + Toggle Preview Panel Előnézet panel átváltása - + Toggle the visibility of the preview panel. Az előnézet panel láthatóságának átváltása. - + &Live Panel &Élő adás panel - + Toggle Live Panel Élő adás panel átváltása - + Toggle the visibility of the live panel. Az élő adás panel láthatóságának átváltása. - + &Plugin List &Bővítménylista - + List the Plugins Bővítmények listája - + &User Guide &Felhasználói kézikönyv - + &About &Névjegy - + More information about OpenLP További információ az OpenLP-ről - + &Online Help &Online súgó - + &Web Site &Weboldal - + Use the system language, if available. Rendszernyelv használata, ha elérhető. - + Set the interface language to %s A felhasználói felület nyelvének átváltása erre: %s - + Add &Tool... &Eszköz hozzáadása… - + Add an application to the list of tools. Egy alkalmazás hozzáadása az eszközök listához. - + &Default &Alapértelmezett - + Set the view mode back to the default. Nézetmód visszaállítása az alapértelmezettre. - + &Setup &Szerkesztés - + Set the view mode to Setup. Nézetmód váltása a Beállítás módra. - + &Live &Élő adás - + Set the view mode to Live. Nézetmód váltása a Élő módra. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2551,27 +2581,27 @@ You can download the latest version from http://openlp.org/. A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be. - + OpenLP Version Updated OpenLP verziófrissítés - + OpenLP Main Display Blanked Elsötétített OpenLP fő képernyő - + The Main Display has been blanked out A fő képernyő el lett sötétítve - + Default Theme: %s Alapértelmezett téma: %s - + Configure &Shortcuts... &Gyorsbillentyűk beállítása… @@ -2582,82 +2612,82 @@ A legfrissebb verzió a http://openlp.org/ oldalról szerezhető be.Magyar - + &Autodetect &Automatikus felismerés - + Open &Data Folder... &Adatmappa megnyitása… - + Open the folder where songs, bibles and other data resides. A dalokat, bibliákat és egyéb adatokat tartalmazó mappa megnyitása. - + Close OpenLP OpenLP bezárása - + Are you sure you want to close OpenLP? Biztosan bezárható az OpenLP? - + Update Theme Images Témaképek frissítése - + Update the preview images for all themes. Összes téma előnézeti képének frissítése. - + Print the current service. Az aktuális sorrend nyomtatása. - + &Recent Files &Legutóbbi fájlok - + Configure &Formatting Tags... Formázó &címkék beállítása… - + L&ock Panels Panelek &zárolása - + Prevent the panels being moved. Megakadályozza a panelek mozgatását. - + Re-run First Time Wizard Első indítás tündér - + Re-run the First Time Wizard, importing songs, Bibles and themes. Első indítás tündér újbóli futtatása dalok, bibliák, témák importálásához. - + Re-run First Time Wizard? Újra futtatható az Első indítás tündér? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2666,38 +2696,38 @@ Re-running this wizard may make changes to your current OpenLP configuration and A tündér újbóli futtatása során megváltozhatnak az OpenLP aktuális beállításai, az alapértelmezett téma és új dalok adhatók hozzá a jelenlegi dallistákhoz. - + Clear List Clear List of recent files Lista törlése - + Clear the list of recent files. Törli a legutóbbi fájlok listáját. - + Export OpenLP settings to a specified *.config file OpenLP beállításainak mentése egy meghatározott *.config fájlba - + Settings Beállítások - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Az OpenLP beállításainak betöltése egy előzőleg ezen vagy egy másik gépen exportált meghatározott *.config fájlból - + Import settings? Beállítások betöltése? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2710,32 +2740,32 @@ A beállítások betöltése tartós változásokat okoz a OpenLP jelenlegi beá Hibás beállítások betöltése rendellenes működést okozhat, vagy akár az OpenLP abnormális megszakadását is. - + Open File Fájl megnyitása - + OpenLP Export Settings Files (*.conf) OpenLP beállító export fájlok (*.conf) - + Import settings Importálási beállítások - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Az OpenLP most leáll. Az importált beállítások az OpenLP következő indításakor lépnek érvénybe. - + Export Settings File Beállító export fájl - + OpenLP Export Settings File (*.conf) OpenLP beállító export fájlok (*.conf) @@ -2743,12 +2773,12 @@ Hibás beállítások betöltése rendellenes működést okozhat, vagy akár az OpenLP.Manager - + Database Error Adatbázis hiba - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2757,7 +2787,7 @@ Database: %s Adatbázis: %s - + OpenLP cannot load your database. Database: %s @@ -2769,7 +2799,7 @@ Adatbázis: %s OpenLP.MediaManagerItem - + No Items Selected Nincs kijelölt elem @@ -2869,17 +2899,17 @@ Az utótag nem támogatott Inaktív - + %s (Inactive) %s (inaktív) - + %s (Active) %s (aktív) - + %s (Disabled) %s (letiltott) @@ -2991,12 +3021,12 @@ Az utótag nem támogatott OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Kezdés</strong>: %s - + <strong>Length</strong>: %s <strong>Hossz</strong>: %s @@ -3092,34 +3122,34 @@ Az utótag nem támogatott Elem témájának &módosítása - + OpenLP Service Files (*.osz) OpenLP sorrend fájlok (*.osz) - + File is not a valid service. The content encoding is not UTF-8. A fájl nem érvényes sorrend. A tartalom kódolása nem UTF-8. - + File is not a valid service. A fájl nem érvényes sorrend. - + Missing Display Handler Hiányzó képernyő kezelő - + Your item cannot be displayed as there is no handler to display it Az elemet nem lehet megjeleníteni, mert nincs kezelő, amely megjelenítené - + Your item cannot be displayed as the plugin required to display it is missing or inactive Az elemet nem lehet megjeleníteni, mert a bővítmény, amely kezelné, hiányzik vagy inaktív @@ -3199,22 +3229,22 @@ A tartalom kódolása nem UTF-8. Az aktuális sorrend módosult. Szeretnéd elmenteni? - + File could not be opened because it is corrupt. A fájl nem nyitható meg, mivel sérült. - + Empty File Üres fájl - + This service file does not contain any data. A szolgálati sorrend fájl nem tartalmaz semmilyen adatot. - + Corrupt File Sérült fájl @@ -3254,25 +3284,35 @@ A tartalom kódolása nem UTF-8. Jelöljön ki egy témát a sorrendhez. - + This file is either corrupt or it is not an OpenLP 2.0 service file. A fájl vagy sérült vagy nem egy OpenLP 2.0 szolgálati sorrend fájl. - + Service File Missing Hiányzó sorrend fájl - + Slide theme Dia téma - + Notes Jegyzetek + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3361,100 +3401,145 @@ A tartalom kódolása nem UTF-8. OpenLP.SlideController - + Hide Elrejtés - + Go To Ugrás - + Blank Screen Képernyő elsötétítése - + Blank to Theme Elsötétítés a témára - + Show Desktop Asztal megjelenítése - - Previous Slide - Előző dia - - - - Next Slide - Következő dia - - - + Previous Service Előző sorrend - + Next Service Következő sorrend - + Escape Item Kilépés az elemből - + Move to previous. Mozgatás az előzőre. - + Move to next. Mozgatás a következőre. - + Play Slides Diák vetítése - + Delay between slides in seconds. Diák közötti késleltetés másodpercben. - + Move to live. Élő adásba küldés. - + Add to Service. Hozzáadás a sorrendhez. - + Edit and reload song preview. Szerkesztés és az dal előnézetének újraolvasása. - + Start playing media. Médialejátszás indítása. - + Pause audio. Hang szüneteltetése. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3527,19 +3612,19 @@ A tartalom kódolása nem UTF-8. A médiaelem kezdő időpontja későbbre van állítva, mint a befejezése - + Theme Layout - + Téma elrendezése - + The blue box shows the main area. - + Kék keret jelzi a fő tartalmat. - + The red box shows the footer. - + Vörös keret jelzi a láblécet. @@ -3638,79 +3723,72 @@ A tartalom kódolása nem UTF-8. Beállítás &globális alapértelmezetté - + %s (default) %s (alapértelmezett) - + You must select a theme to edit. Ki kell jelölni egy témát a szerkesztéshez. - + You must select a theme to delete. Ki kell jelölni egy témát a törléshez. - + Delete Confirmation Törlés megerősítése - + You are unable to delete the default theme. Az alapértelmezett témát nem lehet törölni. - + You have not selected a theme. Nincs kijelölve egy téma sem. - + Save Theme - (%s) Téma mentése – (%s) - + Theme Exported Téma exportálva - + Your theme has been successfully exported. A téma sikeresen exportálásra került. - + Theme Export Failed A téma exportálása nem sikerült - + Your theme could not be exported due to an error. A témát nem sikerült exportálni egy hiba miatt. - + Select Theme Import File Importálandó téma fájl kijelölése - - File is not a valid theme. -The content encoding is not UTF-8. - Nem érvényes témafájl. -A tartalom kódolása nem UTF-8. - - - + File is not a valid theme. Nem érvényes témafájl. - + Theme %s is used in the %s plugin. A(z) %s témát a(z) %s bővítmény használja. @@ -3730,7 +3808,7 @@ A tartalom kódolása nem UTF-8. Téma e&xportálása - + Delete %s theme? Törölhető ez a téma: %s? @@ -3750,17 +3828,17 @@ A tartalom kódolása nem UTF-8. A téma átnevezhető: %s? - + OpenLP Themes (*.theme *.otz) OpenLP témák (*.theme *.otz) - + Validation Error Érvényességi hiba - + A theme with this name already exists. Ilyen fájlnéven már létezik egy téma. @@ -4031,12 +4109,12 @@ A tartalom kódolása nem UTF-8. Justify - + Sorkizárt Layout Preview - + Elrendezés előnézete @@ -4393,7 +4471,7 @@ A tartalom kódolása nem UTF-8. Kész. - + Starting import... Importálás indítása… @@ -4717,7 +4795,7 @@ A tartalom kódolása nem UTF-8. Bemutatók (%s) - + Missing Presentation Hiányzó bemutató @@ -4727,7 +4805,7 @@ A tartalom kódolása nem UTF-8. A(z) %s bemutató hiányos, újra kell tölteni. - + The Presentation %s no longer exists. A(z) %s bemutató már nem létezik. @@ -4735,17 +4813,17 @@ A tartalom kódolása nem UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Elérhető vezérlők - + Allow presentation application to be overriden A bemutató program felülírásának engedélyezése - + %s (unavailable) %s (elérhetetlen) @@ -4899,91 +4977,91 @@ A tartalom kódolása nem UTF-8. Display stage time in 12h format - + Időkijelzés a színpadi nézeten 12 órás formában SongUsagePlugin - + &Song Usage Tracking &Dalstatisztika rögzítése - + &Delete Tracking Data Rögzített adatok &törlése - + Delete song usage data up to a specified date. Dalstatisztika adatok törlése egy meghatározott dátumig. - + &Extract Tracking Data Rögzített adatok &kicsomagolása - + Generate a report on song usage. Dalstatisztika jelentés összeállítása. - + Toggle Tracking Rögzítés - + Toggle the tracking of song usage. Dalstatisztika rögzítésének átváltása. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Dalstatisztika bővítmény</strong><br />Ez a bővítmény rögzíti, hogy a dalok mikor lettek vetítve egy élő szolgálat vagy istentisztelet során. - + SongUsage name singular Dalstatisztika - + SongUsage name plural Dalstatisztika - + SongUsage container title Dalstatisztika - + Song Usage Dalstatisztika - + Song usage tracking is active. A dalstatisztika rögzítésre kerül. - + Song usage tracking is inactive. A dalstatisztika nincs rögzítés alatt. - + display megjelenítés - + printed nyomtatás @@ -5073,118 +5151,120 @@ A tartalom kódolása nem UTF-8. Report %s has been successfully created. - A(z) %s riport sikeresen elkészült. + A(z) +%s +riport sikeresen elkészült. SongsPlugin - + &Song &Dal - + Import songs using the import wizard. Dalok importálása az importálás tündérrel. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Dal bővítmény</strong><br />A dal bővítmény dalok megjelenítését és kezelését teszi lehetővé. - + &Re-index Songs Dalok újra&indexelése - + Re-index the songs database to improve searching and ordering. Dal adatbázis újraindexelése a keresés és a rendezés javításához. - + Reindexing songs... Dalok indexelése folyamatban… - + Arabic (CP-1256) Arab (CP-1256) - + Baltic (CP-1257) Balti (CP-1257) - + Central European (CP-1250) Közép-európai (CP-1250) - + Cyrillic (CP-1251) Cirill (CP-1251) - + Greek (CP-1253) Görög (CP-1253) - + Hebrew (CP-1255) Héber (CP-1255) - + Japanese (CP-932) Japán (CP-932) - + Korean (CP-949) Koreai (CP-949) - + Simplified Chinese (CP-936) Egyszerűsített kínai (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Hagyományos kínai (CP-950) - + Turkish (CP-1254) Török (CP-1254) - + Vietnam (CP-1258) Vietnami (CP-1258) - + Western European (CP-1252) Nyugat-európai (CP-1252) - + Character Encoding Karakterkódolás - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5193,62 +5273,62 @@ a karakterek helyes megjelenítéséért. Általában az előre beállított érték megfelelő. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Válasszd ki a karakterkódolást. A kódlap felelős a karakterek helyes megjelenítéséért. - + Exports songs using the export wizard. Dalok exportálása a dalexportáló tündérrel. - + Song name singular Dal - + Songs name plural Dalok - + Songs container title Dalok - + Add a new song. Új dal hozzáadása. - + Edit the selected song. A kijelölt dal szerkesztése. - + Delete the selected song. A kijelölt dal törlése. - + Preview the selected song. A kijelölt dal előnézete. - + Send the selected song live. A kijelölt dal élő adásba küldése. - + Add the selected song to the service. A kijelölt dal hozzáadása a sorrendhez. @@ -5294,7 +5374,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. A fájlnév nem tartalmaz valós kiterjesztést. @@ -5313,7 +5393,7 @@ A kódlap felelős a karakterek helyes megjelenítéséért. EasyWorship] [a fenti dal címkék a megjegyzésekkel az -EasyWorshipbőlkerültek importálásra] +EasyWorshipből kerültek importálásra] @@ -5414,82 +5494,82 @@ EasyWorshipbőlkerültek importálásra] Téma, szerzői jog és megjegyzések - + Add Author Szerző hozzáadása - + This author does not exist, do you want to add them? Ez a szerző még nem létezik, valóban hozzá kívánja adni? - + This author is already in the list. A szerző már benne van a listában. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Nincs kijelölve egyetlen szerző sem. Vagy válassz egy szerzőt a listából, vagy írj az új szerző mezőbe és kattints a Hozzáadás gombra a szerző megjelöléséhez. - + Add Topic Témakör hozzáadása - + This topic does not exist, do you want to add it? Ez a témakör még nem létezik, szeretnéd hozzáadni? - + This topic is already in the list. A témakör már benne van a listában. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Nincs kijelölve egyetlen témakör sem. Vagy válassz egy témakört a listából, vagy írj az új témakör mezőbe és kattints a Hozzáadás gombraa témakör megjelöléséhez. - + You need to type in a song title. Add meg a dal címét. - + You need to type in at least one verse. Legalább egy versszakot meg kell adnod. - + Warning Figyelmeztetés - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. A versszaksorrend hibás. Nincs ilyen versszak: %s. Az érvényes elemek ezek: %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Ez a versszak sehol nem lett megadva a sorrendben: %s. Biztosan így kívánod elmenteni a dalt? - + Add Book Könyv hozzáadása - + This song book does not exist, do you want to add it? Ez az énekeskönyv még nem létezik, szeretnéd hozzáadni a listához? - + You need to have an author for this song. Egy szerzőt meg kell adnod ehhez a dalhoz. @@ -5506,7 +5586,7 @@ EasyWorshipbőlkerültek importálásra] Add &File(s) - Fájlok &hozzáadása + Fájl(ok) &hozzáadása @@ -5519,9 +5599,9 @@ EasyWorshipbőlkerültek importálásra] Minden médiafájl &eltávolítása - + Open File(s) - Fájl megnyitása + Fájl(ok) megnyitása @@ -5610,12 +5690,12 @@ EasyWorshipbőlkerültek importálásra] Egy mappát kell megadni. - + Starting export... Exportálás indítása… - + Select Destination Folder Célmappa kijelölése @@ -5633,7 +5713,7 @@ EasyWorshipbőlkerültek importálásra] SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Jelölj ki egy dokumentum vagy egy bemutató fájlokat @@ -5648,7 +5728,7 @@ EasyWorshipbőlkerültek importálásra] A tündér segít a különféle formátumú dalok importálásában. Kattints az alábbi Következő gombra a folyamat első lépésének indításhoz, a formátum kiválasztásához. - + Generic Document/Presentation Általános dokumentum vagy bemutató @@ -5678,42 +5758,42 @@ EasyWorshipbőlkerültek importálásra] Az OpenLyrics importáló még nem lett kifejlesztve, de amint már láthatod, szándékozunk elkészíteni. Remélhetőleg a következő kiadásban már benne lesz. - + OpenLP 2.0 Databases OpenLP 2.0 adatbázisok - + openlp.org v1.x Databases openlp.org v1.x adatbázisok - + Words Of Worship Song Files Words of Worship dal fájlok - + You need to specify at least one document or presentation file to import from. Ki kell jelölnie legalább egy dokumentumot vagy bemutatót az importáláshoz. - + Songs Of Fellowship Song Files Songs Of Fellowship dal fájlok - + SongBeamer Files SongBeamer fájlok - + SongShow Plus Song Files SongShow Plus dal fájlok - + Foilpresenter Song Files Foilpresenter dal fájlok @@ -5738,14 +5818,14 @@ EasyWorshipbőlkerültek importálásra] Az általános dokumentum, ill. bemutató importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics vagy OpenLP 2.0 epoxrtált dal - + OpenLyrics Files - + OpenLyrics fájlok @@ -5753,7 +5833,7 @@ EasyWorshipbőlkerültek importálásra] Select Media File(s) - Médiafájl kijelölése + Médiafájl(ok) kijelölése @@ -5774,7 +5854,7 @@ EasyWorshipbőlkerültek importálásra] Dalszöveg - + CCLI License: CCLI licenc: @@ -5784,7 +5864,7 @@ EasyWorshipbőlkerültek importálásra] Teljes dal - + Are you sure you want to delete the %n selected song(s)? Törölhetők a kijelölt dalok: %n? @@ -5796,7 +5876,7 @@ EasyWorshipbőlkerültek importálásra] Szerzők, témakörök, könyvek listájának kezelése. - + copy For song cloning másolás @@ -5852,12 +5932,12 @@ EasyWorshipbőlkerültek importálásra] SongsPlugin.SongExportForm - + Your song export failed. Dalexportálás meghiúsult. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exportálás befejeződött. Ezen fájlok importálásához majd az <strong>OpenLyrics</strong> importálót vedd igénybe. @@ -5893,7 +5973,7 @@ EasyWorshipbőlkerültek importálásra] SongsPlugin.SongImportForm - + Your song import failed. Az importálás meghiúsult. @@ -6003,7 +6083,7 @@ EasyWorshipbőlkerültek importálásra] The book %s already exists. Would you like to make songs with book %s use the existing book %s? - Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek köynve: %s – a már létező könyvben (%s) kerüljön rögzítésre? + Ez a könyv már létezik: %s. Szeretnéd, hogy a dal – melynek könyve: %s – a már létező könyvben (%s) kerüljön rögzítésre? diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index e323d52ba..8e493f22c 100644 --- a/resources/i18n/id.ts +++ b/resources/i18n/id.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert Per&ingatan - + Show an alert message. Menampilkan pesan peringatan. - + Alert name singular Peringatan - + Alerts name plural Peringatan - + Alerts container title Peringatan - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Plugin Peringatan</strong><br>Plugin peringatan mengendalikan tampilan peringatan di layar tampilan. @@ -86,25 +86,25 @@ No Parameter Found - Parameter Tidak Ditemukan + Parameter Tidak Ditemukan You have not entered a parameter to be replaced. Do you want to continue anyway? - Anda belum memasukkan parameter baru. + Anda belum memasukkan parameter baru. Tetap lanjutkan? No Placeholder Found - Placeholder Tidak Ditemukan + Placeholder Tidak Ditemukan The alert text does not contain '<>'. Do you want to continue anyway? - Peringatan tidak mengandung '<>'. + Peringatan tidak mengandung '<>'. Tetap lanjutkan? @@ -119,32 +119,32 @@ Tetap lanjutkan? AlertsPlugin.AlertsTab - + Font Fon - + Font name: Nama fon: - + Font color: Warna fon: - + Background color: Warna latar: - + Font size: Ukuran fon: - + Alert timeout: Waktu-habis untuk peringatan: @@ -152,24 +152,24 @@ Tetap lanjutkan? BiblesPlugin - + &Bible &Alkitab - + Bible name singular Alkitab - + Bibles name plural Alkitab - + Bibles container title Alkitab @@ -185,52 +185,52 @@ Tetap lanjutkan? Kitab tidak ditemukan dalam Alkitab ini. Periksa apakah Anda telah mengeja nama kitab dengan benar. - + Import a Bible. Impor Alkitab. - + Add a new Bible. Tambahkan Alkitab baru. - + Edit the selected Bible. Sunting Alkitab terpilih. - + Delete the selected Bible. Hapus Alkitab terpilih. - + Preview the selected Bible. Pratinjau Alkitab terpilih. - + Send the selected Bible live. Tayangkan Alkitab terpilih. - + Add the selected Bible to the service. Tambahkan Alkitab terpilih ke dalam layanan. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Plugin Alkitab</strong><br />Plugin Alkitab menyediakan kemampuan untuk menayangkan ayat Alkitab dari berbagai sumber selama layanan. - + &Upgrade older Bibles - &Upgrade Alkitab lama + &Upgrade Alkitab lama - + Upgrade the Bible databases to the latest format. Perbarui basis data Alkitab ke format terbaru. @@ -336,7 +336,7 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. Display second Bible verses - Tampilkan ayat Alkitab selanjutnya + Tampilkan ayat Alkitab selanjutnya @@ -393,20 +393,20 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. BiblesPlugin.CSVBible - + Importing books... %s - Mengimpor kitab... %s + Mengimpor kitab... %s - + Importing verses from %s... Importing verses from <book name>... - Mengimpor ayat dari %s... + Mengimpor ayat dari %s... - + Importing verses... done. - Mengimpor ayat... selesai. + Mengimpor ayat... selesai. @@ -430,22 +430,22 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. Download Error - Unduhan Gagal + Unduhan Gagal There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. + Ada masalah dalam mengunduh ayat yang terpilih. Mohon periksa sambungan internet Anda dan jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. Parse Error - Galat saat parsing + Galat saat parsing There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. + Ada masalah dalam mengekstrak ayat yang terpilih. Jika masalah berlanjut, pertimbangkan untuk melaporkan hal ini sebagai kutu. @@ -468,7 +468,7 @@ Perubahan tidak akan mempengaruhi ayat yang kini tampil. Location: - Lokasi: + Lokasi: @@ -704,22 +704,22 @@ dibutuhkan dan membutuhkan koneksi internet. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru? + Tidak dapat menggabungkan hasil pencarian ayat. Ingin menghapus hasil pencarian dan mulai pencarian baru? Bible not fully loaded. - Alkitab belum termuat seluruhnya. + Alkitab belum termuat seluruhnya. Information - Informasi + Informasi The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. + Alkitab kedua tidak memiliki seluruh ayat yang ada di Alkitab utama. Hanya ayat yang ditemukan di kedua Alkitab yang akan ditampilkan. %d ayat tidak terlihat di hasil. @@ -728,21 +728,21 @@ dibutuhkan dan membutuhkan koneksi internet. Importing %s %s... Importing <book name> <chapter>... - Mengimpor %s %s... + Mengimpor %s %s... BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Mendeteksi pengodean (mungkin butuh beberapa menit)... - + Importing %s %s... Importing <book name> <chapter>... - Mengimpor %s %s... + Mengimpor %s %s... @@ -770,7 +770,7 @@ dibutuhkan dan membutuhkan koneksi internet. Please select a backup directory for your Bibles - Mohon pilih direktori pencadangan untuk Alkitab Anda. + Mohon pilih direktori pencadangan untuk Alkitab Anda @@ -824,19 +824,19 @@ Gagal Upgrading Bible %s of %s: "%s" Upgrading ... Pemutakhiran Alkitab %s dari %s: "%s" -Memutakhirkan... +Memutakhirkan ... Download Error - Unduhan Gagal + Unduhan Gagal Upgrading Bible %s of %s: "%s" Upgrading %s ... Memutakhirkan Alkitab %s dari %s: "%s" -Memutakhirkan %s... +Memutakhirkan %s ... @@ -1017,12 +1017,12 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i &Kredit: - + You need to type in a title. Anda harus mengetikkan judul. - + You need to add at least one slide Anda harus menambah paling sedikit satu salindia @@ -1111,7 +1111,7 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i ImagePlugin.ExceptionDialog - + Select Attachment Pilih Lampiran @@ -1182,60 +1182,60 @@ Ingin tetap menambah gambar lain? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />Media plugin mampu memutar audio dan video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Muat media baru. - + Add new media. Tambah media baru. - + Edit the selected media. Sunting media terpilih. - + Delete the selected media. Hapus media terpilih. - + Preview the selected media. Pratinjau media terpilih. - + Send the selected media live. Tayangkan media terpilih. - + Add the selected media to the service. Tambahkan media terpilih ke layanan. @@ -1243,67 +1243,92 @@ Ingin tetap menambah gambar lain? MediaPlugin.MediaItem - + Select Media Pilih Media - + You must select a media file to delete. Pilih sebuah berkas media untuk dihapus. - + You must select a media file to replace the background with. Pilih sebuah media untuk menggantikan latar. - + There was a problem replacing your background, the media file "%s" no longer exists. Ada masalah dalam mengganti latar, berkas media "%s" tidak ada lagi. - + Missing Media File Berkas Media hilang - + The file %s no longer exists. Berkas %s tidak ada lagi. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Tidak ada butir tayangan untuk di-amend. - - File Too Big - Berkas Terlalu Besar + + Unsupported File + - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - Berkas yang akan dimuat terlalu besar. Mohon kurangi ukurannya hingga 50MiB. + + Automatic + + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Tayangan Media + + Available Media Players + - - Use Phonon for video playback - Pakai Phonon untuk memutar video + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1314,16 +1339,18 @@ Ingin tetap menambah gambar lain? Berkas Gambar - + Information - Informasi + Informasi - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? - + Format Alkitab sudah diubah. +Anda harus menaiktingkatkan Alkitab yang sekarang. +Haruskah OpenLP menaiktingkatkan sekarang? @@ -1493,13 +1520,20 @@ OpenLP is free church presentation software, or lyrics projection software, used Find out more about OpenLP: http://openlp.org/ OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below. - + OperLP <version><version> - Open Source Lyrics Projection + +OpenLP adalah piranti lunak untuk penyajian gerejawi, atau piranti proyeksi lirik, untuk menampilkan salindia lagu, ayat Alkitab, video, citra, dan bahkan presentasi (jika Impress, PowerPoint, atau PowerPoint viewer terpasang) untuk kebaktian gereja yang menggunakan komputer dan proyektor. + +Cari tahu lebih banyak lagi tentang OpenLP: http://openlp.org/ + +OpenLP dibuat dan dipelihara oleh relawan. Jika Anda ingin melihat lebih banyak piranti lunak Kristen dikerjakan, mohon pertimbangkan untuk berkontribusi melalui tombol di bawah ini. Copyright © 2004-2011 %s Portions copyright © 2004-2011 %s - + Hak Cipta © 2004-2011 %s +Hak cipta sebagian © 2004-2011 %s @@ -1552,7 +1586,7 @@ Portions copyright © 2004-2011 %s Background color: - Warna latar: + Warna latar: @@ -1572,7 +1606,7 @@ Portions copyright © 2004-2011 %s Advanced - Lanjutan + Lanjutan @@ -1593,39 +1627,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred - Galat Terjadi. + Galat Terjadi - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Aduh! OpenLP mengalami masalah yang tidak dapat diatasi. Teks di kotak bawah mengandung informasi yang membantu pengembang OpenLP, jadi tolong surelkan ini ke bugs@openlp.org, bersama dengan deskripsi detail apa yang Anda lakukan saat masalah terjadi. - + Send E-Mail Kirim Surel - + Save to File Simpan menjadi Berkas - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Mohon masukkan deskripsi apa yang Anda lakukan saat galat terjadi (Paling sedikit 20 karakter) - + Attach File Lampirkan Berkas - + Description characters to enter : %s Karakter deskripsi untuk dimasukkan: %s @@ -1633,24 +1667,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Platform: %s - + Save Crash Report Simpan Laporan Crash - + Text files (*.txt *.log *.text) File teks (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1681,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -1794,7 +1828,7 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Bible - Alkitab + Alkitab @@ -1854,7 +1888,7 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Select and download free Bibles. - Pilih dan unduh Alkitab gratis + Pilih dan unduh Alkitab gratis. @@ -1864,7 +1898,7 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Select and download sample themes. - Pilih dan unduh contoh Tema + Pilih dan unduh contoh tema. @@ -1894,61 +1928,65 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Wisaya ini akan membantu mengonfigurasi OpenLP untuk penggunaan pertama. Klik tombol di bawah untuk memulai. Setting Up And Downloading - + Persiapan dan Pengunduhan Please wait while OpenLP is set up and your data is downloaded. - + Mohon tunggu selama OpenLP dipersiapkan dan data Anda diunduh. Setting Up - + Persiapan Click the finish button to start OpenLP. - + Klik tombol selesai untuk memulai OpenLP. Custom Slides - Salindia Suai + Salindia Suai Download complete. Click the finish button to return to OpenLP. - + Unduhan selesai. Klik tombol selesai untuk kembali ke OpenLP. Click the finish button to return to OpenLP. - + Klik tombol selesai untuk kembali ke OpenLP. No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Sambungan internet tidak ditemukan. Wisaya Kali Pertama butuh sambungan internet untuk mengunduh contoh lagu, Alkitab, dan tema. Tekan tombol Selesai untuk memulai OpenLP dengan pengaturan bawaan dan tanpa contoh data. + +Untuk menjalankan lagi Wisaya Kali Pertama dan mengimpor contoh data ini lain kali, periksa sambungan internet dan jalankan wisaya ini melalui "Kakas/Jalankan Wisaya Pertama Kali" dari OpenLP. To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. - + + +Untuk membatalkan Wisaya Pertama Kali sepenuhnya (dan tidak memulai OpenLP), tekan Batal. Finish - + Selesai @@ -1956,52 +1994,52 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Configure Formatting Tags - + Konfigurasi Label Pemformatan Edit Selection - Sunting pilihan + Sunting pilihan Save - + Simpan Description - Deskripsi + Deskripsi Tag - Label + Label Start tag - Label awal + Label awal End tag - Label akhir + Label akhir Tag Id - ID Label + ID Label Start HTML - HTML Awal + Mulai HTML End HTML - Akhir HTML + Akhiri HTML @@ -2009,32 +2047,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Update Error - Galat dalam Memperbarui + Galat dalam Memperbarui Tag "n" already defined. - Label "n" sudah terdefinisi. + Label "n" sudah terdefinisi. New Tag - + Label baru <HTML here> - + <HTML di sini> </and here> - + </dan sini> Tag %s already defined. - Label %s telah terdefinisi. + Label %s telah terdefinisi. @@ -2042,82 +2080,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Red - + Merah Black - + Hitam Blue - + Biru Yellow - + Kuning Green - + Hijau Pink - + Merah Muda Orange - + Jingga Purple - + Ungu White - + Putih Superscript - + Tulis-atas Subscript - + Tulis-bawah Paragraph - + Paragraf Bold - + Tebal Italics - + Miring Underline - + Garis Bawah Break - + Rehat @@ -2240,22 +2278,22 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Enable slide wrap-around - + Nyalakan <i>slide wrap-around</i> Timed slide interval: - + Selang waktu salindia: Background Audio - + Audio Latar Start background audio paused - + Mulai audio latar terjeda @@ -2274,7 +2312,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display Tampilan OpenLP @@ -2282,287 +2320,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File - &File + &Berkas - + &Import - &Impor + &Impor - + &Export &Ekspor - + &View &Lihat - + M&ode M&ode - + &Tools - Ala&t + &Kakas - + &Settings &Pengaturan - + &Language &Bahasa - + &Help Bantua&n - + Media Manager Manajer Media - + Service Manager Manajer Layanan - + Theme Manager Manajer Tema - + &New - &Baru + &Baru - + &Open &Buka - + Open an existing service. Buka layanan yang ada. - + &Save - &Simpan + &Simpan - + Save the current service to disk. Menyimpan layanan aktif ke dalam diska. - + Save &As... Simp&an Sebagai... - + Save Service As Simpan Layanan Sebagai - + Save the current service under a new name. Menyimpan layanan aktif dengan nama baru. - + E&xit Kelua&r - + Quit OpenLP Keluar dari OpenLP - + &Theme &Tema - + &Configure OpenLP... &Konfigurasi OpenLP... - + &Media Manager Manajer &Media - + Toggle Media Manager Ganti Manajer Media - + Toggle the visibility of the media manager. Mengganti kenampakan manajer media. - + &Theme Manager Manajer &Tema - + Toggle Theme Manager Ganti Manajer Tema - + Toggle the visibility of the theme manager. Mengganti kenampakan manajer tema. - + &Service Manager Manajer &Layanan - + Toggle Service Manager Ganti Manajer Layanan - + Toggle the visibility of the service manager. Mengganti kenampakan manajer layanan. - + &Preview Panel Panel &Pratinjau - + Toggle Preview Panel Ganti Panel Pratinjau - + Toggle the visibility of the preview panel. - Ganti kenampakan panel pratinjau + Ganti kenampakan panel pratinjau. - + &Live Panel Pane&l Tayang - + Toggle Live Panel Ganti Panel Tayang - + Toggle the visibility of the live panel. Mengganti kenampakan panel tayang. - + &Plugin List Daftar &Plugin - + List the Plugins Melihat daftar Plugin - + &User Guide T&untunan Pengguna - + &About Tent&ang - + More information about OpenLP Informasi lebih lanjut tentang OpenLP - + &Online Help Bantuan &Daring - + &Web Site Situs &Web - + Use the system language, if available. Gunakan bahasa sistem, jika ada. - + Set the interface language to %s Ubah bahasa antarmuka menjadi %s - + Add &Tool... Tambahkan Ala&t... - + Add an application to the list of tools. Tambahkan aplikasi ke daftar alat. - + &Default &Bawaan - + Set the view mode back to the default. Ubah mode tampilan ke bawaan. - + &Setup &Persiapan - + Set the view mode to Setup. Pasang mode tampilan ke Persiapan. - + &Live &Tayang - + Set the view mode to Live. Pasang mode tampilan ke Tayang. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2571,22 +2609,22 @@ You can download the latest version from http://openlp.org/. Versi terbaru dapat diunduh dari http://openlp.org/. - + OpenLP Version Updated Versi OpenLP Terbarui - + OpenLP Main Display Blanked Tampilan Utama OpenLP Kosong - + The Main Display has been blanked out Tampilan Utama telah dikosongkan - + Default Theme: %s Tema Bawaan: %s @@ -2597,125 +2635,127 @@ Versi terbaru dapat diunduh dari http://openlp.org/. Inggris - + Configure &Shortcuts... - Atur &Pintasan + Atur &Pintasan... - + Close OpenLP Tutup OpenLP - + Are you sure you want to close OpenLP? Yakin ingin menutup OpenLP? - + Open &Data Folder... - Buka Folder &Data + Buka Folder &Data... - + Open the folder where songs, bibles and other data resides. Buka folder tempat lagu, Alkitab, dan data lain disimpan. - + &Autodetect &Autodeteksi - + Update Theme Images - + Perbarui Gambar Tema - + Update the preview images for all themes. - + Perbarui gambar pratinjau untuk semua tema. - + Print the current service. - + Cetak layanan saat ini. - + L&ock Panels - + Kunci Pane&l - + Prevent the panels being moved. - + Hindari panel digerakkan. - + Re-run First Time Wizard - + Jalankan Wisaya Kali Pertama - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Jalankan Wisaya Kali Pertama, mengimpor lagu, Alkitab, dan tema. - + Re-run First Time Wizard? - + Jalankan Wisaya Kali Pertama? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Anda yakin ingin menjalankan Wisaya Kali Pertama? + +Menjalankan wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini dan mungkin menambah lagu ke dalam daftar lagu dan mengubah tema bawaan. - + &Recent Files - + Be&rkas Baru-baru Ini - + Clear List Clear List of recent files - + Bersihkan Daftar - + Clear the list of recent files. - - - - - Configure &Formatting Tags... - - - - - Export OpenLP settings to a specified *.config file - + Bersihkan daftar berkas baru-baru ini. + Configure &Formatting Tags... + Konfigurasi Label Pem&formatan... + + + + Export OpenLP settings to a specified *.config file + Ekspor pengaturan OpenLP ke dalam sebuah berkas *.config + + + Settings - + Pengaturan - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Impor pengaturan OpenLP dari sebuah berkas *.config yang telah diekspor - + Import settings? - + Impor pengaturan? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2724,32 +2764,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File Buka Berkas - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2757,19 +2797,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2779,7 +2819,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Tidak Ada Barang yang Terpilih @@ -2878,17 +2918,17 @@ Suffix not supported Tidak Aktif - + %s (Inactive) % (Tidak Aktif) - + %s (Active) %s (Aktif) - + %s (Disabled) %s (Dihentikan) @@ -3000,12 +3040,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3068,7 +3108,7 @@ Suffix not supported Delete the selected item from the service. - Hapus butir terpilih dari layanan, + Hapus butir terpilih dari layanan. @@ -3101,76 +3141,76 @@ Suffix not supported &Ubah Tema - + OpenLP Service Files (*.osz) Berkas Layanan OpenLP (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Berkas bukan berupa layanan. Isi berkas tidak berupa UTF-8. - + File is not a valid service. Berkas bukan layanan sahih. - + Missing Display Handler Penangan Tayang hilang - + Your item cannot be displayed as there is no handler to display it - Butir tidak dapat ditayangkan karena tidak ada penangan untuk menayangkannya. + Butir tidak dapat ditayangkan karena tidak ada penangan untuk menayangkannya - + Your item cannot be displayed as the plugin required to display it is missing or inactive - + Butir ini tidak dapat ditampilkan karena plugin yang dibutuhkan untuk menampilkannya hilang atau tidak aktif &Expand all - + &Kembangkan semua Expand all the service items. - + Kembangkan seluruh butir layanan. &Collapse all - + K&empiskan semua Collapse all the service items. - + Kempiskan seluruh butir layanan. Open File - Buka Berkas + Buka Berkas Moves the selection down the window. - + Gerakkan pilihan ke bawah. Move up - + Pindah atas Moves the selection up the window. - + Pindahkan pilihan ke atas jendela @@ -3185,12 +3225,12 @@ Isi berkas tidak berupa UTF-8. &Start Time - + &Waktu Mulai Show &Preview - + Tampilkan &Pratinjau @@ -3200,32 +3240,32 @@ Isi berkas tidak berupa UTF-8. Modified Service - + Layanan Terubah Suai The current service has been modified. Would you like to save this service? - + Layanan saat ini telah terubah suai. Ingin menyimpan layanan ini? - + File could not be opened because it is corrupt. - + Berkas tidak dapat dibuka karena rusak. - + Empty File - + Berkas Kosong - + This service file does not contain any data. - + Berkas layanan ini tidak mengandung data apa pun. - + Corrupt File - + Berkas Rusak @@ -3263,25 +3303,35 @@ Isi berkas tidak berupa UTF-8. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3370,100 +3420,145 @@ Isi berkas tidak berupa UTF-8. OpenLP.SlideController - + Hide - + Go To - + Blank Screen - + Blank to Theme - + Show Desktop - - Previous Slide - - - - - Next Slide - - - - + Previous Service - + Next Service - + Escape Item - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3513,7 +3608,7 @@ Isi berkas tidak berupa UTF-8. Finish - + Selesai @@ -3536,17 +3631,17 @@ Isi berkas tidak berupa UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3647,68 +3742,62 @@ Isi berkas tidak berupa UTF-8. - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - - - - + File is not a valid theme. @@ -3743,32 +3832,32 @@ The content encoding is not UTF-8. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) @@ -3889,7 +3978,7 @@ The content encoding is not UTF-8. Bold - + Tebal @@ -4401,7 +4490,7 @@ The content encoding is not UTF-8. - + Starting import... @@ -4528,7 +4617,7 @@ The content encoding is not UTF-8. Settings - + Pengaturan @@ -4725,12 +4814,12 @@ The content encoding is not UTF-8. - + Missing Presentation - + The Presentation %s no longer exists. @@ -4743,17 +4832,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4913,85 +5002,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -5087,173 +5176,173 @@ has been successfully created. SongsPlugin - + &Song - + Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs - + Re-index the songs database to improve searching and ordering. - + Reindexing songs... - + Arabic (CP-1256) - + Baltic (CP-1257) - + Central European (CP-1250) - + Cyrillic (CP-1251) - + Greek (CP-1253) - + Hebrew (CP-1255) - + Japanese (CP-932) - + Korean (CP-949) - + Simplified Chinese (CP-936) - + Thai (CP-874) - + Traditional Chinese (CP-950) - + Turkish (CP-1254) - + Vietnam (CP-1258) - + Western European (CP-1252) - + Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - + Song name singular - + Songs name plural Lagu - + Songs container title Lagu - + Exports songs using the export wizard. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5299,7 +5388,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5417,82 +5506,82 @@ The encoding is responsible for the correct character representation. - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -5522,7 +5611,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5603,7 +5692,7 @@ The encoding is responsible for the correct character representation. - + Starting export... @@ -5618,7 +5707,7 @@ The encoding is responsible for the correct character representation. - + Select Destination Folder @@ -5636,7 +5725,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5651,7 +5740,7 @@ The encoding is responsible for the correct character representation. - + Generic Document/Presentation @@ -5681,42 +5770,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5741,12 +5830,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5777,7 +5866,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: @@ -5787,7 +5876,7 @@ The encoding is responsible for the correct character representation. - + Are you sure you want to delete the %n selected song(s)? @@ -5799,7 +5888,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5855,12 +5944,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5896,7 +5985,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index 3f751d888..d9191a503 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.ts @@ -3,37 +3,37 @@ AlertsPlugin - + &Alert 警告(&A) - + Show an alert message. - 警告メッセージを表示する。 + 警告メッセージを表示 - + Alert name singular 警告 - + Alerts name plural 警告 - + Alerts container title 警告 - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. - <strong>警告プラグイン</strong><br />警告プラグインは、画面に警告文を表示する機能を提供します。 + <strong>警告プラグイン</strong><br />警告プラグインは、画面への警告の表示を制御します。 @@ -46,7 +46,7 @@ Alert &text: - 警告文(&T): + 警告テキスト(&T): @@ -76,12 +76,12 @@ You haven't specified any text for your alert. Please type in some text before clicking New. - 警告文が何も設定されていません。新規作成をクリックする前にメッセージを入力してください。 + 警告テキストが何も指定されていません。新規作成をクリックする前にテキストを入力してください。 &Parameter: - 引数(&P): + パラメータ(&P): @@ -113,63 +113,63 @@ Do you want to continue anyway? Alert message created and displayed. - 警告文を作成し表示しました。 + 警告メッセージを作成して表示しました。 AlertsPlugin.AlertsTab - + Font フォント - + Font name: フォント名: - + Font color: 文字色: - + Background color: 背景色: - + Font size: - 大きさ: + フォント サイズ: - + Alert timeout: - 警告タイムアウト: + 警告のタイムアウト: BiblesPlugin - + &Bible 聖書(&B) - + Bible name singular 聖書 - + Bibles name plural 聖書 - + Bibles container title 聖書 @@ -177,60 +177,60 @@ Do you want to continue anyway? No Book Found - 書名がみつかりません + 書名が見つかりません No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. - 該当する書名がこの聖書に見つかりません。書名が正しいか確認してください。 + 書名がこの聖書に見つかりません。書名が正しいか確認してください。 - + Import a Bible. 聖書をインポートします。 - - - Add a new Bible. - 聖書を追加します。 - - - - Edit the selected Bible. - 選択した聖書を編集します。 - - - - Delete the selected Bible. - 選択した聖書を削除します。 - - Preview the selected Bible. - 選択した聖書をプレビューします。 + Add a new Bible. + 新しい聖書を追加します。 + + + + Edit the selected Bible. + 選択された聖書を編集します。 - Send the selected Bible live. - 選択した聖書をライブへ送ります。 + Delete the selected Bible. + 選択された聖書を削除します。 - Add the selected Bible to the service. - 選択した聖書を礼拝プログラムに追加します。 + Preview the selected Bible. + 選択された聖書をプレビューします。 - + + Send the selected Bible live. + 選択された聖書をライブへ送信します。 + + + + Add the selected Bible to the service. + 選択された聖書を礼拝プログラムに追加します。 + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>聖書プラグイン</strong><br />聖書プラグインは、礼拝プログラムで様々な訳の御言葉を表示する機能を提供します。 - + &Upgrade older Bibles 古い聖書を更新(&U) - + Upgrade the Bible databases to the latest format. 聖書データベースを最新の形式に更新します。 @@ -250,19 +250,19 @@ Do you want to continue anyway? Text Search is not available with Web Bibles. - 本文検索はウェブ聖書では使用できません。 + テキスト検索はウェブ聖書では利用できません。 You did not enter a search keyword. You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. - 検索語句が入力されていません。 -複数の語句をスペースで区切ると全てに該当する箇所を検索し、コンマ(,)で区切るといずれかに該当する箇所を検索します。 + 検索キーワードが入力されていません。 +複数のキーワードをスペースで区切るとすべてに該当する箇所を検索し、カンマ (,) で区切るといずれかに該当する箇所を検索します。 There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - 利用可能な聖書がありません。インポートウィザードを利用して、一つ以上の聖書をインストールしてください。 + 利用できる聖書がありません。インポート ウィザードを利用して、一つ以上の聖書をインストールしてください。 @@ -286,7 +286,7 @@ Book Chapter:Verse-Chapter:Verse No Bibles Available - 利用可能な聖書翻訳がありません + 利用できる聖書翻訳がありません @@ -304,12 +304,12 @@ Book Chapter:Verse-Chapter:Verse Bible theme: - 聖書の外観テーマ: + 聖書のテーマ: No Brackets - なし + 括弧なし @@ -335,7 +335,7 @@ Changes do not affect verses already in the service. Display second Bible verses - 2つの聖句を表示 + 2 つの聖句を表示 @@ -392,20 +392,20 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s - 書名の取込み中...%s + 書名をインポート中... %s - + Importing verses from %s... Importing verses from <book name>... - 節の取込み中 %s... + %s から節をインポート中... - + Importing verses... done. - 節の取込み....完了。 + 節をインポート中... 完了。 @@ -424,12 +424,12 @@ Changes do not affect verses already in the service. Importing %s... Importing <book name>... - %sを取込み中... + %s をインポート中... Download Error - ダウンロードエラー + ダウンロード エラー @@ -452,12 +452,12 @@ Changes do not affect verses already in the service. Bible Import Wizard - 聖書インポートウィザード + 聖書インポート ウィザード This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. - このウィザードで、様々な聖書のデータを取り込む事ができます。次へボタンをクリックし、取り込む聖書のフォーマットを選択してください。 + このウィザードで、様々な聖書のデータをインポートできます。次へボタンをクリックし、インポートする聖書のフォーマットを選択してください。 @@ -482,12 +482,12 @@ Changes do not affect verses already in the service. Bible: - 訳: + 聖書: Download Options - ダウンロードオプション + ダウンロード オプション @@ -507,17 +507,17 @@ Changes do not affect verses already in the service. Proxy Server (Optional) - プロキシサーバ (任意) + プロキシ サーバ (省略可) License Details - ライセンス詳細 + ライセンスの詳細 Set up the Bible's license details. - ライセンス詳細を設定してください。 + 聖書のライセンスの詳細を設定してください。 @@ -532,27 +532,27 @@ Changes do not affect verses already in the service. Please wait while your Bible is imported. - 聖書データの取り込みが完了するまでしばらくお待ちください。 + 聖書のインポートが完了するまでお待ちください。 You need to specify a file with books of the Bible to use in the import. - 取り込む聖書データの書簡を指定する必要があります。 + インポートする聖書の書簡を指定する必要があります。 You need to specify a file of Bible verses to import. - 取り込む節の指定が必要です。 + インポートする節を指定する必要があります。 You need to specify a version name for your Bible. - 聖書データのバージョン名を指定する必要があります。 + 聖書のバージョン名を指定する必要があります。 You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - 著作権情報を入力してください。公共のサイトからの聖書もそのように入力ください。 + 聖書の著作権情報を設定する必要があります。パブリック ドメインの聖書はそのようにマークされている必要があります。 @@ -562,12 +562,12 @@ Changes do not affect verses already in the service. This Bible already exists. Please import a different Bible or first delete the existing one. - すでにこの聖書データは取り込み済みです。他の聖書データを取り込むか既に取り込まれた聖書を削除してください。 + この聖書は既に存在します。他の聖書をインポートするか、まず存在する聖書を削除してください。 Your Bible import failed. - 聖書データの取り込みに失敗しました。 + 聖書のインポートに失敗しました。 @@ -577,7 +577,7 @@ Changes do not affect verses already in the service. CSV File - CSVファイル + CSV ファイル @@ -602,7 +602,7 @@ Changes do not affect verses already in the service. openlp.org 1.x Bible Files - openlp.org 1x 聖書ファイル + openlp.org 1.x 聖書ファイル @@ -626,7 +626,7 @@ demand and thus an internet connection is required. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - この聖書の訳の言語を判定することができませんでした。一覧から言語を選択してください。 + OpenLP はこの聖書の訳の言語を判定できませんでした。以下の一覧から言語を選択してください。 @@ -682,7 +682,7 @@ demand and thus an internet connection is required. Text Search - キーワード検索 + テキスト検索 @@ -697,12 +697,12 @@ demand and thus an internet connection is required. Toggle to keep or clear the previous results. - 結果へ追加するか置換するかを切り替えます。 + 結果を保持するか消去するかを切り替えます。 You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - 一つの聖書と複数の聖書の検索結果をくっつける事はできません。検索結果を削除して、再検索しますか? + 1 つの聖書と複数の聖書の検索結果の結合はできません。検索結果を削除して再検索しますか? @@ -717,7 +717,7 @@ demand and thus an internet connection is required. The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - 第二訳には検索した箇所全てが含まれていません。両方の聖書に含まれている箇所を表示します。第%d節が除外されます。 + 第二訳には検索した箇所すべてが含まれていません。両方の聖書に含まれている箇所を表示します。第 %d 節が除外されます。 @@ -726,21 +726,21 @@ demand and thus an internet connection is required. Importing %s %s... Importing <book name> <chapter>... - %s %sをインポートしています... + %s %s をインポート中... BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... - エンコードの検出中です(数分かかることがあります)... + エンコーディングを検出中です (数分かかることがあります)... - + Importing %s %s... Importing <book name> <chapter>... - %s %sをインポートしています... + %s %s をインポート中... @@ -748,7 +748,7 @@ demand and thus an internet connection is required. Select a Backup Directory - バックアップディレクトリを選択 + バックアップ ディレクトリを選択 @@ -763,17 +763,17 @@ demand and thus an internet connection is required. Select Backup Directory - バックアップディレクトリを選択 + バックアップ ディレクトリを選択 Please select a backup directory for your Bibles - バックアップディレクトリを選択 + 聖書をバックアップするディレクトリを選択してください Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - OpenLP 2.0の前のリリースでは更新した聖書を使用することができません。このウィザードでは現在の聖書のバックアップを作成するので、前のリリースを使用する必要があるときには、バックアップをOpenLPのデータディレクトリにコピーしてください。 + OpenLP 2.0 の前のリリースでは更新した聖書を使用することができません。このウィザードでは現在の聖書のバックアップを作成するので、前のリリースを使用する必要があるときには、バックアップを OpenLP のデータ ディレクトリにコピーしてください。 @@ -783,7 +783,7 @@ demand and thus an internet connection is required. Backup Directory: - バックアップディレクトリ: + バックアップ ディレクトリ: @@ -803,7 +803,7 @@ demand and thus an internet connection is required. Upgrading - 更新 + 更新中 @@ -827,13 +827,13 @@ Upgrading ... Download Error - ダウンロードエラー + ダウンロード エラー Upgrading Bible %s of %s: "%s" Upgrading %s ... - 聖書の更新中(%s/%s): "%s" + 聖書を更新中(%s/%s): "%s" 更新中 %s... @@ -844,7 +844,7 @@ Upgrading %s ... Upgrading Bible(s): %s successful%s - 聖書更新: 成功: %s%s + 聖書を更新中: 成功: %s%s @@ -861,26 +861,26 @@ To backup your Bibles you need permission to write to the given directory. To upgrade your Web Bibles an Internet connection is required. - ウェブ聖書を更新するためにはインターネット接続が必要です。 + ウェブ聖書を更新するにはインターネット接続が必要です。 Upgrading Bible %s of %s: "%s" Complete - 聖書の更新中(%s/%s): "%s" -成功 + 聖書を更新中(%s/%s): "%s" +完了 Upgrading Bible(s): %s successful%s Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. - 聖書更新: 成功: %s%s -ウェブ聖書の本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。 + 聖書を更新中: 成功: %s%s +ウェブ聖書の本文は必要に応じてダウンロードされるため、インターネット接続が必要なことに注意してください。 You need to specify a backup directory for your Bibles. - 聖書のバックアップディレクトリを選択する必要があります。 + 聖書のバックアップ ディレクトリを指定する必要があります。 @@ -898,13 +898,13 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - <strong>カスタムスライドプラグイン</strong><br />カスタムスライドプラグインは、任意のテキストを賛美などと同様に表示する機能を提供します。賛美プラグインよりも自由な機能を提供します。 + <strong>カスタム スライド プラグイン</strong><br />カスタム スライド プラグインは、任意のテキストを賛美などと同様に表示する機能を提供します。賛美プラグインよりも自由な機能を提供します。 Custom Slide name singular - カスタムスライド + カスタム スライド @@ -916,47 +916,47 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Custom Slides container title - カスタムスライド + カスタム スライド Load a new custom slide. - 新しいカスタムスライドを読み込みます。 + 新しいカスタム スライドを読み込みます。 Import a custom slide. - カスタムスライドをインポートします。 + カスタム スライドをインポートします。 Add a new custom slide. - 新しいカスタムスライドを追加します。 + 新しいカスタム スライドを追加します。 Edit the selected custom slide. - 選択したカスタムスライドを編集します。 + 選択されたカスタム スライドを編集します。 Delete the selected custom slide. - 選択したカスタムスライドを削除します。 + 選択されたカスタム スライドを削除します。 Preview the selected custom slide. - 選択したカスタムスライドをプレビューします。 + 選択されたカスタム スライドをプレビューします。 Send the selected custom slide live. - 選択したカスタムスライドをライブへ送ります。 + 選択されたカスタム スライドをライブへ送ります。 Add the selected custom slide to the service. - 選択したカスタムスライドを礼拝プログラムに追加します。 + 選択されたカスタム スライドを礼拝プログラムに追加します。 @@ -969,7 +969,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Display footer - フッター表示 + フッターを表示 @@ -977,7 +977,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit Custom Slides - カスタムスライドを編集 + カスタム スライドを編集 @@ -987,42 +987,42 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Add a new slide at bottom. - 一番下に新規スライドを追加。 + 一番下に新規スライドを追加します。 Edit the selected slide. - 選択したスライドを編集。 + 選択されたスライドを編集します。 Edit all the slides at once. - すべてのスライドを一括編集。 + すべてのスライドを一度に編集します。 Split a slide into two by inserting a slide splitter. - スライド分割機能を用い、スライドを分割してください。 + スライド分割機能を用い、スライドを分割します。 The&me: - 外観テーマ(&m): + テーマ(&M): - + You need to type in a title. タイトルの入力が必要です。 - + You need to add at least one slide - 最低1枚のスライドが必要です + 最低 1 枚のスライドが必要です Ed&it All - 全て編集(&I) + すべて編集(&I) @@ -1032,7 +1032,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Insert Slide - スライドの挿入 + スライドを挿入 @@ -1041,7 +1041,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Are you sure you want to delete the %n selected custom slides(s)? - 選択された%n件のカスタムスライドを削除します。宜しいですか? + 選択された %n 件のカスタム スライドを本当に削除しますか? @@ -1050,7 +1050,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. - <strong>画像プラグイン</strong><br />画像プラグインは、画像を表示する機能を提供します。<br />礼拝プログラムで複数の画像をグループ化したり、複数の画像を簡単に表示することができます。タイムアウトループの機能を使用してスライドショーを自動的に表示することもできます。さらに、賛美などのテキストベースの項目の背景を、外観テーマで指定されたものからこのプラグインの画像に変更することもできます。 + <strong>画像プラグイン</strong><br />画像プラグインは、画像を表示する機能を提供します。<br />礼拝プログラムで複数の画像をグループ化したり、複数の画像を簡単に表示することができます。タイムアウト ループの機能を使用してスライドショーを自動的に表示することもできます。さらに、賛美などのテキスト ベースの項目の背景を、外観テーマで指定されたものからこのプラグインの画像に変更することもできます。 @@ -1073,7 +1073,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Load a new image. - 新しい画像を取込み。 + 新しい画像を読み込みます。 @@ -1083,33 +1083,33 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I Edit the selected image. - 選択した画像を編集します。 + 選択された画像を編集します。 Delete the selected image. - 選択した画像を削除します。 + 選択された画像を削除します。 Preview the selected image. - 選択した画像をプレビューします。 + 選択された画像をプレビューします。 Send the selected image live. - 選択した画像をライブへ送ります。 + 選択された画像をライブへ送信します。 Add the selected image to the service. - 選択した画像を礼拝プログラムに追加します。 + 選択された画像を礼拝プログラムに追加します。 ImagePlugin.ExceptionDialog - + Select Attachment 添付を選択 @@ -1124,12 +1124,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I You must select an image to delete. - 削除する画像を選択してください。 + 削除する画像を選択する必要があります。 You must select an image to replace the background with. - 置き換える画像を選択してください。 + 背景を置換する画像を選択する必要があります。 @@ -1139,19 +1139,19 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I The following image(s) no longer exist: %s - 以下の画像は既に存在しません + 以下の画像は存在しません: %s The following image(s) no longer exist: %s Do you want to add the other images anyway? - 以下の画像は既に存在しません:%s + 以下の画像は存在しません: %s それでも他の画像を追加しますか? There was a problem replacing your background, the image file "%s" no longer exists. - 背景画像を置換する際に問題が発生しました。画像ファイル"%s"が存在しません。 + 背景を置換する際に問題が発生しました。画像ファイル "%s" が存在しません。 @@ -1180,60 +1180,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - <strong>メディアプラグイン</strong><br />メディアプラグインは、音声や動画を再生する機能を提供します。 + <strong>メディア プラグイン</strong><br />メディア プラグインは、音声や動画を再生する機能を提供します。 - + Media name singular メディア - + Media name plural メディア - + Media container title メディア - + Load new media. 新しいメディアを読み込みます。 - + Add new media. 新しいメディアを追加します。 - + Edit the selected media. 選択したメディアを編集します。 - + Delete the selected media. 選択したメディアを削除します。 - + Preview the selected media. 選択したメディアをプレビューします。 - + Send the selected media live. 選択したメディアをライブへ送ります。 - + Add the selected media to the service. 選択したメディアを礼拝プログラムに追加します。 @@ -1241,67 +1241,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media - メディア選択 + メディアを選択 - + You must select a media file to delete. - 削除するメディアファイルを選択してください。 + 削除するメディア ファイルを選択する必要があります。 - + Missing Media File - メディアファイルが見つかりません + メディア ファイルが見つかりません - + The file %s no longer exists. - ファイル %s が見つかりません。 + ファイル %s が存在しません。 - + You must select a media file to replace the background with. - 背景を置換するメディアファイルを選択してください。 + 背景を置換するメディア ファイルを選択する必要があります。 - + There was a problem replacing your background, the media file "%s" no longer exists. - 背景を置き換えする際に問題が発生しました。メディアファイル"%s"は既に存在しません。 + 背景を置換する際に問題が発生しました。メディア ファイル"%s"は存在しません。 - + Videos (%s);;Audio (%s);;%s (*) - ビデオ (%s);;オーディオ (%s);;%s (*) + 動画 (%s);;音声 (%s);;%s (*) - + There was no display item to amend. 結合する項目がありません。 - - File Too Big - ファイルが大きすぎます + + Unsupported File + サポートされていないファイル - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - 読み込もうとしたファイルは大きすぎます。50MiB以下に減らしてください。 + + Automatic + 自動 + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - メディア表示 + + Available Media Players + - - Use Phonon for video playback - Phononをビデオ再生に使用する + + %s (unavailable) + %s (利用不可) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1312,18 +1337,18 @@ Do you want to add the other images anyway? 画像ファイル - + Information 情報 - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? 聖書の形式が変更されました。 聖書を更新する必要があります。 -今OpenLPが更新を行っても良いですか? +今すぐ OpenLP が更新してもいいですか? @@ -1331,7 +1356,7 @@ Should OpenLP upgrade now? Credits - 著作情報 + クレジット @@ -1341,7 +1366,7 @@ Should OpenLP upgrade now? Contribute - 貢献する + 貢献 @@ -1356,7 +1381,7 @@ Should OpenLP upgrade now? 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 below for more details. - このプログラムは、皆様のお役に立てると期待し、配布しています。しかし、完全に無保障である事を覚えて下さい。商品としての暗黙の保障としての商品適格性や特定の使用適合性もありません。詳しくは、以下の文をお読みください。 + このプログラムは、皆様のお役に立てると期待して配布しています。しかし、完全に無保障であることを理解してください。商品としての暗黙の保障としての商品適格性や特定の使用適合性もありません。詳しくは以下をお読みください。 @@ -1421,23 +1446,23 @@ Final Credit on the cross, setting us free from sin. We bring this software to you for free because He has set us free. - プロジェクトリーダー + プロジェクト リーダー %s 開発者 %s -コントリビューター +貢献者 %s テスター %s -パケッジャー +パッケージャー %s 翻訳者 - アフリカン (af) + アフリカーンス語 (af) %s ドイツ語 (de) %s @@ -1457,7 +1482,7 @@ Final Credit %s ドイツ語 (nl) %s - ポルトガル語(pt_BR) + ポルトガル語 (pt_BR) %s ロシア語 (ru) %s @@ -1465,7 +1490,7 @@ Final Credit ドキュメンテーション %s -ビルドツール +ビルド ツール Python: http://www.python.org/ Qt4: http://qt.nokia.com/ PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro @@ -1496,11 +1521,11 @@ Find out more about OpenLP: http://openlp.org/ OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below. OpenLP <version><revision> - オープンソース賛美詞投射ソフトウェア -OpenLPは、教会専用のフリー(無償及び利用に関して)のプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーションデータ(OpenOffice.orgやPowerPoint/Viewerが必要)をスライド表示する事ができます。 +OpenLP は、教会専用のフリー(無償及び利用に関して)のプレゼンテーション及び賛美詞投射ソフトウェアです。パソコンとプロジェクターを用いて、聖書箇所、画像また他プレゼンテーション データ (OpenOffice.org や PowerPoint/Viewer が必要)をスライド表示できます。 -http://openlp.org/にて詳しくご紹介しております。 +http://openlp.org/ にて詳しくご紹介しております。 -OpenLPは、ボランティアの手により開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。 +OpenLP は、ボランティアの手で開発保守されています。もっと多くのクリスチャンの手によるフリーのソフトウェア開発に興味がある方は、以下のボタンからどうぞ。 @@ -1515,7 +1540,7 @@ Portions copyright © 2004-2011 %s UI Settings - ユーザインターフェイス設定 + UI 設定 @@ -1525,32 +1550,32 @@ Portions copyright © 2004-2011 %s Remember active media manager tab on startup - 起動時に前回のメディアマネジャーを開く + 起動時に前回のメディア マネージャを開く Double-click to send items straight to live - ダブルクリックで項目を直接ライブへ送る + ダブル クリックで項目を直接ライブへ送信 Expand new service items on creation - 礼拝項目の作成時に展開する + 礼拝項目の作成時に展開 Enable application exit confirmation - 終了時に確認する + アプリケーションの終了時に確認 Mouse Cursor - マウスカーソル + マウス カーソル Hide mouse cursor when over display window - ディスプレイウィンドウの上では、マウスカーソルを隠す + ディスプレイ ウィンドウの上では、マウス カーソルを隠す @@ -1575,17 +1600,17 @@ Portions copyright © 2004-2011 %s Preview items when clicked in Media Manager - メディアマネジャーでクリック時に項目をプレビューする + メディア マネージャでクリック時に項目をプレビュー Advanced - 詳細設定 + 高度な設定 Click to select a color. - クリックして色を選択する。 + クリックして色を選択します。 @@ -1595,45 +1620,45 @@ Portions copyright © 2004-2011 %s Revert to the default OpenLP logo. - 規定のOpenLPロゴに戻す。 + 既定の OpenLP ロゴに戻す。 OpenLP.ExceptionDialog - + Error Occurred エラーが発生しました - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - OpenLPは問題に直面し、復旧する事ができませんでした。以下に表示される情報は、開発者が問題を修正するのに役に立つかも知れません。bugs@openlp.orgに以下のエラーメッセージと問題が発生するまでの手順を送ってくださると光栄です。 - - - - Send E-Mail - Eメールで送る + OpenLP は問題に直面し、復旧できませんでした。以下に表示される情報は、開発者が問題を修正するのに役立つかも知れません。bugs@openlp.org に以下のエラー メッセージと問題が発生するまでの手順を送ってください。 + Send E-Mail + メールを送信 + + + Save to File ファイルに保存 - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - この問題が発生するまで何をしていたかをご入力ください。 -(20文字以内。お手数ですが、英語でお願い致します。) + この問題が発生するまで何をしていたかを入力してください。 +(20文字以上。お手数ですが、英語でお願いします。) - + Attach File ファイルを添付 - + Description characters to enter : %s 説明 : %s @@ -1641,24 +1666,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - Platform: %s + プラットフォーム: %s - + Save Crash Report - クラッシュ報告の保存 + クラッシュ報告を保存 - + Text files (*.txt *.log *.text) - テキストファイル (*.txt *.log *.text) + テキスト ファイル (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1673,7 +1698,7 @@ Version: %s --- Library Versions --- %s - (英語での入力をお願い致します) + (英語での入力をお願いします) **OpenLP Bug Report** Version: %s @@ -1686,10 +1711,11 @@ Version: %s --- System information --- %s --- Library Versions --- -%s +%s + - + *OpenLP Bug Report* Version: %s @@ -1705,7 +1731,7 @@ Version: %s %s Please add the information that bug reports are favoured written in English. - (お手数ですが、英語での入力をお願い致します) + (お手数ですが、英語での入力をお願いします) *OpenLP Bug Report* Version: %s @@ -1718,7 +1744,8 @@ Version: %s --- System information --- %s --- Library Versions --- -%s +%s + @@ -1726,7 +1753,7 @@ Version: %s File Rename - ファイル名 + ファイル名を変更 @@ -1744,12 +1771,12 @@ Version: %s Select Translation - 翻訳言語を選択して下さい + 翻訳言語を選択 Choose the translation you'd like to use in OpenLP. - OpenLPを利用する言語を選択して下さい。 + OpenLP を利用する言語を選択 @@ -1767,12 +1794,12 @@ Version: %s Download complete. Click the finish button to start OpenLP. - ダウンロードが完了しました。完了をクリックすると、OpenLPが開始します。 + ダウンロードが完了しました。完了をクリックすると OpenLP が開始します。 Enabling selected plugins... - 選択されたプラグインを有効化しています... + 選択されたプラグインを有効にしています... @@ -1946,7 +1973,7 @@ Version: %s To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. インターネット接続が見つかりません。初回起動ウィザードは、サンプル賛美や聖書、テーマをダウンロードするためにインターネット接続が必要です。終了ボタンをクリックすると、サンプルデータ無しでOpenLPを開始します。 -後で一度初回起動ウィザードを起動してサンプルデータをダウンロードするには、インターネット接続を確認して、"ツール/初回起動ウィザードの再実行"を選択してください。 +あとで一度初回起動ウィザードを起動してこのサンプル データをインポートするには、インターネット接続を確認して、"ツール/初回起動ウィザードの再実行"を選択してください。 @@ -2137,7 +2164,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can General - 一般 + 全般 @@ -2147,12 +2174,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Select monitor for output display: - 画面出力に使用するスクリーン: + 画面を出力するスクリーンを選択: Display if a single screen - スクリーンが1つしかなくても表示する + スクリーンが 1 つしかなくても表示 @@ -2162,7 +2189,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Show blank screen warning - 警告中には、ブランク画面を表示する + 警告中には空白の画面を表示 @@ -2172,7 +2199,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Show the splash screen - スプラッシュスクリーンを表示 + スプラッシュ スクリーンを表示 @@ -2182,27 +2209,27 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Prompt to save before starting a new service - 新しい礼拝プログラムを開く前に保存を確認する + 新しい礼拝プログラムを開始する前に保存を確認 Automatically preview next item in service - 自動的に次の項目をプレビューする + 礼拝プログラム内の次の項目を自動的にプレビュー sec - + CCLI Details - CCLI詳細 + CCLI 詳細 SongSelect username: - SongSelect ユーザー名: + SongSelect ユーザ名: @@ -2227,7 +2254,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Height - + 高さ @@ -2237,12 +2264,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Override display position - 表示位置を変更する + 表示位置を上書き Check for updates to OpenLP - OpenLPのバージョン更新の確認 + OpenLP の更新を確認 @@ -2280,13 +2307,13 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Please restart OpenLP to use your new language setting. - 新しい言語設定を使用するために、OpenLPを再起動してください。 + 新しい言語設定を使用には OpenLP を再起動してください。 OpenLP.MainDisplay - + OpenLP Display OpenLP ディスプレイ @@ -2294,313 +2321,313 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File ファイル(&F) - + &Import インポート(&I) - + &Export エクスポート(&E) - + &View 表示(&V) - + M&ode モード(&O) - + &Tools ツール(&T) - + &Settings 設定(&S) - + &Language 言語(&L) - + &Help ヘルプ(&H) - + Media Manager - メディアマネジャー + メディア マネージャ - + Service Manager - 礼拝プログラム + 礼拝プログラム管理 - + Theme Manager - 外観テーママネジャー + テーマ マネージャ - + &New 新規作成(&N) - + &Open 開く(&O) - + Open an existing service. 存在する礼拝プログラムを開きます。 - + &Save 保存(&S) - + Save the current service to disk. 現在の礼拝プログラムをディスクに保存します。 - + Save &As... 名前を付けて保存(&A)... - + Save Service As 名前をつけて礼拝プログラムを保存 - + Save the current service under a new name. 現在の礼拝プログラムを新しい名前で保存します。 - + E&xit 終了(&X) - + Quit OpenLP - Open LPを終了 + OpenLP を終了 - + &Theme - 外観テーマ(&T) - - - - &Configure OpenLP... - OpenLPの設定(&C)... + テーマ(&T) + &Configure OpenLP... + OpenLP の設定(&C)... + + + &Media Manager - メディアマネジャー(&M) + メディア マネージャ(&M) - + Toggle Media Manager - メディアマネジャーを切り替える + メディア マネージャを切り替える - + Toggle the visibility of the media manager. - メディアマネジャーの可視性を切り替える。 + メディア マネージャの表示/非表示を切り替えます。 - + &Theme Manager - 外観テーママネジャー(&T) + テーマ マネージャ(&T) - + Toggle Theme Manager - 外観テーママネジャーの切り替え + テーマ マネージャの切り替え - + Toggle the visibility of the theme manager. - 外観テーママネジャーの可視性を切り替える。 + テーマ マネージャの表示/非表示を切り替えます。 - + &Service Manager - 礼拝プログラム(&S) + 礼拝プログラム管理(&S) - + Toggle Service Manager - 礼拝プログラムを切り替え + 礼拝プログラムの切り替え - + Toggle the visibility of the service manager. - 礼拝プログラムの可視性を切り替える。 + 礼拝プログラムの表示/非表示を切り替える。 - + &Preview Panel - プレビューパネル(&P) + プレビュー パネル(&P) - + Toggle Preview Panel - プレビューパネルの切り替え + プレビュー パネルの切り替え - + Toggle the visibility of the preview panel. - プレビューパネルの可視性を切り替える。 + プレビュー パネルの表示/非表示を切り替えます。 - + &Live Panel - ライブパネル(&L) + ライブ パネル(&L) - + Toggle Live Panel - ライブパネルの切り替え + ライブ パネルの切り替え - + Toggle the visibility of the live panel. - ライブパネルの可視性を切り替える。 + ライブ パネルの表示/非表示を切り替える。 - + &Plugin List プラグイン一覧(&P) - + List the Plugins - プラグイン一覧 + プラグイン一覧を表示します - + &User Guide - ユーザガイド(&U) + ユーザ ガイド(&U) - + &About バージョン情報(&A) - - - More information about OpenLP - OpenLPの詳細情報 - - - - &Online Help - オンラインヘルプ(&O) - - - - &Web Site - ウェブサイト(&W) - - - - Use the system language, if available. - システム言語を可能であれば使用します。 - + More information about OpenLP + OpenLP の詳細情報 + + + + &Online Help + オンライン ヘルプ(&O) + + + + &Web Site + ウェブ サイト(&W) + + + + Use the system language, if available. + 可能であればシステム言語を使用します。 + + + Set the interface language to %s - インターフェイス言語を%sに設定 + インタフェース言語を %s に設定 - + Add &Tool... - ツールの追加(&T)... + ツールを追加(&T)... - + Add an application to the list of tools. - ツールの一覧にアプリケーションを追加。 + ツールの一覧にアプリケーションを追加します。 - + &Default - デフォルト(&D) + 既定値(&D) - + Set the view mode back to the default. - 表示モードを既定に戻す。 + 表示モードを既定に戻します。 - + &Setup 設定(&S) - + Set the view mode to Setup. - ビューモードに設定します。 + 表示モードを設定します。 - + &Live ライブ(&L) - + Set the view mode to Live. 表示モードをライブにします。 - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - OpenLPのバージョン%sがダウンロード可能です。(現在ご利用のバージョンは%sです。) + OpenLP のバージョン %s をダウンロードできます。(現在ご利用のバージョンは %s です。) -http://openlp.org/から最新版がダウンロード可能です。 +http://openlp.org/ から最新版をダウンロードできます。 - + OpenLP Version Updated - OpenLPのバージョンアップ完了 + OpenLP のバージョン アップ完了 - + OpenLP Main Display Blanked - OpenLPのプライマリディスプレイがブランクです + OpenLP のプライマリ ディスプレイがブランクです - + The Main Display has been blanked out - OpenLPのプライマリディスプレイがブランクになりました + OpenLP のプライマリ ディスプレイがブランクになりました - + Default Theme: %s - 既定外観テーマ: %s + 既定のテーマ: %s @@ -2609,77 +2636,77 @@ http://openlp.org/から最新版がダウンロード可能です。日本語 - + Configure &Shortcuts... ショートカットの設定(&S)... - + Close OpenLP - OpenLPの終了 + OpenLP を閉じる - + Are you sure you want to close OpenLP? - 本当にOpenLPを終了してもよろしいですか? + OpenLP を本当に終了しますか? - + Open &Data Folder... データフォルダを開く(&D)... - + Open the folder where songs, bibles and other data resides. 賛美、聖書データなどのデータが含まれているフォルダを開く。 - + &Autodetect 自動検出(&A) - + Update Theme Images テーマの縮小画像を更新 - + Update the preview images for all themes. 全てのテーマの縮小画像を更新します。 - + Print the current service. 現在の礼拝プログラムを印刷します。 - + L&ock Panels パネルを固定(&L) - + Prevent the panels being moved. パネルが動くのを妨げる。 - + Re-run First Time Wizard 初回起動ウィザードの再実行 - + Re-run the First Time Wizard, importing songs, Bibles and themes. - 初回起動ウィザードを再実行し、賛美や聖書、テーマを取り込む。 + 初回起動ウィザードを再実行し、賛美や聖書、テーマをインポートする。 - + Re-run First Time Wizard? 初回起動ウィザードを再実行しますか? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2688,48 +2715,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and 初回起動ウィザードを再実行すると、現在のOpenLP設定および既存の賛美やテーマが変更されることがあります。 - + &Recent Files 最近使用したファイル(&R) - + Clear List Clear List of recent files 一覧を消去 - + Clear the list of recent files. 最近使用したファイルの一覧を消去します。 - + Configure &Formatting Tags... 書式タグを設定(&F)... - + Export OpenLP settings to a specified *.config file OpenLPの設定をファイルへエクスポート - + Settings 設定 - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - 以前にエクスポートしたファイルからOpenLPの設定をインポート + 以前にエクスポートしたファイルから OpenLP の設定をインポート - + Import settings? 設定をインポートしますか? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2742,32 +2769,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate 不正な設定をインポートすると異常な動作やOpenLPの異常終了の原因となります。 - + Open File ファイルを開く - + OpenLP Export Settings Files (*.conf) - OpenLP 設定ファイル (*.conf) + OpenLP エクスポート設定ファイル (*.conf) - + Import settings 設定のインポート - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - OpenLPを終了させます。インポートされた設定は次の起動時に適用されます。 + OpenLP を終了させます。インポートされた設定は次の起動時に適用されます。 - + Export Settings File 設定ファイルのエクスポート - + OpenLP Export Settings File (*.conf) OpenLP 設定ファイル (*.conf) @@ -2775,12 +2802,12 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error データベースエラー - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2789,7 +2816,7 @@ Database: %s データベース: %s - + OpenLP cannot load your database. Database: %s @@ -2801,34 +2828,34 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected - 項目の選択がありません + 項目が選択されていません &Add to selected Service Item - 選択された礼拝項目を追加(&A + 選択された礼拝項目に追加(&A) You must select one or more items to preview. - プレビューを見るには、一つ以上の項目を選択してください。 + プレビューするには 1 つ以上の項目を選択する必要があります。 You must select one or more items to send live. - ライブビューを見るには、一つ以上の項目を選択してください。 + ライブに送信するには 1 つ以上の項目を選択する必要があります。 You must select one or more items. - 一つ以上の項目を選択してください。 + 1 つ以上の項目を選択する必要があります。 You must select an existing service item to add to. - 追加するには、既存の礼拝項目を選択してください。 + 追加するには既存の礼拝項目を選択する必要があります。 @@ -2838,7 +2865,7 @@ Database: %s You must select a %s service item. - %sの項目を選択してください。 + %s の礼拝項目を選択する必要があります。 @@ -2901,17 +2928,17 @@ Suffix not supported 無効 - + %s (Inactive) %s (無効) - + %s (Active) %s (有効) - + %s (Disabled) %s (無効) @@ -3023,12 +3050,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>開始</strong>: %s - + <strong>Length</strong>: %s <strong>長さ</strong>: %s @@ -3046,52 +3073,52 @@ Suffix not supported Move to &top - 一番上に移動(&t) + 一番上に移動(&T) Move item to the top of the service. - 選択した項目を最も上に移動する。 + 項目を礼拝プログラムの一番上に移動します。 Move &up - 一つ上に移動(&u) + 上に移動(&U) Move item up one position in the service. - 選択した項目を1つ上に移動する。 + 項目を礼拝プログラムの1つ上に移動します。 Move &down - 一つ下に移動(&d) + 下に移動(&D) Move item down one position in the service. - 選択した項目を1つ下に移動する。 + 項目を礼拝プログラムの1つ下に移動します。 Move to &bottom - 一番下に移動(&b) + 一番下に移動(&B) Move item to the end of the service. - 選択した項目を最も下に移動する。 + 項目を礼拝プログラムの一番下に移動します。 &Delete From Service - 削除(&D) + 礼拝プログラムから削除(&D) Delete the selected item from the service. - 選択した項目を礼拝プログラムから削除する。 + 選択された項目を礼拝プログラムから削除します。 @@ -3106,7 +3133,7 @@ Suffix not supported &Edit Item - 項目の編集(&E) + 項目を編集(&E) @@ -3121,34 +3148,34 @@ Suffix not supported &Change Item Theme - 項目の外観テーマを変更(&C) + 項目のテーマを変更(&C) - + File is not a valid service. The content encoding is not UTF-8. - 礼拝プログラムファイルが有効でありません。 -エンコードがUTF-8でありません。 + 礼拝プログラム ファイルが有効でありません。 +エンコーディングが UTF-8 でありません。 - + File is not a valid service. - 礼拝プログラムファイルが有効でありません。 + 礼拝プログラム ファイルが有効でありません。 - + Missing Display Handler - ディスプレイハンドラが見つかりません + ディスプレイ ハンドラが見つかりません - + Your item cannot be displayed as there is no handler to display it - ディスプレイハンドラが見つからないため項目を表示する事ができません + ディスプレイ ハンドラが見つからないため項目をできません - + Your item cannot be displayed as the plugin required to display it is missing or inactive - 必要なプラグインが見つからないか無効なため、項目を表示する事ができません + 必要なプラグインが見つからないか無効なため項目を表示できません @@ -3158,7 +3185,7 @@ The content encoding is not UTF-8. Expand all the service items. - 全ての項目を展開する。 + すべての項目を展開します。 @@ -3168,7 +3195,7 @@ The content encoding is not UTF-8. Collapse all the service items. - 全ての項目を折り畳みます。 + すべての項目を折り畳みます。 @@ -3176,14 +3203,14 @@ The content encoding is not UTF-8. ファイルを開く - + OpenLP Service Files (*.osz) OpenLP 礼拝プログラムファイル (*.osz) Moves the selection down the window. - 選択をウィンドウの下に移動する。 + 選択をウィンドウの下に移動します。 @@ -3193,7 +3220,7 @@ The content encoding is not UTF-8. Moves the selection up the window. - 選択をウィンドウの上に移動する。 + 選択をウィンドウの上に移動します。 @@ -3231,22 +3258,22 @@ The content encoding is not UTF-8. 現在の礼拝プログラムは、編集されています。保存しますか? - + File could not be opened because it is corrupt. ファイルが破損しているため開けません。 - + Empty File 空のファイル - + This service file does not contain any data. この礼拝プログラムファイルは空です。 - + Corrupt File 破損したファイル @@ -3286,25 +3313,35 @@ The content encoding is not UTF-8. 礼拝プログラムの外観テーマを選択します。 - + This file is either corrupt or it is not an OpenLP 2.0 service file. このファイルは破損しているかOpenLP 2.0の礼拝プログラムファイルではありません。 - + Slide theme スライド外観テーマ - + Notes メモ - + Service File Missing 礼拝プログラムファイルが見つかりません + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3393,100 +3430,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide 隠す - + Go To 送る - + Blank Screen スクリーンをブランク - + Blank to Theme 外観テーマをブランク - + Show Desktop デスクトップを表示 - - Previous Slide - 前スライド - - - - Next Slide - 次スライド - - - + Previous Service 前の礼拝プログラム - + Next Service 次の礼拝プログラム - + Escape Item 項目をエスケープ - + Move to previous. 前に移動。 - + Move to next. 次に移動。 - + Play Slides スライドを再生 - + Delay between slides in seconds. スライドの再生時間を秒で指定する。 - + Move to live. ライブへ移動する。 - + Add to Service. 礼拝プログラムへ追加する。 - + Edit and reload song preview. 編集しプレビューを再読み込みする。 - + Start playing media. メディアの再生を開始する。 - + Pause audio. 音声を一時停止します。 + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3559,19 +3641,19 @@ The content encoding is not UTF-8. 開始時間がメディア項目の終了時間より後に設定されています - + Theme Layout - + テーマ レイアウト - + The blue box shows the main area. - + メイン領域に青いボックスが表示されます。 - + The red box shows the footer. - + フッターに青いボックスが表示されます。 @@ -3670,68 +3752,62 @@ The content encoding is not UTF-8. 全体の既定として設定(&G)) - + %s (default) %s (既定) - + You must select a theme to edit. 編集する外観テーマを選択してください。 - + You are unable to delete the default theme. 既定の外観テーマを削除する事はできません。 - + Theme %s is used in the %s plugin. %s プラグインでこの外観テーマは利用されています。 - + You have not selected a theme. 外観テーマの選択がありません。 - + Save Theme - (%s) 外観テーマを保存 - (%s) - + Theme Exported 外観テーマエキスポート - + Your theme has been successfully exported. 外観テーマは正常にエキスポートされました。 - + Theme Export Failed 外観テーマのエキスポート失敗 - + Your theme could not be exported due to an error. エラーが発生したため外観テーマは、エキスポートされませんでした。 - + Select Theme Import File インポート対象の外観テーマファイル選択 - - File is not a valid theme. -The content encoding is not UTF-8. - ファイルは無効な外観テーマです。文字コードがUTF-8ではありません。 - - - + File is not a valid theme. 無効な外観テーマファイルです。 @@ -3766,32 +3842,32 @@ The content encoding is not UTF-8. %s外観テーマの名前を変更します。宜しいですか? - + You must select a theme to delete. 削除する外観テーマを選択してください。 - + Delete Confirmation 削除確認 - + Delete %s theme? %s 外観テーマを削除します。宜しいですか? - + Validation Error 検証エラー - + A theme with this name already exists. 同名の外観テーマが既に存在します。 - + OpenLP Themes (*.theme *.otz) OpenLP 外観テーマ (*.theme *.otz) @@ -4062,12 +4138,12 @@ The content encoding is not UTF-8. Justify - + 揃える Layout Preview - + レイアウト プレビュー @@ -4424,7 +4500,7 @@ The content encoding is not UTF-8. 準備完了。 - + Starting import... インポートを開始しています.... @@ -4748,12 +4824,12 @@ The content encoding is not UTF-8. プレゼンテーション (%s) - + Missing Presentation 不明なプレゼンテーション - + The Presentation %s no longer exists. プレゼンテーション%sが見つかりません。 @@ -4766,17 +4842,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers 使用可能なコントローラ - + Allow presentation application to be overriden プレゼンテーションアプリケーションに上書きを許可 - + %s (unavailable) %s (利用不可) @@ -4936,85 +5012,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking 賛美の利用記録(&S) - + &Delete Tracking Data 利用記録を削除(&D) - + Delete song usage data up to a specified date. 削除する利用記録の対象となるまでの日付を指定してください。 - + &Extract Tracking Data 利用記録の抽出(&E) - + Generate a report on song usage. 利用記録のレポートを出力する。 - + Toggle Tracking 記録の切り替え - + Toggle the tracking of song usage. 賛美の利用記録の切り替える。 - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>SongUsage Plugin</strong><br />このプラグインは、賛美の利用頻度を記録します。 - + SongUsage name singular 利用記録 - + SongUsage name plural 利用記録 - + SongUsage container title 利用記録 - + Song Usage 利用記録 - + Song usage tracking is active. 賛美の利用記録が有効です。 - + Song usage tracking is inactive. 賛美の利用記録が無効です。 - + display - + printed @@ -5112,173 +5188,173 @@ has been successfully created. SongsPlugin - + &Song 賛美(&S) - + Import songs using the import wizard. インポートウィザードを使用して賛美をインポートします。 - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>賛美プラグイン</strong><br />賛美プラグインは、賛美を表示し管理する機能を提供します。 - + &Re-index Songs 賛美のインデックスを再作成(&R) - + Re-index the songs database to improve searching and ordering. 賛美データベースのインデックスを再作成し、検索や並べ替えを速くします。 - + Reindexing songs... 賛美のインデックスを再作成中... - + Song name singular 賛美 - + Songs name plural 賛美 - + Songs container title 賛美 - + Arabic (CP-1256) アラブ語 (CP-1256) - + Baltic (CP-1257) バルト語 (CP-1257) - + Central European (CP-1250) 中央ヨーロッパ (CP-1250) - + Cyrillic (CP-1251) キリル文字 (CP-1251) - + Greek (CP-1253) ギリシャ語 (CP-1253) - + Hebrew (CP-1255) ヘブライ語 (CP-1255) - + Japanese (CP-932) 日本語 (CP-932) - + Korean (CP-949) 韓国語 (CP-949) - + Simplified Chinese (CP-936) 簡体中国語 (CP-936) - + Thai (CP-874) タイ語 (CP-874) - + Traditional Chinese (CP-950) 繁体中国語 (CP-950) - + Turkish (CP-1254) トルコ語 (CP-1254) - + Vietnam (CP-1258) ベトナム語 (CP-1258) - + Western European (CP-1252) 西ヨーロッパ (CP-1252) - + Character Encoding 文字コード - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. 文字コード設定は、文字が正常に表示されるのに必要な設定です。通常、既定設定で問題ありません。 - + Please choose the character encoding. The encoding is responsible for the correct character representation. 文字コードを選択してください。文字が正常に表示されるのに必要な設定です。 - + Exports songs using the export wizard. エキスポートウィザードを使って賛美をエキスポートする。 - + Add a new song. 賛美を追加します。 - + Edit the selected song. 選択した賛美を編集します。 - + Delete the selected song. 選択した賛美を削除します。 - + Preview the selected song. 選択した賛美をプレビューします。 - + Send the selected song live. 選択した賛美をライブへ送ります。 - + Add the selected song to the service. 選択した賛美を礼拝プログラムに追加します。 @@ -5324,7 +5400,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. ファイルの拡張子が無効です。 @@ -5443,82 +5519,82 @@ The encoding is responsible for the correct character representation. 外観テーマ、著作情報 && コメント - + Add Author アーティストを追加 - + This author does not exist, do you want to add them? アーティストが存在しません。追加しますか? - + This author is already in the list. 既にアーティストは一覧に存在します。 - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. 有効なアーティストを選択してください。一覧から選択するか新しいアーティストを入力し、"賛美にアーティストを追加"をクリックしてください。 - + Add Topic トピックを追加 - + This topic does not exist, do you want to add it? このトピックは存在しません。追加しますか? - + This topic is already in the list. このトピックは既に存在します。 - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. 有効なトピックを選択してください。一覧から選択するか新しいトピックを入力し、"賛美にトピックを追加"をクリックしてください。 - + You need to type in a song title. 賛美のタイトルを入力する必要があります。 - + You need to type in at least one verse. 最低一つのバースを入力する必要があります。 - + Warning 警告 - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. バース順序が無効です。%sに対応するバースはありません。%sは有効です。 - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? %sはバース順序で使われていません。本当にこの賛美を保存しても宜しいですか? - + Add Book アルバムを追加 - + This song book does not exist, do you want to add it? アルバムが存在しません、追加しますか? - + You need to have an author for this song. アーティストを入力する必要があります。 @@ -5548,7 +5624,7 @@ The encoding is responsible for the correct character representation. すべて削除(&A) - + Open File(s) ファイルを開く @@ -5563,7 +5639,7 @@ The encoding is responsible for the correct character representation. &Verse type: - バースのタイプ(&): + バースの種類(&V): @@ -5634,7 +5710,7 @@ The encoding is responsible for the correct character representation. 保存先が指定されていません - + Starting export... エキスポートを開始しています... @@ -5644,7 +5720,7 @@ The encoding is responsible for the correct character representation. ディレクトリを選択して下さい。 - + Select Destination Folder 出力先フォルダを選択して下さい @@ -5662,7 +5738,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files ドキュメント/プレゼンテーションファイル選択 @@ -5677,7 +5753,7 @@ The encoding is responsible for the correct character representation. このウィザードで、様々な形式の賛美をインポートします。次へをクリックし、インポートするファイルの形式を選択してください。 - + Generic Document/Presentation 汎用ドキュメント/プレゼンテーション @@ -5707,42 +5783,42 @@ The encoding is responsible for the correct character representation. 賛美がインポートされるまでしばらくお待ちください。 - + OpenLP 2.0 Databases OpenLP 2.0 データベース - + openlp.org v1.x Databases openlp.org v1.x データベース - + Words Of Worship Song Files Words Of Worship Song ファイル - + You need to specify at least one document or presentation file to import from. インポート対象となる最低一つのドキュメント又はプレゼンテーションファイルを選択する必要があります。 - + Songs Of Fellowship Song Files Songs Of Fellowship Song ファイル - + SongBeamer Files SongBeamerファイル - + SongShow Plus Song Files SongShow Plus Songファイル - + Foilpresenter Song Files Foilpresenter Song ファイル @@ -5767,12 +5843,12 @@ The encoding is responsible for the correct character representation. OpenOfficeまたはLibreOfficeに接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。 - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5803,7 +5879,7 @@ The encoding is responsible for the correct character representation. 賛美詞 - + CCLI License: CCLI ライセンス: @@ -5813,7 +5889,7 @@ The encoding is responsible for the correct character representation. 賛美全体 - + Are you sure you want to delete the %n selected song(s)? 選択された%n件の賛美を削除します。宜しいですか? @@ -5825,7 +5901,7 @@ The encoding is responsible for the correct character representation. アーティスト、トピックとアルバムの一覧を保守します。 - + copy For song cloning コピー @@ -5881,12 +5957,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. 賛美のエキスポートに失敗しました。 - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. エキスポートが完了しました。インポートするには、<strong>OpenLyrics</strong>インポータを使用してください。 @@ -5922,7 +5998,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. 賛美のインポートに失敗しました。 diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts index 93809e0ba..46ff9d4df 100644 --- a/resources/i18n/ko.ts +++ b/resources/i18n/ko.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert 경고(&A) - + Show an alert message. 에러 메세지를 보여줍니다. - + Alert name singular 알림 - + Alerts name plural 경고 - + Alerts container title 경고 - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -117,32 +117,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font 글꼴 - + Font name: 글꼴: - + Font color: 글꼴색: - + Background color: 배경색: - + Font size: 글꼴 크기: - + Alert timeout: 경고 타임아웃: @@ -150,24 +150,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible 성경(&B) - + Bible name singular ?? - + Bibles name plural 성경 - + Bibles container title 성경 @@ -183,52 +183,52 @@ Do you want to continue anyway? - + Import a Bible. - + Add a new Bible. - + Edit the selected Bible. - + Delete the selected Bible. - + Preview the selected Bible. - + Send the selected Bible live. - + Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. @@ -383,18 +383,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s - + Importing verses from %s... Importing verses from <book name>... - + Importing verses... done. @@ -723,12 +723,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... - + Importing %s %s... Importing <book name> <chapter>... @@ -1000,12 +1000,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1094,7 +1094,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1164,60 +1164,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular - + Media name plural - + Media container title - + Load new media. - + Add new media. - + Edit the selected media. - + Delete the selected media. - + Preview the selected media. - + Send the selected media live. - + Add the selected media to the service. @@ -1225,66 +1225,91 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media - + You must select a media file to delete. - + Missing Media File - + The file %s no longer exists. - + You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. - + Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - - File Too Big + + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + + + + + Use Player: MediaPlugin.MediaTab - - Media Display + + Available Media Players - - Use Phonon for video playback + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden @@ -1296,12 +1321,12 @@ Do you want to add the other images anyway? - + Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1514,38 +1539,38 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Error Occurred - + Send E-Mail - + Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File - + Description characters to enter : %s @@ -1553,23 +1578,23 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1587,7 +1612,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2167,7 +2192,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display @@ -2175,309 +2200,309 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New 새로 만들기(&N) - + &Open - + Open an existing service. - + &Save 저장(&S) - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2488,125 +2513,125 @@ You can download the latest version from http://openlp.org/. - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect - + Update Theme Images - + Update the preview images for all themes. - + Print the current service. - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2615,32 +2640,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2648,19 +2673,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2670,7 +2695,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected @@ -2769,17 +2794,17 @@ Suffix not supported - + %s (Inactive) - + %s (Active) - + %s (Disabled) @@ -2891,12 +2916,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -2992,28 +3017,28 @@ Suffix not supported - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3043,7 +3068,7 @@ The content encoding is not UTF-8. - + OpenLP Service Files (*.osz) @@ -3098,22 +3123,22 @@ The content encoding is not UTF-8. - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File @@ -3153,25 +3178,35 @@ The content encoding is not UTF-8. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3260,100 +3295,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide - + Go To - + Blank Screen - + Blank to Theme - + Show Desktop - - Previous Slide - - - - - Next Slide - - - - + Previous Service - + Next Service - + Escape Item - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3426,17 +3506,17 @@ The content encoding is not UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3537,68 +3617,62 @@ The content encoding is not UTF-8. - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - - - - + File is not a valid theme. - + Theme %s is used in the %s plugin. @@ -3633,32 +3707,32 @@ The content encoding is not UTF-8. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) @@ -4291,7 +4365,7 @@ The content encoding is not UTF-8. - + Starting import... @@ -4615,12 +4689,12 @@ The content encoding is not UTF-8. - + Missing Presentation - + The Presentation %s no longer exists. @@ -4633,17 +4707,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4803,85 +4877,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -4977,173 +5051,173 @@ has been successfully created. SongsPlugin - + &Song - + Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs - + Re-index the songs database to improve searching and ordering. - + Reindexing songs... - + Song name singular - + Songs name plural - + Songs container title - + Arabic (CP-1256) - + Baltic (CP-1257) - + Central European (CP-1250) - + Cyrillic (CP-1251) - + Greek (CP-1253) - + Hebrew (CP-1255) - + Japanese (CP-932) - + Korean (CP-949) - + Simplified Chinese (CP-936) - + Thai (CP-874) - + Traditional Chinese (CP-950) - + Turkish (CP-1254) - + Vietnam (CP-1258) - + Western European (CP-1252) - + Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - + Exports songs using the export wizard. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5189,7 +5263,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5307,82 +5381,82 @@ The encoding is responsible for the correct character representation. - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -5412,7 +5486,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5493,7 +5567,7 @@ The encoding is responsible for the correct character representation. - + Starting export... @@ -5508,7 +5582,7 @@ The encoding is responsible for the correct character representation. - + Select Destination Folder @@ -5526,7 +5600,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5541,7 +5615,7 @@ The encoding is responsible for the correct character representation. - + Generic Document/Presentation @@ -5571,42 +5645,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5631,12 +5705,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5667,7 +5741,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: @@ -5677,7 +5751,7 @@ The encoding is responsible for the correct character representation. - + Are you sure you want to delete the %n selected song(s)? @@ -5689,7 +5763,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5745,12 +5819,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5786,7 +5860,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index ca9ffa832..66b90080c 100644 --- a/resources/i18n/nb.ts +++ b/resources/i18n/nb.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Varsel - + Show an alert message. Vis en varselmelding. - + Alert name singular Varsel - + Alerts name plural Varsel - + Alerts container title Varsler - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -119,32 +119,32 @@ Vil du fortsette likevel? AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarge: - + Background color: Bakgrunnsfarge: - + Font size: Skriftstørrelse: - + Alert timeout: Varselvarighet: @@ -152,24 +152,24 @@ Vil du fortsette likevel? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Bibler - + Bibles container title Bibler @@ -185,52 +185,52 @@ Vil du fortsette likevel? Ingen samsvarende bok ble funnet i denne bibelen. Sjekk at du har stavet navnet på boken riktig. - + Import a Bible. - + Add a new Bible. - + Edit the selected Bible. - + Delete the selected Bible. - + Preview the selected Bible. - + Send the selected Bible live. - + Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. @@ -393,18 +393,18 @@ Endringer påvirker ikke vers som alt er lagt til møtet. BiblesPlugin.CSVBible - + Importing books... %s Importerer bøker... %s - + Importing verses from %s... Importing verses from <book name>... Importerer vers fra %s... - + Importing verses... done. Importerer vers... ferdig. @@ -733,12 +733,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Oppdager tegnkoding (dette kan ta noen minutter)... - + Importing %s %s... Importing <book name> <chapter>... Importerer %s %s... @@ -1010,12 +1010,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Credits: - + You need to type in a title. Du må skrive inn en tittel. - + You need to add at least one slide Du må legge til minst et lysbilde @@ -1105,7 +1105,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Velg vedlegg @@ -1176,60 +1176,60 @@ Vil du likevel legge til de andre bildene? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Mediatillegg</strong><br />Mediatillegget tilbyr avspilling av lyd og video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. - + Add new media. - + Edit the selected media. - + Delete the selected media. - + Preview the selected media. - + Send the selected media live. - + Add the selected media to the service. @@ -1237,67 +1237,92 @@ Vil du likevel legge til de andre bildene? MediaPlugin.MediaItem - + Select Media Velg fil - + You must select a media file to delete. Du må velge en fil å slette - + Missing Media File Fil mangler - + The file %s no longer exists. Filen %s finnes ikke lenger - + You must select a media file to replace the background with. Du må velge en fil å erstatte bakgrunnen med. - + There was a problem replacing your background, the media file "%s" no longer exists. Det oppstod et problem ved bytting av bakgrunn, filen "%s" finnes ikke lenger. - + Videos (%s);;Audio (%s);;%s (*) Videoer (%s);;Lyd (%s);;%s (*) - + There was no display item to amend. - - File Too Big + + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Mediavisning + + Available Media Players + - - Use Phonon for video playback - Bruk Phonon for videoavspilling + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1308,12 +1333,12 @@ Vil du likevel legge til de andre bildene? Bildefiler - + Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1586,38 +1611,38 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Error Occurred - + Send E-Mail - + Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File - + Description characters to enter : %s @@ -1625,23 +1650,23 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1659,7 +1684,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2239,7 +2264,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display @@ -2247,309 +2272,309 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Fil - + &Import &Importer - + &Export &Eksporter - + &View &Vis - + M&ode - + &Tools - + &Settings &Innstillinger - + &Language &Språk - + &Help &Hjelp - + Media Manager Innholdselementer - + Service Manager - + Theme Manager - + &New &Ny - + &Open &Åpne - + Open an existing service. - + &Save &Lagre - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit &Avslutt - + Quit OpenLP Avslutt OpenLP - + &Theme &Tema - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager Åpne tema-behandler - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager Vis møteplanlegger - + Toggle the visibility of the service manager. - + &Preview Panel &Forhåndsvisningspanel - + Toggle Preview Panel Vis forhåndsvisningspanel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List &Tillegsliste - + List the Plugins Hent liste over tillegg - + &User Guide &Brukerveiledning - + &About &Om - + More information about OpenLP - + &Online Help - + &Web Site &Internett side - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... Legg til & Verktøy... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live &Direkte - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated OpenLP versjonen har blitt oppdatert - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2560,125 +2585,125 @@ You can download the latest version from http://openlp.org/. Norsk - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect - + Update Theme Images - + Update the preview images for all themes. - + Print the current service. - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2687,32 +2712,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2720,19 +2745,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2742,7 +2767,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected @@ -2841,17 +2866,17 @@ Suffix not supported - + %s (Inactive) - + %s (Active) - + %s (Disabled) @@ -2963,12 +2988,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3064,28 +3089,28 @@ Suffix not supported &Bytt objekttema - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3115,7 +3140,7 @@ The content encoding is not UTF-8. - + OpenLP Service Files (*.osz) @@ -3170,22 +3195,22 @@ The content encoding is not UTF-8. - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File @@ -3225,25 +3250,35 @@ The content encoding is not UTF-8. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3332,100 +3367,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide - + Go To - + Blank Screen - + Blank to Theme - + Show Desktop - - Previous Slide - - - - - Next Slide - - - - + Previous Service - + Next Service - + Escape Item - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3498,17 +3578,17 @@ The content encoding is not UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3609,68 +3689,62 @@ The content encoding is not UTF-8. - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. Du kan ikke slette det globale temaet. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - - - - + File is not a valid theme. Filen er ikke et gyldig tema. - + Theme %s is used in the %s plugin. @@ -3705,32 +3779,32 @@ The content encoding is not UTF-8. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) @@ -4363,7 +4437,7 @@ The content encoding is not UTF-8. Klar. - + Starting import... Starter å importere... @@ -4687,12 +4761,12 @@ The content encoding is not UTF-8. - + Missing Presentation - + The Presentation %s no longer exists. @@ -4705,17 +4779,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4875,85 +4949,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -5049,173 +5123,173 @@ has been successfully created. SongsPlugin - + &Song &Sang - + Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs - + Re-index the songs database to improve searching and ordering. - + Reindexing songs... - + Song name singular Sang - + Songs name plural Sanger - + Songs container title Sanger - + Arabic (CP-1256) - + Baltic (CP-1257) - + Central European (CP-1250) - + Cyrillic (CP-1251) - + Greek (CP-1253) - + Hebrew (CP-1255) - + Japanese (CP-932) - + Korean (CP-949) - + Simplified Chinese (CP-936) - + Thai (CP-874) - + Traditional Chinese (CP-950) - + Turkish (CP-1254) - + Vietnam (CP-1258) - + Western European (CP-1252) - + Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - + Exports songs using the export wizard. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5261,7 +5335,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5379,82 +5453,82 @@ The encoding is responsible for the correct character representation. - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -5484,7 +5558,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5565,7 +5639,7 @@ The encoding is responsible for the correct character representation. - + Starting export... @@ -5580,7 +5654,7 @@ The encoding is responsible for the correct character representation. - + Select Destination Folder @@ -5598,7 +5672,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5613,7 +5687,7 @@ The encoding is responsible for the correct character representation. - + Generic Document/Presentation @@ -5643,42 +5717,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + You need to specify at least one document or presentation file to import from. - + Foilpresenter Song Files @@ -5703,12 +5777,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5739,7 +5813,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: @@ -5749,7 +5823,7 @@ The encoding is responsible for the correct character representation. - + Are you sure you want to delete the %n selected song(s)? @@ -5762,7 +5836,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5818,12 +5892,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5859,7 +5933,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index 910ac8d38..9c0252cc6 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -3,37 +3,37 @@ AlertsPlugin - + &Alert W&aarschuwing - + Show an alert message. Toon waarschuwingsberichten. - + Alert name singular Waarschuwing - + Alerts name plural Waarschuwingen - + Alerts container title Waarschuwingen - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. - + <strong>Waarschuwings Plug-in</strong><br />De waarschuwings plug-in regelt de weergave van waarschuwingen op het scherm. Bijvoorbeeld voor de kinderopvang. @@ -86,25 +86,25 @@ No Parameter Found - geen parameters gevonden + Geen parameters gevonden You have not entered a parameter to be replaced. Do you want to continue anyway? - U heeft geen parameter opgegeven die vervangen moeten worden + U heeft geen parameter opgegeven die vervangen moeten worden Toch doorgaan? No Placeholder Found - niet gevonden + Niet gevonden The alert text does not contain '<>'. Do you want to continue anyway? - De waarschuwing bevat geen '<>'. + De waarschuwing bevat geen '<>'. Toch doorgaan? @@ -119,32 +119,32 @@ Toch doorgaan? AlertsPlugin.AlertsTab - + Font Lettertype - + Alert timeout: Tijdsduur: - + Font name: Naam lettertype: - + Font color: Letterkleur: - + Background color: Achtergrondkleur: - + Font size: Corpsgrootte: @@ -152,24 +152,24 @@ Toch doorgaan? BiblesPlugin - + &Bible &Bijbel - + Bible name singular bijbeltekst - + Bibles name plural bijbelteksten - + Bibles container title Bijbelteksten @@ -185,54 +185,54 @@ Toch doorgaan? Er kon geen bijbelboek met die naam gevonden worden. Controleer de spelling. - + Import a Bible. Importeer een Bijbel. - + Add a new Bible. Voeg een nieuwe Bijbel toe. - + Edit the selected Bible. Geselecteerde Bijbel bewerken. - + Delete the selected Bible. Geselecteerde Bijbel verwijderen. - + Preview the selected Bible. Voorbeeld geselecteerde bijbeltekst. - + Send the selected Bible live. Geselecteerde bijbeltekst live tonen. - + Add the selected Bible to the service. Geselecteerde bijbeltekst aan de liturgie toevoegen. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bijbel Plugin</strong><br />De Bijbel plugin voorziet in de mogelijkheid bijbelteksten uit verschillende bronnen weer te geven tijdens de dienst. - + &Upgrade older Bibles - &Upgrade oude bijbels + &Upgrade oude bijbels - + Upgrade the Bible databases to the latest format. - Upgrade de bijbel databases naar de meest recente indeling. + Upgrade de bijbel databases naar de meest recente indeling. @@ -393,20 +393,20 @@ Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zi BiblesPlugin.CSVBible - + Importing books... %s - Importeren bijbelboeken... %s + Importeren bijbelboeken... %s - + Importing verses from %s... Importing verses from <book name>... - Importeren bijbelverzen uit %s... + Importeren bijbelverzen uit %s... - + Importing verses... done. - Importeren bijbelverzen... klaar. + Importeren bijbelverzen... klaar. @@ -430,22 +430,22 @@ Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zi Download Error - Download fout + Download fout There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + Er ging iets mis bij het downloaden van de bijbelverzen. Controleer uw internet verbinding (open bijv. een pagina in de internetbrowser). Als dit probleem zich blijft herhalen is er misschien sprake van een bug. Parse Error - Verwerkingsfout + Verwerkingsfout There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug. + Er ging iets mis bij het uitpakken van de bijbelverzen. Als dit probleem zich blijft herhalen is er misschien sprake van een bug. @@ -704,22 +704,22 @@ indien nodig en een internetverbinding is dus noodzakelijk. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen? + Enkele en dubbele bijbelvers zoekresultaten kunnen niet gecombineerd worden. Resultaten wissen en opnieuw beginnen? Bible not fully loaded. - Bijbel niet geheel geladen. + Bijbel niet geheel geladen. Information - Informatie + Informatie The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten. + De tweede bijbelvertaling bevat niet alle verzen die in de eerste bijbelvertaling staan. Alleen de verzen die in beide vertalingen voorkomen worden getoond. %d verzen zijn niet opgenomen in de resultaten. @@ -734,12 +734,12 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Tekstcodering detecteren (dat kan even duren)... - + Importing %s %s... Importing <book name> <chapter>... %s %s wordt geïmporteerd... @@ -882,17 +882,17 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding You need to specify a backup directory for your Bibles. - + Selecteer een map om de backup van uw bijbels in op te slaan. Starting upgrade... - + Start upgrade... There are no Bibles that need to be upgraded. - + Er zijn geen bijbels om op te waarderen. @@ -900,7 +900,7 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. - <strong>Custom plugin</strong><br />De custom plugin voorziet in mogelijkheden aangepaste tekst weer te geven op dezelfde manier als liederen. Deze plugin voorziet in meer mogelijkheden dan de Lied plugin. + <strong>Custom plugin</strong><br />De custom plugin voorziet in mogelijkheden aangepaste tekst weer te geven op dezelfde manier als liederen. Deze plugin voorziet in meer mogelijkheden dan de Lied plugin. @@ -1017,12 +1017,12 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding Dia doormidden delen door een dia 'splitter' in te voegen. - + You need to type in a title. Geef een titel op. - + You need to add at least one slide Minstens een dia invoegen @@ -1042,9 +1042,9 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding Are you sure you want to delete the %n selected custom slides(s)? - - - + + Weet u zeker dat u deze %n aangepaste dia wilt verwijderen? + Weet u zeker dat u deze %n aangepaste dia’s wilt verwijderen? @@ -1112,7 +1112,7 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding ImagePlugin.ExceptionDialog - + Select Attachment Selecteer bijlage @@ -1159,7 +1159,7 @@ De andere afbeeldingen alsnog toevoegen? There was no display item to amend. - + Er is geen weergave item om te verbeteren. @@ -1167,76 +1167,76 @@ De andere afbeeldingen alsnog toevoegen? Background Color - + Achtergrondkleur Default Color: - + Standaard kleur: Provides border where image is not the correct dimensions for the screen when resized. - + Voorziet in een rand om de afbeelding als de verhoudingen niet overeenkomen met de schermafmetingen. MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Media Plugin</strong><br />De media plugin voorziet in mogelijkheden audio en video af te spelen. - + Media name singular Medien - + Media name plural Medien - + Media container title Media - + Load new media. Laad nieuw media bestand. - + Add new media. Voeg nieuwe media toe. - + Edit the selected media. Bewerk geselecteerd media bestand. - + Delete the selected media. Verwijder geselecteerd media bestand. - + Preview the selected media. Toon voorbeeld van geselecteerd media bestand. - + Send the selected media live. Toon geselecteerd media bestand Live. - + Add the selected media to the service. Voeg geselecteerd media bestand aan liturgie toe. @@ -1244,67 +1244,92 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin.MediaItem - + Select Media Secteer media bestand - + You must select a media file to delete. Selecteer een media bestand om te verwijderen. - + Missing Media File Ontbrekend media bestand - + The file %s no longer exists. Media bestand %s bestaat niet meer. - + You must select a media file to replace the background with. Selecteer een media bestand om de achtergrond mee te vervangen. - + There was a problem replacing your background, the media file "%s" no longer exists. Probleem met het vervangen van de achtergrond, omdat het bestand "%s" niet meer bestaat. - + Videos (%s);;Audio (%s);;%s (*) Video’s (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - + Er is geen weergave item om te verbeteren. - - File Too Big - + + Unsupported File + Niet ondersteund bestandsformaat - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + automatisch + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Media weergave + + Available Media Players + - - Use Phonon for video playback - Gebruik Phonon voor het afspelen van video + + %s (unavailable) + %s (niet beschikbaar) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ De andere afbeeldingen alsnog toevoegen? Afbeeldingsbestanden - + Information Informatie - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1604,40 +1629,40 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Oeps! OpenLP heeft een probleem en kan het niet zelf oplossen. De tekst in het onderste venster bevat informatie waarmee de OpenLP ontwikkelaars iets kunnen. Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving van het probleem en hoe het ontstond. - + Error Occurred Er gaat iets fout - + Send E-Mail Stuur e-mail - + Save to File Opslaan als bestand - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Omschrijf in het Engels wat u deed toen deze fout zich voordeed (minstens 20 tekens gebruiken) - + Attach File Voeg bestand toe - + Description characters to enter : %s Toelichting aanvullen met nog %s tekens @@ -1645,24 +1670,24 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving van h OpenLP.ExceptionForm - + Platform: %s Plattform: %s - + Save Crash Report Bewaar Bug Report - + Text files (*.txt *.log *.text) Tekstbestand (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1693,7 +1718,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -1786,7 +1811,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Welcome to the First Time Wizard - Welkom bij de Eerste keer Assistent + Welkom bij de Eerste keer Assistent @@ -1796,7 +1821,7 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Select the Plugins you wish to use. - Selecteer de plugins die je gaat gebruiken. + Selecteer de plugins die je gaat gebruiken. @@ -1931,36 +1956,40 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Custom Slides - Aangepaste dia’s + Aangepaste dia’s Download complete. Click the finish button to return to OpenLP. - + Download compleet. Klik op afronden om OpenLP te starten. Click the finish button to return to OpenLP. - + Klik op afronden om OpenLP te starten. No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. - + Geen Internet verbinding gevonden. De Eerste Keer Assistent heeft een internet verbinding nodig om voorbeeld liederen en bijbels te downloaden. Klik op afronden om OpenLP te starten met standaardinstellingen en geen voorbeeld data. + +Om de Eerste Keer Assistent opnieuw te starten en later voorbeeld data te importeren, check de Internet verbeinding herstart de assistent door in het menu "Gereedschap/Herstart Eerste Keer Assistent" in OpenLP. To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. - + + +Om de Eerste Keer Assistent te annuleren (zonder OpenLP te starten), klik op Annuleren. Finish - Eind + Eind @@ -1968,52 +1997,52 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Configure Formatting Tags - + Configureer Opmaak tags Edit Selection - Bewerk selectie + Bewerk selectie Save - Opslaan + Opslaan Description - Omschrijving + Omschrijving Tag - Tag + Tag Start tag - Start tag + Start tag End tag - Eind tag + Eind tag Tag Id - Tag Id + Tag Id Start HTML - Start HTML + Start HTML End HTML - Eind HTML + Eind HTML @@ -2021,32 +2050,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Update Error - Update Fout + Update Fout Tag "n" already defined. - Tag "n" bestaat al. + Tag "n" bestaat al. New Tag - Nieuwe tag + Nieuwe tag <HTML here> - <HTML here> + <HTML here> </and here> - </and here> + </and here> Tag %s already defined. - Tag %s bestaat al. + Tag %s bestaat al. @@ -2054,82 +2083,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Red - Rood + Rood Black - Zwart + Zwart Blue - Blauw + Blauw Yellow - Geel + Geel Green - Groen + Groen Pink - Roze + Roze Orange - Oranje + Oranje Purple - Paars + Paars White - Wit + Wit Superscript - Superscript + Superscript Subscript - Subscript + Subscript Paragraph - Paragraaf + Paragraaf Bold - Vet + Vet Italics - Cursief + Cursief Underline - Onderstreept + Onderstreept Break - Breek af + Breek af @@ -2262,12 +2291,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can Background Audio - + Achtergrond geluid Start background audio paused - + Start achtergrond geluid gepausseerd @@ -2286,7 +2315,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display OpenLP Weergave @@ -2294,307 +2323,307 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Bestand - + &Import &Importeren - + &Export &Exporteren - + &View &Weergave - + M&ode M&odus - + &Tools &Hulpmiddelen - + &Settings &Instellingen - + &Language Taa&l - + &Help &Help - + Media Manager Mediabeheer - + Service Manager Liturgie beheer - + Theme Manager Thema beheer - + &New &Nieuw - + &Open &Open - + Open an existing service. Open een bestaande liturgie. - + &Save Op&slaan - + Save the current service to disk. Deze liturgie opslaan. - + Save &As... Opslaan &als... - + Save Service As Liturgie opslaan als - + Save the current service under a new name. Deze liturgie onder een andere naam opslaan. - + E&xit &Afsluiten - + Quit OpenLP OpenLP afsluiten - + &Theme &Thema - + &Configure OpenLP... &Instellingen... - + &Media Manager &Media beheer - + Toggle Media Manager Media beheer wel / niet tonen - + Toggle the visibility of the media manager. Media beheer wel / niet tonen. - + &Theme Manager &Thema beheer - + Toggle Theme Manager Thema beheer wel / niet tonen - + Toggle the visibility of the theme manager. Thema beheer wel / niet tonen. - + &Service Manager &Liturgie beheer - + Toggle Service Manager Liturgie beheer wel / niet tonen - + Toggle the visibility of the service manager. Liturgie beheer wel / niet tonen. - + &Preview Panel &Voorbeeld - + Toggle Preview Panel Voorbeeld wel / niet tonen - + Toggle the visibility of the preview panel. Voorbeeld wel / niet tonen. - + &Live Panel &Live venster - + Toggle Live Panel Live venster wel / niet tonen - + Toggle the visibility of the live panel. Live venster wel / niet tonen. - + &Plugin List &Plugin Lijst - + List the Plugins Lijst met plugins =uitbreidingen van OpenLP - + &User Guide Gebr&uikshandleiding - + &About &Over OpenLP - + More information about OpenLP Meer Informatie over OpenLP - + &Online Help &Online help - + &Web Site &Website - + Use the system language, if available. Gebruik systeem standaardtaal, indien mogelijk. - + Set the interface language to %s %s als taal in OpenLP gebruiken - + Add &Tool... Hulpprogramma &toevoegen... - + Add an application to the list of tools. Voeg een hulpprogramma toe aan de lijst. - + &Default &Standaard - + Set the view mode back to the default. Terug naar de standaard weergave modus. - + &Setup &Setup - + Set the view mode to Setup. Weergave modus naar Setup. - + &Live &Live - + Set the view mode to Live. Weergave modus naar Live. - + OpenLP Version Updated Nieuwe OpenLP versie beschikbaar - + OpenLP Main Display Blanked OpenLP projectie op zwart - + The Main Display has been blanked out Projectie is uitgeschakeld: scherm staat op zwart - + Default Theme: %s Standaardthema: %s - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2609,189 +2638,199 @@ U kunt de laatste versie op http://openlp.org/ downloaden. Nederlands - + Configure &Shortcuts... &Sneltoetsen instellen... - + Close OpenLP OpenLP afsluiten - + Are you sure you want to close OpenLP? OpenLP afsluiten? - + Open &Data Folder... Open &Data map... - + Open the folder where songs, bibles and other data resides. Open de map waar liederen, bijbels en andere data staat. - + &Autodetect &Autodetecteer - + Update Theme Images Thema afbeeldingen opwaarderen - + Update the preview images for all themes. Voorbeeld afbeeldingen opwaarderen voor alle thema’s. - + Print the current service. Druk de huidige liturgie af. - + L&ock Panels - + Panelen op sl&ot - + Prevent the panels being moved. - + Voorkomen dat panelen verschuiven. - + Re-run First Time Wizard - + Herstart Eerste keer assistent - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Herstart Eerste keer assistent, importeer voorbeeld liederen, bijbels en thema’s. - + Re-run First Time Wizard? - + Herstart Eerste keer assistent? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + Weet u zeker dat u de Eerste keer assistent opnieuw wilt starten? + +De Eerste keer assistent opnieuw starten zou veranderingen in uw huidige OpenLP instellingen kunnen maken en mogelijk liederen aan uw huidige lijst kunnen toevoegen en uw standaard thema wijzigen. - + &Recent Files - + &Recente bestanden - + Clear List Clear List of recent files - + Lijst leegmaken - + Clear the list of recent files. - - - - - Configure &Formatting Tags... - - - - - Export OpenLP settings to a specified *.config file - + Maak de lijst met recente bestanden leeg. + Configure &Formatting Tags... + Configureer &Opmaak tags... + + + + Export OpenLP settings to a specified *.config file + Exporteer OpenLP instellingen naar een *.config bestand + + + Settings - Instellingen + Instellingen - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Importeer OpenLP instellingen uit een bestaand *.config bestand afkomstig van deze of een andere computer - + Import settings? - + Importeer instelling? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. - + Weet u zeker dat u instellingen wilt importeren? + +Instellingen importeren zal uw huidige OpenLP configuratie veranderen. + +Incorrecte instellingen importeren veroorzaakt onvoorspelbare effecten of OpenLP kan spontaan stoppen. - + Open File - Open bestand + Open bestand - + OpenLP Export Settings Files (*.conf) - + OpenLP Export instellingsbestanden (*.config) - + Import settings - + Importeer instellingen - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + OpenLP sluit nu af. De geïmporteeerde instellingen worden bij de volgende start van OpenLP toegepast. - + Export Settings File - + Exporteer instellingen - + OpenLP Export Settings File (*.conf) - + OpenLP Export instellingsbestand (*.config) OpenLP.Manager - + Database Error - + Database Fout - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + De database die u wilt laden is gemaakt in een nieuwere versie van OpenLP. De database is versie %d, terwijl OpenLP versie %d verwacht. De database zal niet worden geladen. + +Database: %s - + OpenLP cannot load your database. Database: %s - + OpenLP kan uw database niet laden. + +Database: %s OpenLP.MediaManagerItem - + No Items Selected Niets geselecteerd @@ -2843,23 +2882,24 @@ Database: %s &Clone - + &Kloon Invalid File Type - + Ongeldig bestandsformaat Invalid File %s. Suffix not supported - + Ongeldig bestand %s. +Extensie niet ondersteund Duplicate files were found on import and were ignored. - + Identieke bestanden zijn bij het importeren gevonden en worden genegeerd. @@ -2890,17 +2930,17 @@ Suffix not supported Inactief - + %s (Inactive) %s (inactief) - + %s (Active) %s (actief) - + %s (Disabled) %s (uitgeschakeld) @@ -2983,17 +3023,17 @@ Suffix not supported Print - + Afdrukken Title: - + Titel: Custom Footer Text: - + Aangepaste voettekst: @@ -3012,14 +3052,14 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s - + <strong>Lengte</strong>: %s @@ -3113,29 +3153,29 @@ Suffix not supported &Wijzig onderdeel thema - + File is not a valid service. The content encoding is not UTF-8. Geen geldig liturgie bestand. Tekst codering is geen UTF-8. - + File is not a valid service. Geen geldig liturgie bestand. - + Missing Display Handler Ontbrekende weergave regelaar - + Your item cannot be displayed as there is no handler to display it Dit onderdeel kan niet weergegeven worden, omdat er een regelaar ontbreekt - + Your item cannot be displayed as the plugin required to display it is missing or inactive Dit onderdeel kan niet weergegeven worden omdat de benodigde plugin ontbreekt of inactief is @@ -3165,7 +3205,7 @@ Tekst codering is geen UTF-8. Open bestand - + OpenLP Service Files (*.osz) OpenLP liturgie bestanden (*.osz) @@ -3220,22 +3260,22 @@ Tekst codering is geen UTF-8. De huidige liturgie is gewijzigd. Veranderingen opslaan? - + File could not be opened because it is corrupt. Bestand kan niet worden geopend omdat het beschadigd is. - + Empty File Leeg bestand - + This service file does not contain any data. Deze liturgie bevat nog geen gegevens. - + Corrupt File Corrupt bestand @@ -3275,23 +3315,33 @@ Tekst codering is geen UTF-8. Selecteer een thema voor de liturgie. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Dit bestand is beschadigd of geen OpenLP 2.0 liturgie bestand. - + Slide theme - + Dia thema - + Notes + Aantekeningen + + + + Service File Missing + Ontbrekend liturgiebestand + + + + Edit - - Service File Missing + + Service copy only @@ -3376,104 +3426,149 @@ Tekst codering is geen UTF-8. Configure Shortcuts - + Sneltoetsen instellen OpenLP.SlideController - + Hide Verbergen - + Go To Ga naar - + Blank Screen Zwart scherm - + Blank to Theme Zwart naar thema - + Show Desktop Toon bureaublad - - Previous Slide - Vorige dia - - - - Next Slide - Volgende dia - - - + Previous Service Vorige liturgie - + Next Service Volgende liturgie - + Escape Item Onderdeel annuleren - + Move to previous. Vorige. - + Move to next. Volgende. - + Play Slides Dia’s tonen - + Delay between slides in seconds. Pauze tussen dia’s in seconden. - + Move to live. Toon Live. - + Add to Service. Voeg toe aan Liturgie. - + Edit and reload song preview. Bewerk en herlaad lied voorbeeld. - + Start playing media. Speel media af. - + Pause audio. + Pauzeer audio. + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" @@ -3548,19 +3643,19 @@ Tekst codering is geen UTF-8. Start tijd is ingesteld tot na het eind van het media item - + Theme Layout - + Thema Layout - + The blue box shows the main area. - + Het blauwe vlak toont het hoofdgebied. - + The red box shows the footer. - + Het rode vlak toont het gebied voor de voettekst. @@ -3659,69 +3754,62 @@ Tekst codering is geen UTF-8. Instellen als al&gemene standaard - + %s (default) %s (standaard) - + You must select a theme to edit. Selecteer een thema om te bewerken. - + You are unable to delete the default theme. Het standaard thema kan niet worden verwijderd. - + You have not selected a theme. Selecteer een thema. - + Save Theme - (%s) Thema opslaan - (%s) - + Theme Exported Thema geëxporteerd - + Your theme has been successfully exported. Exporteren thema is gelukt. - + Theme Export Failed Exporteren thema is mislukt - + Your theme could not be exported due to an error. Thema kan niet worden geëxporteerd als gevolg van een fout. - + Select Theme Import File Selecteer te importeren thema bestand - - File is not a valid theme. -The content encoding is not UTF-8. - Geen geldig thema bestand. -Tekst codering is geen UTF-8. - - - + File is not a valid theme. Geen geldig thema bestand. - + Theme %s is used in the %s plugin. Thema %s wordt gebruikt in de %s plugin. @@ -3756,32 +3844,32 @@ Tekst codering is geen UTF-8. %s thema hernoemen? - + You must select a theme to delete. Selecteer een thema om te verwijderen. - + Delete Confirmation Bevestig verwijderen - + Delete %s theme? %s thema verwijderen? - + Validation Error Validatie fout - + A theme with this name already exists. Er bestaat al een thema met deze naam. - + OpenLP Themes (*.theme *.otz) OpenLP Thema's (*.theme *.otz) @@ -3789,7 +3877,7 @@ Tekst codering is geen UTF-8. Copy of %s Copy of <theme name> - + Kopie van %s @@ -3877,7 +3965,7 @@ Tekst codering is geen UTF-8. Font: - Font: + Lettertype: @@ -4037,27 +4125,27 @@ Tekst codering is geen UTF-8. Starting color: - + Beginkleur: Ending color: - + Eindkleur: Background color: - Achtergrondkleur: + Achtergrondkleur: Justify - + Uitvullen Layout Preview - + Layout voorbeeld @@ -4105,7 +4193,7 @@ Tekst codering is geen UTF-8. Themes - + Thema's @@ -4414,7 +4502,7 @@ Tekst codering is geen UTF-8. Klaar. - + Starting import... Start importeren... @@ -4626,27 +4714,27 @@ Tekst codering is geen UTF-8. Confirm Delete - + Bevestig verwijderen Play Slides in Loop - Dia’s doorlopend tonen + Dia’s doorlopend tonen Play Slides to End - Dia’s tonen tot eind + Dia’s tonen tot eind Stop Play Slides in Loop - + Stop dia’s doorlopend tonen Stop Play Slides to End - + Stop dia’s tonen tot eind @@ -4738,12 +4826,12 @@ Tekst codering is geen UTF-8. Presentaties (%s) - + Missing Presentation Ontbrekende presentatie - + The Presentation %s no longer exists. De presentatie %s bestaat niet meer. @@ -4756,17 +4844,17 @@ Tekst codering is geen UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Beschikbare regelaars - + Allow presentation application to be overriden Presentatieprogramma kan overschreven worden - + %s (unavailable) %s (niet beschikbaar) @@ -4887,7 +4975,7 @@ Tekst codering is geen UTF-8. Add to Service - + Voeg toe aan Liturgie @@ -4920,93 +5008,93 @@ Tekst codering is geen UTF-8. Display stage time in 12h format - + Toon tijd in 12h opmaak SongUsagePlugin - + &Song Usage Tracking &Lied gebruik bijhouden - + &Delete Tracking Data Verwij&der gegevens liedgebruik - + Delete song usage data up to a specified date. Verwijder alle gegevens over lied gebruik tot een bepaalde datum. - + &Extract Tracking Data &Extraheer gegevens liedgebruik - + Generate a report on song usage. Geneer rapportage liedgebruik. - + Toggle Tracking Gegevens bijhouden aan|uit - + Toggle the tracking of song usage. Gegevens liedgebruik bijhouden aan of uit zetten. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Liedgebruik plugin</strong><br />Met deze plugin kunt u bijhouden welke liederen tijdens de vieringen gezongen worden. - + SongUsage name singular Liedprotokollierung - + SongUsage name plural Liedprotokollierung - + SongUsage container title Liedgebruik - + Song Usage Liedgebruik - + Song usage tracking is active. - + Lied gebruik bijhouden is actief. - + Song usage tracking is inactive. - + Lied gebruik bijhouden is in-actief. - + display - + weergave - + printed - + afgedrukt @@ -5039,7 +5127,7 @@ Tekst codering is geen UTF-8. Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. - + Selecteer de datum tot wanneer de gegevens liedgebruik verwijderd moeten worden. Alle gegevens van voor die datum worden verwijderd. @@ -5102,137 +5190,137 @@ is gemaakt. SongsPlugin - + &Song &Lied - + Import songs using the import wizard. Importeer liederen met de lied assistent. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Lied plugin</strong><br />De lied plugin regelt de weergave en het beheer van liederen. - + &Re-index Songs He&r-indexeer liederen - + Re-index the songs database to improve searching and ordering. Her-indexxer de liederen in de database om het zoeken en ordenen te verbeteren. - + Reindexing songs... Liederen her-indexeren... - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Liederen - + Arabic (CP-1256) Arabisch (CP-1256) - + Baltic (CP-1257) Baltisch (CP-1257) - + Central European (CP-1250) Centraal Europees (CP-1250) - + Cyrillic (CP-1251) Cyrillisch (CP-1251) - + Greek (CP-1253) Grieks (CP-1253) - + Hebrew (CP-1255) Hebreeuws (CP-1255) - + Japanese (CP-932) Japans (CP-932) - + Korean (CP-949) Koreaans (CP-949) - + Simplified Chinese (CP-936) Chinees, eenvoudig (CP-936) - + Thai (CP-874) Thais (CP-874) - + Traditional Chinese (CP-950) Traditioneel Chinees (CP-950) - + Turkish (CP-1254) Turks (CP-1254) - + Vietnam (CP-1258) Vietnamees (CP-1258) - + Western European (CP-1252) Westeuropees (CP-1252) - + Character Encoding Tekst codering - + Please choose the character encoding. The encoding is responsible for the correct character representation. Kies een tekstcodering (codepage). De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens. - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5241,37 +5329,37 @@ een correcte weergave van lettertekens. Meestal voldoet de suggestie van OpenLP. - + Exports songs using the export wizard. Exporteer liederen met de export assistent. - + Add a new song. Voeg nieuw lied toe. - + Edit the selected song. Bewerk geselecteerde lied. - + Delete the selected song. Verwijder geselecteerde lied. - + Preview the selected song. Toon voorbeeld geselecteerd lied. - + Send the selected song live. Toon lied Live. - + Add the selected song to the service. Voeg geselecteerde lied toe aan de liturgie. @@ -5317,7 +5405,7 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Dit bestand heeft geen geldige extensie. @@ -5334,7 +5422,9 @@ Meestal voldoet de suggestie van OpenLP. [above are Song Tags with notes imported from EasyWorship] - + +[hierboven staan Lied tags met noten die zijn geïmporteerd uit + EasyWorship] @@ -5405,67 +5495,67 @@ Meestal voldoet de suggestie van OpenLP. Thema, Copyright && Commentaren - + Add Author Voeg auteur toe - + This author does not exist, do you want to add them? Deze auteur bestaat nog niet, toevoegen? - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Geen auteur geselecteerd. Kies een auteur uit de lijst of voeg er een toe door de naam in te typen en op de knop "Voeg auteur toe" te klikken. - + Add Topic Voeg onderwerp toe - + This topic does not exist, do you want to add it? Dit onderwerp bestaat nog niet, toevoegen? - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Geen geldig onderwerp geselecteerd. Kies een onderwerp uit de lijst of type een nieuw onderwerp en klik op "Nieuw onderwerp toevoegen". - + Add Book Voeg boek toe - + This song book does not exist, do you want to add it? Dit liedboek bestaat nog niet, toevoegen? - + You need to type in a song title. Vul de titel van het lied in. - + You need to type in at least one verse. Vul minstens de tekst van één couplet in. - + Warning Waarschuwing - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. De volgorde van de coupletten klopt niet. Er is geen couplet dat overeenkomt met %s. Wel zijn %s beschikbaar. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? U heeft %s nergens in de vers volgorde gebruikt. Weet u zeker dat u dit lied zo wilt opslaan? @@ -5490,12 +5580,12 @@ Meestal voldoet de suggestie van OpenLP. Auteurs, onderwerpen && liedboeken - + This author is already in the list. Deze auteur staat al in de lijst. - + This topic is already in the list. Dit onderwerp staat al in de lijst. @@ -5510,7 +5600,7 @@ Meestal voldoet de suggestie van OpenLP. Nummer: - + You need to have an author for this song. Iemand heeft dit lied geschreven. @@ -5522,27 +5612,27 @@ Meestal voldoet de suggestie van OpenLP. Linked Audio - + Gekoppelde audio Add &File(s) - + Bestand(en) &toevoegen Add &Media - + Voeg &Media toe Remove &All - + &Alles verwijderen - + Open File(s) - + Open bestand(en) @@ -5621,7 +5711,7 @@ Meestal voldoet de suggestie van OpenLP. Niet opgegeven waar bestand moet worden bewaard - + Starting export... Start exporteren... @@ -5636,7 +5726,7 @@ Meestal voldoet de suggestie van OpenLP. Geef aan waar het bestand moet worden opgeslagen. - + Select Destination Folder Selecteer een doelmap @@ -5648,7 +5738,7 @@ Meestal voldoet de suggestie van OpenLP. This wizard will help to export your songs to the open and free <strong>OpenLyrics</strong> worship song format. - + Deze assistent helpt u bij het exporteren van liederen naar het open en vrije <strong>OpenLyrics</strong> worship lied formaat. @@ -5684,12 +5774,12 @@ Meestal voldoet de suggestie van OpenLP. Even geduld tijdens het importeren. - + Select Document/Presentation Files Selecteer Documenten/Presentatie bestanden - + Generic Document/Presentation Algemeen Document/Presentatie @@ -5699,42 +5789,42 @@ Meestal voldoet de suggestie van OpenLP. OpenLyrics import is nog niet gemaakt, maar we hebben het voornemen dit te doen. Hopelijk lukt dit in een volgende versie. - + OpenLP 2.0 Databases OpenLP 2.0 Databases - + openlp.org v1.x Databases openlp.org v1.x Databases - + Words Of Worship Song Files Words Of Worship Lied bestanden - + Songs Of Fellowship Song Files Songs Of Fellowship lied bestanden - + SongBeamer Files SongBeamer bestanden - + SongShow Plus Song Files SongShow Plus lied bestanden - + You need to specify at least one document or presentation file to import from. Selecteer minimaal een document of presentatie om te importeren. - + Foilpresenter Song Files Foilpresenter lied bestanden @@ -5759,14 +5849,14 @@ Meestal voldoet de suggestie van OpenLP. Algemeen document/presentatie import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics of OpenLP 2.0 geëxporteerd lied - + OpenLyrics Files - + OpenLyrics bestanden @@ -5774,12 +5864,12 @@ Meestal voldoet de suggestie van OpenLP. Select Media File(s) - + Selecteer media bestand(en) Select one or more audio files from the list below, and click OK to import them into this song. - + Selecteer een of meerdere audiobestanden uit de lijst, en klik OK om te importeren in dit lied. @@ -5795,7 +5885,7 @@ Meestal voldoet de suggestie van OpenLP. Liedtekst - + CCLI License: CCLI Licentie: @@ -5805,7 +5895,7 @@ Meestal voldoet de suggestie van OpenLP. Gehele lied - + Are you sure you want to delete the %n selected song(s)? Weet u zeker dat u dit %n lied wilt verwijderen? @@ -5818,10 +5908,10 @@ Meestal voldoet de suggestie van OpenLP. Beheer de lijst met auteurs, onderwerpen en liedboeken. - + copy For song cloning - + kopieer @@ -5874,14 +5964,14 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.SongExportForm - + Your song export failed. Liederen export is mislukt. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. - + Klaar met exporteren. Om deze bestanden te importeren gebruik <strong>OpenLyrics</strong> importeren. @@ -5915,7 +6005,7 @@ Meestal voldoet de suggestie van OpenLP. SongsPlugin.SongImportForm - + Your song import failed. Lied import mislukt. diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index dce34c7af..83a0cd77d 100644 --- a/resources/i18n/pt_BR.ts +++ b/resources/i18n/pt_BR.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Alerta - + Show an alert message. Exibir uma mensagem de alerta. - + Alert name singular Alerta - + Alerts name plural Alertas - + Alerts container title Alertas - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Plugin de Alerta</strong><br />O plugin de alerta controla a exibição de mensagens do berçario na tela. @@ -86,25 +86,25 @@ No Parameter Found - Nenhum Parâmetro Encontrado + Nenhum Parâmetro Encontrado You have not entered a parameter to be replaced. Do you want to continue anyway? - Você não entrou com um parâmetro para ser substituído. + Você não informou um parâmetro para ser substituído. Deseja continuar mesmo assim? No Placeholder Found - Nenhum Marcador de Posição Encontrado + Nenhum Marcador de Posição Encontrado The alert text does not contain '<>'. Do you want to continue anyway? - O texto de alerta não contém '<>'. + O texto de alerta não contém '<>'. Deseja continuar mesmo assim? @@ -119,32 +119,32 @@ Deseja continuar mesmo assim? AlertsPlugin.AlertsTab - + Font Fonte - + Font name: Nome da fonte: - + Font color: Cor da fonte: - + Background color: Cor de fundo: - + Font size: Tamanho da fonte: - + Alert timeout: Tempo limite para o Alerta: @@ -152,24 +152,24 @@ Deseja continuar mesmo assim? BiblesPlugin - + &Bible &Bíblia - + Bible name singular Bíblia - + Bibles name plural Bíblias - + Bibles container title Bíblias @@ -185,54 +185,54 @@ Deseja continuar mesmo assim? Nenhum livro correspondente foi encontrado nesta Bíblia. Verifique se você digitou o nome do livro corretamente. - + Import a Bible. Importar uma Bíblia. - + Add a new Bible. Adicionar uma Bíblia nova. - + Edit the selected Bible. Editar a Bíblia selecionada. - + Delete the selected Bible. Excluir a Bíblia selecionada. - + Preview the selected Bible. Pré-visualizar a Bíblia selecionada. - + Send the selected Bible live. Projetar a Bíblia selecionada. - + Add the selected Bible to the service. Adicionar a Bíblia selecionada ao culto. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Plugin de Bíblia</strong><br />O plugin de Bíblia permite exibir versículos bíblicos de diferentes origens durante o culto. - + &Upgrade older Bibles - &Atualizar Bíblias antigas + &Atualizar Bíblias antigas - + Upgrade the Bible databases to the latest format. - Atualizar o banco de dados de Bíblias para o formato atual. + Atualizar o banco de dados de Bíblias para o formato atual. @@ -393,20 +393,20 @@ Mudanças não afetam os versículos que já estão no culto. BiblesPlugin.CSVBible - + Importing books... %s - Importando livros... %s + Importando livros... %s - + Importing verses from %s... Importing verses from <book name>... - Importando versículos de %s... + Importando versículos de %s... - + Importing verses... done. - Importando versículos... concluído. + Importando versículos... concluído. @@ -430,22 +430,22 @@ Mudanças não afetam os versículos que já estão no culto. Download Error - Erro na Transferência + Erro ao Baixar There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. - Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug. + Ocorreu um problema ao baixar os versículos selecionados. Verifique sua conexão com a Internet, e se este erro continuar ocorrendo, por favor considere relatar um bug. Parse Error - Erro de Interpretação + Erro de Interpretação There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Ocorreu um problema extraindo os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. + Ocorreu um problema ao extrair os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. @@ -633,7 +633,7 @@ com o usu, portanto uma conexão com a internet é necessária. Language: - Idioma: + Idioma: @@ -704,22 +704,22 @@ com o usu, portanto uma conexão com a internet é necessária. You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? - Você não pode combinar um versículo simples e um duplo nos resultados das buscas. Você deseja deletar os resultados da sua busca e comecar uma nova? + Você não pode combinar os resultados de buscas de versículo Bíblicos simples e duplo. Você deseja deletar os resultados da sua busca e comecar uma nova? Bible not fully loaded. - Bíblia não carregada completamente. + Bíblia não carregada completamente. Information - Informações + Informações The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. - A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados. + A Bíblia secundária não contém todos os versículos que estão na Bíblia principal. Somente versículos encontrados em ambas as Bíblias serão exibidas. %d versículos não foram inclusos nos resultados. @@ -734,12 +734,12 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Detectando codificação (isto pode levar alguns minutos)... - + Importing %s %s... Importing <book name> <chapter>... Importando %s %s... @@ -829,7 +829,7 @@ Atualizando ... Download Error - Erro na Transferência + Erro ao Baixar @@ -1017,12 +1017,12 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e &Créditos: - + You need to type in a title. Você deve digitar um título. - + You need to add at least one slide Você deve adicionar pelo menos um slide @@ -1112,7 +1112,7 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e ImagePlugin.ExceptionDialog - + Select Attachment Selecionar Anexo @@ -1183,60 +1183,60 @@ Mesmo assim, deseja continuar adicionando as outras imagens? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Plugin de Mídia</strong><br />O plugin de mídia permite a reprodução de áudio e vídeo. - + Media name singular Mídia - + Media name plural Mídia - + Media container title Mídia - + Load new media. Carregar nova mídia. - + Add new media. Adicionar nova mídia. - + Edit the selected media. Editar a mídia selecionada. - + Delete the selected media. Excluir a mídia selecionada. - + Preview the selected media. Pré-visualizar a mídia selecionada. - + Send the selected media live. Enviar a mídia selecionada para a projeção. - + Add the selected media to the service. Adicionar a mídia selecionada ao culto. @@ -1244,67 +1244,92 @@ Mesmo assim, deseja continuar adicionando as outras imagens? MediaPlugin.MediaItem - + Select Media Selecionar Mídia - + You must select a media file to delete. Você deve selecionar um arquivo de mídia para apagar. - + Missing Media File Arquivo de Mídia não encontrado - + The file %s no longer exists. O arquivo %s não existe. - + You must select a media file to replace the background with. Você precisa selecionar um arquivo de mídia para substituir o plano de fundo. - + There was a problem replacing your background, the media file "%s" no longer exists. Ocorreu um erro ao substituir o plano de fundo. O arquivo de mídia "%s" não existe. - + Videos (%s);;Audio (%s);;%s (*) Vídeos (%s);;Áudio (%s);;%s (*) - + There was no display item to amend. Não há nenhum item de exibição para corrigir. - - File Too Big - Arquivo muito grande + + Unsupported File + Arquivo Não Suportado - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - O arquivo que você está tentando carregar é muito grande. Por favor reduza-o para até 50Mb. + + Automatic + Automático + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Exibição de Mídia + + Available Media Players + - - Use Phonon for video playback - Usar o Phonon para exibição de vídeo + + %s (unavailable) + %s (indisponivel) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Mesmo assim, deseja continuar adicionando as outras imagens? Arquivos de Imagem - + Information Informações - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Porções com direitos autorais © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Ops! O OpenLP encontrou um problema e não pôde recuperar-se. O texto na caixa abaixo contém informações que podem ser úteis para os desenvolvedores do OpenLP, então, por favor, envie um e-mail para bugs@openlp.org, junto com uma descrição detalhada daquilo que você estava fazendo quando o problema ocorreu. - + Error Occurred Ocorreu um Erro - + Send E-Mail Enviar E-Mail - + Save to File Salvar para um Arquivo - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Por favor, descreva o que você estava fazendo para causar este erro (Mínimo de 20 caracteres) - + Attach File Anexar Arquivo - + Description characters to enter : %s Caracteres que podem ser digitadas na descrição: %s @@ -1642,24 +1667,24 @@ Porções com direitos autorais © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Plataforma: %s - + Save Crash Report Salvar Relatório de Travamento - + Text files (*.txt *.log *.text) Arquivos de texto (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Versão %s - + *OpenLP Bug Report* Version: %s @@ -1929,7 +1954,7 @@ Agradecemos se for possível escrever seu relatório em inglês. Custom Slides - Slides Personalizados + Slides Personalizados @@ -1962,7 +1987,7 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Finish - Fim + Finalizar @@ -1975,47 +2000,47 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Edit Selection - Editar Seleção + Editar Seleção Save - Salvar + Salvar Description - Descrição + Descrição Tag - Etiqueta + Tag Start tag - Etiqueta Inicial + Tag Inicial End tag - Etiqueta Final + Tag Final Tag Id - Id da Etiqueta + Id do Tag Start HTML - Iniciar HTML + Iniciar HTML End HTML - Finalizar HTML + Finalizar HTML @@ -2028,27 +2053,27 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Tag "n" already defined. - Etiqueta "n" já está definida. + Tag "n" já está definida. New Tag - Nova Etiqueta + Novo Tag <HTML here> - <HTML aqui> + <HTML aqui> </and here> - </e aqui> + </e aqui> Tag %s already defined. - Etiqueta %s já está definida. + Tag %s já está definida. @@ -2056,37 +2081,37 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Red - Vermelho + Vermelho Black - Preto + Preto Blue - Azul + Azul Yellow - Amarelo + Amarelo Green - Verde + Verde Pink - Rosa + Rosa Orange - Laranja + Laranja @@ -2096,42 +2121,42 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar White - Branco + Branco Superscript - Sobrescrito + Sobrescrito Subscript - Subscrito + Subscrito Paragraph - Parágrafo + Parágrafo Bold - Negrito + Negrito Italics - Itálico + Itálico Underline - Sublinhado + Sublinhado Break - Quebra + Quebra @@ -2149,12 +2174,12 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Select monitor for output display: - Selecione um monitor para exibição: + Selecione o monitor para exibição: Display if a single screen - Exibir em caso de tela única + Exibir no caso de uma única tela @@ -2184,12 +2209,12 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Prompt to save before starting a new service - Perguntar sobre salvamento antes de iniciar um novo culto + Perguntar se salva antes de iniciar um novo culto Automatically preview next item in service - Pré-visualizar automaticamente o próximo item no culto + Pré-visualizar o próximo item no culto automaticamente @@ -2209,7 +2234,7 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar SongSelect password: - Senha do SongSelect: + Senha SongSelect: @@ -2269,7 +2294,7 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar Start background audio paused - Iniciar áudio de fundo pausado + Iniciar áudio de fundo em pausa @@ -2288,7 +2313,7 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar OpenLP.MainDisplay - + OpenLP Display Saída do OpenLP @@ -2296,287 +2321,287 @@ Para cancelar completamente o Assistente de Primeira Execução (e não iniciar OpenLP.MainWindow - + &File &Arquivo - + &Import &Importar - + &Export &Exportar - + &View &Exibir - + M&ode M&odo - + &Tools &Ferramentas - + &Settings &Configurações - + &Language &Idioma - + &Help Aj&uda - + Media Manager Gerenciador de Mídia - + Service Manager Gerenciador de Culto - + Theme Manager Gerenciador de Tema - + &New &Novo - + &Open &Abrir - + Open an existing service. Abrir um culto existente. - + &Save &Salvar - + Save the current service to disk. Salvar o culto atual no disco. - + Save &As... Salvar &Como... - + Save Service As Salvar Culto Como - + Save the current service under a new name. Salvar o culto atual com um novo nome. - + E&xit S&air - + Quit OpenLP Fechar o OpenLP - + &Theme &Tema - + &Configure OpenLP... &Configurar o OpenLP... - + &Media Manager &Gerenciador de Mídia - + Toggle Media Manager Alternar Gerenciador de Mídia - + Toggle the visibility of the media manager. Alternar a visibilidade do gerenciador de mídia. - + &Theme Manager &Gerenciador de Tema - + Toggle Theme Manager Alternar para Gerenciamento de Tema - + Toggle the visibility of the theme manager. Alternar a visibilidade do gerenciador de tema. - + &Service Manager Gerenciador de &Culto - + Toggle Service Manager Alternar o Gerenciador de Culto - + Toggle the visibility of the service manager. Alternar visibilidade do gerenciador de culto. - + &Preview Panel &Painel de Pré-Visualização - + Toggle Preview Panel Alternar o Painel de Pré-Visualização - + Toggle the visibility of the preview panel. Alternar a visibilidade do painel de pré-visualização. - + &Live Panel &Painel de Projeção - + Toggle Live Panel Alternar Painel da Projeção - + Toggle the visibility of the live panel. Alternar a visibilidade do painel de projeção. - + &Plugin List &Lista de Plugins - + List the Plugins Listar os Plugins - + &User Guide &Guia do Usuário - + &About &Sobre - + More information about OpenLP Mais informações sobre o OpenLP - + &Online Help &Ajuda Online - + &Web Site &Web Site - + Use the system language, if available. Usar o idioma do sistema, caso disponível. - + Set the interface language to %s Definir o idioma da interface como %s - + Add &Tool... Adicionar &Ferramenta... - + Add an application to the list of tools. Adicionar um aplicativo à lista de ferramentas. - + &Default &Padrão - + Set the view mode back to the default. Reverter o modo de visualização ao padrão. - + &Setup &Configuração - + Set the view mode to Setup. Configurar o modo de visualização para Configuração. - + &Live &Ao Vivo - + Set the view mode to Live. Configurar o modo de visualização como Ao Vivo. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2585,22 +2610,22 @@ You can download the latest version from http://openlp.org/. Voce pode baixar a última versão em http://openlp.org/. - + OpenLP Version Updated Versão do OpenLP Atualizada - + OpenLP Main Display Blanked Tela Principal do OpenLP desativada - + The Main Display has been blanked out A Tela Principal foi desativada - + Default Theme: %s Tema padrão: %s @@ -2611,77 +2636,77 @@ Voce pode baixar a última versão em http://openlp.org/. Português do Brasil - + Configure &Shortcuts... Configurar &Atalhos... - + Close OpenLP Fechar o OpenLP - + Are you sure you want to close OpenLP? Você tem certeza de que deseja fechar o OpenLP? - + Open &Data Folder... Abrir Pasta de &Dados... - + Open the folder where songs, bibles and other data resides. Abrir a pasta na qual músicas, bíblias e outros arquivos são armazenados. - + &Autodetect &Auto detectar - + Update Theme Images Atualizar Imagens de Tema - + Update the preview images for all themes. Atualizar as imagens de pré-visualização de todos os temas. - + Print the current service. Imprimir o culto atual. - + L&ock Panels Tr&avar Painéis - + Prevent the panels being moved. Previne que os painéis sejam movidos. - + Re-run First Time Wizard Iniciar o Assistente de Primeira Execução novamente - + Re-run the First Time Wizard, importing songs, Bibles and themes. Iniciar o Assistente de Primeira Execução novamente importando músicas, Bíblia e temas. - + Re-run First Time Wizard? Deseja iniciar o Assistente de Primeira Execução novamente? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2690,48 +2715,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Executar o assistente novamente poderá fazer mudanças na sua configuração atual, adicionar músicas à sua base existente e mudar o seu tema padrão. - + &Recent Files Arquivos &Recentes - + Clear List Clear List of recent files Limpar Lista - + Clear the list of recent files. Limpar a lista de arquivos recentes. - + Configure &Formatting Tags... Configurar Etiquetas de &Formatação... - + Export OpenLP settings to a specified *.config file Exportar as configurações do OpenLP para um arquivo *.config - + Settings - Configurações + Configurações - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Importar as configurações do OpenLP de um arquivo *.config que foi previamente exportado neste ou em outro computador - + Import settings? Importar configurações? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2744,32 +2769,32 @@ Importar as configurações irá fazer mudanças permanentes no seu OpenLP. Importar configurações incorretas pode causar problemas de execução ou que o OpenLP finalize de forma inesperada. - + Open File - Abrir Arquivo + Abrir Arquivo - + OpenLP Export Settings Files (*.conf) Arquivo de Configurações do OpenLP (*.conf) - + Import settings Importar configurações - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. O OpenLP irá finalizar. As configurações importadas serão aplicadas na próxima execução do OpenLP. - + Export Settings File Exportar arquivo de configurações - + OpenLP Export Settings File (*.conf) Arquivo de Configurações do OpenLP (*.conf) @@ -2777,12 +2802,12 @@ Importar configurações incorretas pode causar problemas de execução ou que o OpenLP.Manager - + Database Error Erro no Banco de Dados - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2791,7 +2816,7 @@ Database: %s Banco de dados: %s - + OpenLP cannot load your database. Database: %s @@ -2803,7 +2828,7 @@ Banco de Dados: %s OpenLP.MediaManagerItem - + No Items Selected Nenhum Item Selecionado @@ -2903,17 +2928,17 @@ Sufixo não suportado Inativo - + %s (Inactive) %s (Inativo) - + %s (Active) %s (Ativo) - + %s (Disabled) %s (Desabilitado) @@ -3025,12 +3050,12 @@ Sufixo não suportado OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Início</strong>: %s - + <strong>Length</strong>: %s <strong>Duração</strong>: %s @@ -3126,29 +3151,29 @@ Sufixo não suportado &Alterar Tema do Item - + File is not a valid service. The content encoding is not UTF-8. O arquivo não é um culto válida. A codificação do conteúdo não é UTF-8. - + File is not a valid service. Arquivo não é uma ordem de culto válida. - + Missing Display Handler Faltando o Manipulador de Exibição - + Your item cannot be displayed as there is no handler to display it O seu item não pode ser exibido porque não existe um manipulador para exibí-lo - + Your item cannot be displayed as the plugin required to display it is missing or inactive O item não pode ser exibido porque o plugin necessário para visualizá-lo está ausente ou está desativado @@ -3178,7 +3203,7 @@ A codificação do conteúdo não é UTF-8. Abrir Arquivo - + OpenLP Service Files (*.osz) Arquivos de Culto do OpenLP (*.osz) @@ -3233,22 +3258,22 @@ A codificação do conteúdo não é UTF-8. O culto atual foi modificada. Você gostaria de salvar este culto? - + File could not be opened because it is corrupt. Arquivo não pôde ser aberto porque está corrompido. - + Empty File Arquivo vazio - + This service file does not contain any data. Este arquivo de culto não contém dados. - + Corrupt File Arquivo corrompido @@ -3288,25 +3313,35 @@ A codificação do conteúdo não é UTF-8. Selecionar um tema para o culto. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Este arquivo está corrompido ou não é um arquivo de culto do OpenLP 2.0. - + Slide theme Tema do Slide - + Notes Notas - + Service File Missing Arquivo do Culto não encontrado + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3395,100 +3430,145 @@ A codificação do conteúdo não é UTF-8. OpenLP.SlideController - + Hide Ocultar - + Go To Ir Para - + Blank Screen Apagar Tela - + Blank to Theme Apagar e deixar o Tema - + Show Desktop Mostrar a Área de Trabalho - - Previous Slide - Slide Anterior - - - - Next Slide - Slide Seguinte - - - + Previous Service Lista Anterior - + Next Service Próxima Lista - + Escape Item Escapar Item - + Move to previous. Mover para o anterior. - + Move to next. Mover para o seguinte. - + Play Slides Exibir Slides - + Delay between slides in seconds. Espera entre slides em segundos. - + Move to live. Mover para projeção. - + Add to Service. Adicionar ao Culto. - + Edit and reload song preview. Editar e recarregar pré-visualização da música. - + Start playing media. Começar a reproduzir mídia. - + Pause audio. Pausar o áudio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3561,19 +3641,19 @@ A codificação do conteúdo não é UTF-8. O tempo inicial está após o fim do item de mídia - + Theme Layout - + Disposição do Tema - + The blue box shows the main area. - + A caixa azul mostra a área principal. - + The red box shows the footer. - + A caixa vermelha mostra o rodapé. @@ -3672,69 +3752,62 @@ A codificação do conteúdo não é UTF-8. Definir como Padrão &Global - + %s (default) %s (padrão) - + You must select a theme to edit. Você precisa selecionar um tema para editar. - + You are unable to delete the default theme. Você não pode apagar o tema padrão. - + You have not selected a theme. Você não selecionou um tema. - + Save Theme - (%s) Salvar Tema - (%s) - + Theme Exported Tema Exportado - + Your theme has been successfully exported. Seu tema foi exportado com sucesso. - + Theme Export Failed Falha ao Exportar Tema - + Your theme could not be exported due to an error. O tema não pôde ser exportado devido a um erro. - + Select Theme Import File Selecionar Arquivo de Importação de Tema - - File is not a valid theme. -The content encoding is not UTF-8. - O arquivo não é um tema válido. -A codificação do conteúdo não é UTF-8. - - - + File is not a valid theme. O arquivo não é um tema válido. - + Theme %s is used in the %s plugin. O tema %s é usado no plugin %s. @@ -3769,32 +3842,32 @@ A codificação do conteúdo não é UTF-8. Renomear o tema %s? - + You must select a theme to delete. Você precisa selecionar um tema para excluir. - + Delete Confirmation Confirmar Exclusão - + Delete %s theme? Apagar o tema %s? - + Validation Error Erro de Validação - + A theme with this name already exists. Já existe um tema com este nome. - + OpenLP Themes (*.theme *.otz) Temas do OpenLP (*.theme *.otz) @@ -4065,12 +4138,12 @@ A codificação do conteúdo não é UTF-8. Justify - + Justificar Layout Preview - + Previsualizar a Disposição @@ -4118,7 +4191,7 @@ A codificação do conteúdo não é UTF-8. Themes - Temas + Temas @@ -4427,7 +4500,7 @@ A codificação do conteúdo não é UTF-8. Pronto. - + Starting import... Iniciando importação... @@ -4629,7 +4702,7 @@ A codificação do conteúdo não é UTF-8. &Split - &Dividir + &Dividir @@ -4644,12 +4717,12 @@ A codificação do conteúdo não é UTF-8. Play Slides in Loop - Exibir Slides com Repetição + Exibir Slides com Repetição Play Slides to End - Exibir Slides até o Fim + Exibir Slides até o Fim @@ -4751,12 +4824,12 @@ A codificação do conteúdo não é UTF-8. Apresentações (%s) - + Missing Presentation Apresentação Não Encontrada - + The Presentation %s no longer exists. A Apresentação %s não existe mais. @@ -4769,17 +4842,17 @@ A codificação do conteúdo não é UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponíveis - + Allow presentation application to be overriden Permitir que o aplicativo de apresentações seja substituída - + %s (unavailable) %s (indisponivel) @@ -4825,7 +4898,7 @@ A codificação do conteúdo não é UTF-8. Service Manager - Gerenciador de Culto + Gerenciador de Culto @@ -4835,12 +4908,12 @@ A codificação do conteúdo não é UTF-8. Alerts - Alertas + Alertas Search - Pesquisar + Pesquisar @@ -4885,7 +4958,7 @@ A codificação do conteúdo não é UTF-8. Go Live - Projetar + Projetar @@ -4895,7 +4968,7 @@ A codificação do conteúdo não é UTF-8. Options - Opções + Opções @@ -4933,91 +5006,91 @@ A codificação do conteúdo não é UTF-8. Display stage time in 12h format - + Exibir hora de palco no formato 12h SongUsagePlugin - + &Song Usage Tracking &Registro de Uso de Músicas - + &Delete Tracking Data &Excluir Dados de Registro - + Delete song usage data up to a specified date. Excluir registros de uso até uma data específica. - + &Extract Tracking Data &Extrair Dados de Registro - + Generate a report on song usage. Gerar um relatório sobre o uso das músicas. - + Toggle Tracking Alternar Registro - + Toggle the tracking of song usage. Alternar o registro de uso das músicas. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Plugin de Uso das Músicas</strong><br />Este plugin registra o uso das músicas nos cultos. - + SongUsage name singular Registro das Músicas - + SongUsage name plural Registro das Músicas - + SongUsage container title Uso das Músicas - + Song Usage Uso das Músicas - + Song usage tracking is active. Registro de uso das Músicas está ativado. - + Song usage tracking is inactive. Registro de uso das Músicas está desativado. - + display exibir - + printed impresso @@ -5115,130 +5188,130 @@ foi criado com sucesso. SongsPlugin - + &Song &Música - + Import songs using the import wizard. Importar músicas com o assistente de importação. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Plugin de Músicas</strong><br />O plugin de músicas permite exibir e gerenciar músicas. - + &Re-index Songs &Re-indexar Músicas - + Re-index the songs database to improve searching and ordering. Re-indexar o banco de dados de músicas para melhorar a busca e a ordenação. - + Reindexing songs... Reindexando músicas... - + Song name singular Música - + Songs name plural Músicas - + Songs container title Músicas - + Arabic (CP-1256) Arábico (CP-1256) - + Baltic (CP-1257) Báltico (CP-1257) - + Central European (CP-1250) Europeu Central (CP-1250) - + Cyrillic (CP-1251) Cirílico (CP-1251) - + Greek (CP-1253) Grego (CP-1253) - + Hebrew (CP-1255) Hebraico (CP-1255) - + Japanese (CP-932) Japonês (CP-932) - + Korean (CP-949) Coreano (CP-949) - + Simplified Chinese (CP-936) Chinês Simplificado (CP-936) - + Thai (CP-874) Tailandês (CP-874) - + Traditional Chinese (CP-950) Chinês Tradicional (CP-950) - + Turkish (CP-1254) Turco (CP-1254) - + Vietnam (CP-1258) Vietnamita (CP-1258) - + Western European (CP-1252) Europeu Ocidental (CP-1252) - + Character Encoding Codificação de Caracteres - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5247,44 +5320,44 @@ pela correta representação dos caracteres. Normalmente pode usar a opção pré-selecionada. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Escolha a codificação dos caracteres. A codificação é responsável pela correta representação dos caracteres. - + Exports songs using the export wizard. Exporta músicas utilizando o assistente de exportação. - + Add a new song. Adicionar uma nova música. - + Edit the selected song. Editar a música selecionada. - + Delete the selected song. Excluir a música selecionada. - + Preview the selected song. Pré-visualizar a música selecionada. - + Send the selected song live. Enviar a música selecionada para a projeção. - + Add the selected song to the service. Adicionar a música selecionada ao culto. @@ -5330,7 +5403,7 @@ A codificação é responsável pela correta representação dos caracteres. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. O arquivo não possui uma extensão válida. @@ -5450,82 +5523,82 @@ EasyWorship] Tema, Direitos Autorais && Comentários - + Add Author Adicionar Autor - + This author does not exist, do you want to add them? Este autor não existe, deseja adicioná-lo? - + This author is already in the list. Este autor já está na lista. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Você não selecionou um autor válido. Selecione um autor da lista, ou digite um novo autor e clique em "Adicionar Autor à Música" para adicioná-lo. - + Add Topic Adicionar Assunto - + This topic does not exist, do you want to add it? Este assunto não existe, deseja adicioná-lo? - + This topic is already in the list. Este assunto já está na lista. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Você não selecionou um assunto válido. Selecione um assunto da lista ou digite um novo assunto e clique em "Adicionar Assunto à Música" para adicioná-lo. - + You need to type in a song title. Você deve digitar um título para a música. - + You need to type in at least one verse. Você deve digitar ao menos um verso. - + Warning Aviso - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. A ordem das estrofes é inválida. Não há estrofe correspondente a %s. Valores válidos são %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Você não usou %s em nenhum lugar na ordem das estrofes. Deseja mesmo salvar a música assim? - + Add Book Adicionar Hinário - + This song book does not exist, do you want to add it? Este hinário não existe, deseja adicioná-lo? - + You need to have an author for this song. Você precisa ter um autor para esta música. @@ -5555,7 +5628,7 @@ EasyWorship] Excluir &Todos - + Open File(s) Abrir Arquivo(s) @@ -5641,7 +5714,7 @@ EasyWorship] Nenhum Localização para Salvar foi especificado - + Starting export... Iniciando a exportação... @@ -5651,7 +5724,7 @@ EasyWorship] Você precisa especificar um diretório. - + Select Destination Folder Selecione a Pasta de Destino @@ -5669,7 +5742,7 @@ EasyWorship] SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecione Arquivos de Documentos/Apresentações @@ -5684,7 +5757,7 @@ EasyWorship] Este assistente irá ajudá-lo a importar músicas de uma variedade de formatos. Clique no abaixo no botão Próximo para iniciar o processo, escolhendo um desses formatos. - + Generic Document/Presentation Documento/Apresentação Genérica @@ -5714,42 +5787,42 @@ EasyWorship] O importador para o formato OpenLyrics ainda não foi desenvolvido, mas como você pode ver, nós ainda pretendemos desenvolvê-lo. Possivelmente ele estará disponível na próxima versão. - + OpenLP 2.0 Databases Bancos de Dados do OpenLP 2.0 - + openlp.org v1.x Databases Bancos de Dados do openlp.org v1.x - + Words Of Worship Song Files Arquivos de Música do Words Of Worship - + You need to specify at least one document or presentation file to import from. Você precisa especificar pelo menos um documento ou apresentação para importar. - + Songs Of Fellowship Song Files Arquivos do Songs Of Fellowship - + SongBeamer Files Arquivos do SongBeamer - + SongShow Plus Song Files Arquivos do SongShow Plus - + Foilpresenter Song Files Arquivos do Folipresenter @@ -5774,14 +5847,14 @@ EasyWorship] A importação de documentos/apresentações genéricos foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song - + Música Exportada OpenLyrics ou OpenLP 2.0 - + OpenLyrics Files - + Arquivos OpenLyrics @@ -5810,7 +5883,7 @@ EasyWorship] Letras - + CCLI License: Licença CCLI: @@ -5820,7 +5893,7 @@ EasyWorship] Música Inteira - + Are you sure you want to delete the %n selected song(s)? Tem certeza de que deseja excluir a(s) %n música(s) selecionada(s)? @@ -5833,7 +5906,7 @@ EasyWorship] Gerencia a lista de autores, tópicos e hinários. - + copy For song cloning copiar @@ -5889,12 +5962,12 @@ EasyWorship] SongsPlugin.SongExportForm - + Your song export failed. A sua exportação de músicas falhou. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exportação Finalizada. Para importar estes arquivos, use o importador <strong>OpenLyrics</strong>. @@ -5930,7 +6003,7 @@ EasyWorship] SongsPlugin.SongImportForm - + Your song import failed. Sua importação de música falhou. diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index e61edcf80..e4861b04a 100644 --- a/resources/i18n/ru.ts +++ b/resources/i18n/ru.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert О&повещение - + Show an alert message. Показать текст оповещения. - + Alert name singular Оповещение - + Alerts name plural Оповещения - + Alerts container title Оповещения - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Плагин оповещений</strong><br />Плагин оповещений контролирует отображения срочной информации на экране. @@ -119,32 +119,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font Шрифт - + Font name: Шрифт: - + Font color: Цвет: - + Background color: Цвет фона: - + Font size: Размер: - + Alert timeout: Таймаут оповещения: @@ -152,24 +152,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Библия - + Bible name singular Библия - + Bibles name plural Священное Писание - + Bibles container title Священное Писание @@ -185,52 +185,52 @@ Do you want to continue anyway? Не было найдено подходящей книги в этой Библии. Проверьте что вы правильно указали название книги. - + Import a Bible. Импортировать Библию. - + Add a new Bible. Добавить Библию. - + Edit the selected Bible. Изменить выбранную Библию. - + Delete the selected Bible. Удалить выбранную Библию. - + Preview the selected Bible. Просмотреть выбранную Библию. - + Send the selected Bible live. Показать выбранную Библию на экране. - + Add the selected Bible to the service. Добавить выбранную Библию к порядку служения. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Плагин Библии</strong><br />Плагин Библии обеспечивает возможность показывать отрывки Писания во время служения. - + &Upgrade older Bibles &Обновить старые Библии - + Upgrade the Bible databases to the latest format. Обновить формат базы данных для хранения Библии. @@ -393,18 +393,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s Импорт книг... %s - + Importing verses from %s... Importing verses from <book name>... Импорт стихов из %s... - + Importing verses... done. Импорт стихов... завершен. @@ -734,12 +734,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Определение кодировки (это может занять несколько минут)... - + Importing %s %s... Importing <book name> <chapter>... Импортирую %s %s... @@ -1017,12 +1017,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I &Подпись: - + You need to type in a title. Необходимо ввести название: - + You need to add at least one slide Необходимо добавить как минимум один слайд @@ -1113,7 +1113,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Выбрать Вложение @@ -1184,60 +1184,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Плагин Мультимедиа</strong><br />Плагин Мультимедиа обеспечивает проигрывание аудио и видео файлов. - + Media name singular Медиа - + Media name plural Медиа - + Media container title Мультимедиа - + Load new media. Загрузить новый объект мультимедиа. - + Add new media. Добавить новый объект мультимедиа. - + Edit the selected media. Изменить выбранный объект мультимедиа. - + Delete the selected media. Удалить выбранный мультимедиа объект. - + Preview the selected media. Просмотреть выбранный объект мультимедиа. - + Send the selected media live. Отправить выбранный объект мультимедиа на проектор. - + Add the selected media to the service. Добавить выбранный объект к порядку служения. @@ -1245,67 +1245,92 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media Выбрать объект мультимедиа. - + You must select a media file to replace the background with. Для замены фона вы должны выбрать мультимедиа объект. - + There was a problem replacing your background, the media file "%s" no longer exists. Возникла проблема замены фона, поскольку файл "%s" не найден. - + Missing Media File Отсутствует медиа-файл - + The file %s no longer exists. Файл %s не существует. - + You must select a media file to delete. Вы должны выбрать медиа-файл для удаления. - + Videos (%s);;Audio (%s);;%s (*) Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. Отсутствует объект для изменений. - - File Too Big + + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + + + + + Use Player: MediaPlugin.MediaTab - - Media Display - Отображение Мультимедиа + + Available Media Players + - - Use Phonon for video playback - Использовать Phonon для проигрывания видео + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1316,12 +1341,12 @@ Do you want to add the other images anyway? Файлы изображений - + Information Информация - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1603,39 +1628,39 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred Произошла ошибка. - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Ой! OpenLP столкнулся с ошибкой и не смог обработать ее. Текст ниже содержит информацию, которая может быть полезна разработчикам продукта, поэтому, пожалуйста, отправьте ее на bugs@openlp.org, добавив к этому письму детальное описание того, что вы делали в то время, когда возникла ошибка. - + Send E-Mail Послать e-mail - + Save to File Сохранить в файл - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Пожалуйста, опишите сценарий возникновения ошибки (Минимум 20 символов) - + Attach File Добавить файл - + Description characters to enter : %s Символы описания: %s @@ -1643,24 +1668,24 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Платформа: %s - + Save Crash Report Сохранить отчет об ошибке - + Text files (*.txt *.log *.text) Текстовый файл (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1691,7 +1716,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2284,7 +2309,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display Дисплей OpenLP @@ -2292,292 +2317,292 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File &Файл - + &Import &Импорт - + &Export &Экспорт - + &View &Вид - + M&ode Р&ежим - + &Tools &Инструменты - + &Settings &Настройки - + &Language &Язык - + &Help &Помощь - + Media Manager Менеджер Мультимедиа - + Service Manager Менеджер служения - + Theme Manager Менеджер Тем - + &New &Новая - + &Open &Открыть - + Open an existing service. Открыть существующее служение. - + &Save &Сохранить - + Save the current service to disk. Сохранить текущее служение на диск. - + Save &As... Сохранить к&ак... - + Save Service As Сохранить служение как - + Save the current service under a new name. Сохранить текущее служение под новым именем. - + E&xit Вы&ход - + Quit OpenLP Завершить работу OpenLP - + &Theme Т&ема - + Configure &Shortcuts... Настройки и б&ыстрые клавиши... - + &Configure OpenLP... &Настроить OpenLP... - + &Media Manager Управление &Материалами - + Toggle Media Manager Свернуть Менеджер Медиа - + Toggle the visibility of the media manager. Свернуть видимость менеджера мультимедиа. - + &Theme Manager Управление &темами - + Toggle Theme Manager Свернуть Менеджер Тем - + Toggle the visibility of the theme manager. Свернуть видимость Менеджера Тем. - + &Service Manager Управление &Служением - + Toggle Service Manager Свернуть Менеджер Служения - + Toggle the visibility of the service manager. Свернуть видимость Менеджера Служения. - + &Preview Panel Пан&ель предпросмотра - + Toggle Preview Panel Toggle Preview Panel - + Toggle the visibility of the preview panel. Toggle the visibility of the preview panel. - + &Live Panel &Панель проектора - + Toggle Live Panel Toggle Live Panel - + Toggle the visibility of the live panel. Toggle the visibility of the live panel. - + &Plugin List &Список плагинов - + List the Plugins Выводит список плагинов - + &User Guide &Руководство пользователя - + &About &О программе - + More information about OpenLP Больше информации про OpenLP - + &Online Help &Помощь онлайн - + &Web Site &Веб-сайт - + Use the system language, if available. Использовать системный язык, если доступно. - + Set the interface language to %s Изменить язык интерфеса на %s - + Add &Tool... Добавить &Инструмент... - + Add an application to the list of tools. Добавить приложение к списку инструментов - + &Default &По умолчанию - + Set the view mode back to the default. Установить вид в режим по умолчанию. - + &Setup &Настройка - + Set the view mode to Setup. Установить вид в режим настройки. - + &Live &Демонстрация - + Set the view mode to Live. Установить вид в режим демонстрации. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2586,32 +2611,32 @@ You can download the latest version from http://openlp.org/. Вы можете загрузить последнюю версию с http://openlp.org/. - + OpenLP Version Updated Версия OpenLP обновлена - + OpenLP Main Display Blanked Главный дисплей OpenLP очищен - + The Main Display has been blanked out Главный дисплей был очищен - + Close OpenLP Закрыть OpenLP - + Are you sure you want to close OpenLP? Вы уверены что хотите закрыть OpenLP? - + Default Theme: %s Тема по умолчанию: %s @@ -2622,62 +2647,62 @@ You can download the latest version from http://openlp.org/. Русский - + Open &Data Folder... Открыть &папку данных... - + Open the folder where songs, bibles and other data resides. Открыть папку размещения песен, Библий и других данных. - + &Autodetect &Автоопределение - + Update Theme Images Обновить изображение Темы - + Update the preview images for all themes. Обновить миниатюры тем. - + Print the current service. Распечатать текущее служение. - + L&ock Panels За&блокировать панели - + Prevent the panels being moved. Сохраняет панели от перемещения. - + Re-run First Time Wizard Перезапустить мастер первого запуска - + Re-run the First Time Wizard, importing songs, Bibles and themes. Перезапуск Мастера первого запуска, импорт песен, Библий и тем. - + Re-run First Time Wizard? Перезапустить Мастер первого запуска? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2686,48 +2711,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Перезапуск мастера сделает изменения в текущей конфигурации OpenLP и, возможно, добавит песни к существующему списку и произведет изменения темы по умолчанию. - + &Recent Files &Недавние файлы - + Clear List Clear List of recent files Очистить список - + Clear the list of recent files. Очистить список недавних файлов. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings Настройки - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2736,32 +2761,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File Открыть файл - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2769,19 +2794,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2791,7 +2816,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Объекты не выбраны @@ -2891,17 +2916,17 @@ Suffix not supported Деактивирован - + %s (Disabled) %s (Запрещен) - + %s (Active) %s (Активирован) - + %s (Inactive) %s (Деактивирован) @@ -3013,12 +3038,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Начать</strong>: %s - + <strong>Length</strong>: %s <strong>Длина</strong>: %s @@ -3164,7 +3189,7 @@ Suffix not supported Открыть файл - + OpenLP Service Files (*.osz) Открыть файл служения OpenLP (*.osz) @@ -3174,29 +3199,29 @@ Suffix not supported Измененное служение - + File is not a valid service. The content encoding is not UTF-8. Файл не является правильным служением. Формат кодирования не UTF-8. - + File is not a valid service. Файл не является правильным служением. - + Missing Display Handler Отсутствует обработчик показа - + Your item cannot be displayed as there is no handler to display it Объект не может быть показан, поскольку отсутствует обработчик для его показа - + Your item cannot be displayed as the plugin required to display it is missing or inactive Элемент служения не может быть показан, поскольку требуемый плагин отсутствует или отключен @@ -3221,22 +3246,22 @@ The content encoding is not UTF-8. Текущее служение было изменено. Вы хотите сохранить это служение? - + File could not be opened because it is corrupt. Файл не может быть открыт, поскольку он поврежден. - + Empty File Пустой файл - + This service file does not contain any data. Файл служения не содержит данных. - + Corrupt File Поврежденный файл @@ -3276,25 +3301,35 @@ The content encoding is not UTF-8. Выбрать тему для служения. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Этот файл поврежден или не является файлом служения OpenLP 2.0. - + Slide theme Тема слайда - + Notes Заметки - + Service File Missing Файл служения отсутствует + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3383,100 +3418,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - - Previous Slide - Предыдущий слайд - - - - Next Slide - Следующий слайд - - - + Hide Скрыть - + Blank Screen Пустой экран - + Blank to Theme Фон темы - + Show Desktop Показать рабочий стол - + Go To Перейти к - + Previous Service Предыдущее служение - + Next Service Следующее служение - + Escape Item - + Move to previous. Переместить к предыдущему. - + Move to next. Переместить к следующему. - + Play Slides Проиграть слайды. - + Delay between slides in seconds. Задержка между слайдами в секундах. - + Move to live. Переместить к показу. - + Add to Service. Добавить к служению. - + Edit and reload song preview. Изменить и перезагрузить предпросмотр песни. - + Start playing media. Начать проигрывание медиафайла. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3549,17 +3629,17 @@ The content encoding is not UTF-8. Время начало больше длительности медиа файла - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3675,7 +3755,7 @@ The content encoding is not UTF-8. &Экспортировать Тему - + %s (default) %s (по-умолчанию) @@ -3695,94 +3775,87 @@ The content encoding is not UTF-8. Переименовать тему %s? - + You must select a theme to edit. Вы должны выбрать тему для редактирования. - + You must select a theme to delete. Вы должны выбрать тему для удаления. - + Delete Confirmation Подтверждение удаления - + Delete %s theme? Удалить тему %s? - + You have not selected a theme. Вы не выбрали тему. - + Save Theme - (%s) Сохранить Тему - (%s) - + Theme Exported Тема экспортирована. - + Your theme has been successfully exported. Ваша тема была успешна экспортирована. - + Theme Export Failed Экспорт темы провалился. - + Your theme could not be exported due to an error. Ваша тема не может быть экспортирована из-за ошибки. - + Select Theme Import File Выберите файл темы для импорта - - File is not a valid theme. -The content encoding is not UTF-8. - Файл темы не верный. -Содержимое контента не похоже на UTF-8. - - - + Validation Error Ошибка Проверки - + File is not a valid theme. Файл не является темой. - + A theme with this name already exists. Тема с подобным именем уже существует. - + You are unable to delete the default theme. Вы не можете удалить тему назначенную по умолчанию. - + Theme %s is used in the %s plugin. Тема %s используется в плагине %s. - + OpenLP Themes (*.theme *.otz) Тема OpenLP (*.theme *.otz) @@ -4415,7 +4488,7 @@ The content encoding is not UTF-8. Готов. - + Starting import... Начинаю импорт... @@ -4739,7 +4812,7 @@ The content encoding is not UTF-8. - + Missing Presentation @@ -4749,7 +4822,7 @@ The content encoding is not UTF-8. - + The Presentation %s no longer exists. @@ -4757,17 +4830,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4927,85 +5000,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking &Отслеживание использования песен - + &Delete Tracking Data &Удалить данные отслеживания - + Delete song usage data up to a specified date. Удалить данные использования песен до указанной даты. - + &Extract Tracking Data &Извлечь данные использования - + Generate a report on song usage. Отчет по использованию песен. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Плагин Использования песен</strong><br />Этот плагин отслеживает использование песен в служениях. - + SongUsage name singular Использование песен - + SongUsage name plural Использование песен - + SongUsage container title Использование песен - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -5101,82 +5174,82 @@ has been successfully created. SongsPlugin - + Arabic (CP-1256) Arabic (CP-1256) - + Baltic (CP-1257) Baltic (CP-1257) - + Central European (CP-1250) Central European (CP-1250) - + Cyrillic (CP-1251) Cyrillic (CP-1251) - + Greek (CP-1253) Greek (CP-1253) - + Hebrew (CP-1255) Hebrew (CP-1255) - + Japanese (CP-932) Japanese (CP-932) - + Korean (CP-949) Korean (CP-949) - + Simplified Chinese (CP-936) Simplified Chinese (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Traditional Chinese (CP-950) - + Turkish (CP-1254) Turkish (CP-1254) - + Vietnam (CP-1258) Vietnam (CP-1258) - + Western European (CP-1252) Western European (CP-1252) - + Character Encoding Кодировка символов - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5186,92 +5259,92 @@ Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Пожалуйста, выберите кодировку символов. Кодировка ответственна за корректное отображение символов. - + &Song &Песня - + Import songs using the import wizard. Импортировать песни используя мастер импорта. - + &Re-index Songs &Переиндексировать песни - + Re-index the songs database to improve searching and ordering. Переиндексировать песни, чтобы улучшить поиск и сортировку. - + Reindexing songs... Индексация песен... - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Плагин Песен</strong><br />Плагин песен обеспечивает возможность отображения и управления песнями. - + Song name singular Песня - + Songs name plural ПесниПсалмы - + Songs container title Псалмы - + Exports songs using the export wizard. Экспортировать песни используя мастер экспорта. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5317,7 +5390,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5435,82 +5508,82 @@ The encoding is responsible for the correct character representation. Тема, информация об авторских правах и комментарии - + Add Author Добавить Автора - + This author does not exist, do you want to add them? Этот автор не существует. Хотите добавить его? - + This author is already in the list. Такой автор уже присутсвует в списке. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Вы не выбрали подходящего автора. Выберите автора из списка, или введите нового автора и выберите "Добавить Автора к Песне", чтобы добавить нового автора. - + Add Topic Добавить Тему - + This topic does not exist, do you want to add it? Эта тема не существует. Хотите добавить её? - + This topic is already in the list. Такая тема уже присутсвует в списке. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Вы не выбрали подходящую тему. Выберите тему из списка, или введите новую тему и выберите "Добавить Тему к Песне", чтобы добавить новую тему. - + You need to type in a song title. Вы должны указать название песни. - + You need to type in at least one verse. Вы должны ввести по крайней мере один куплет. - + You need to have an author for this song. Вы должны добавить автора к этой песне. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Порядок куплетов указан неверно. Нет куплета, который бы соответсвовал %s. Правильными записями являютеся %s. - + Warning Предупреждение - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Вы не используете %s нигде в порядке куплетов. Вы уверены, что хотите сохранить песню в таком виде? - + Add Book Добавить Книгу - + This song book does not exist, do you want to add it? Этот сборник песен не существует. Хотите добавить его? @@ -5540,7 +5613,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5626,7 +5699,7 @@ The encoding is responsible for the correct character representation. Не выбрано место сохранения - + Starting export... Начинаю экспорт... @@ -5636,7 +5709,7 @@ The encoding is responsible for the correct character representation. Вы должны указать папку. - + Select Destination Folder Выберите целевую папку @@ -5664,7 +5737,7 @@ The encoding is responsible for the correct character representation. Этот Мастер поможет Вам импортировать песни из различных форматов. Выберите кнопку Далее чтобы начать процесс выбора формата для импорта. - + Generic Document/Presentation Общий формат или презентация @@ -5694,47 +5767,47 @@ The encoding is responsible for the correct character representation. Дождитесь, пока песни будут импортированы. - + OpenLP 2.0 Databases База данных OpenLP 2.0 - + openlp.org v1.x Databases База данных openlp.org v1.x - + Words Of Worship Song Files - + Select Document/Presentation Files Выберите файл документа или презентации - + You need to specify at least one document or presentation file to import from. Вы должны указать по крайней мере один документ или презентацию, чтобы осуществить импорт из них. - + Songs Of Fellowship Song Files Файлы песен Songs Of Fellowship - + SongBeamer Files Файлы SongBeamer - + SongShow Plus Song Files Файлы SongShow Plus - + Foilpresenter Song Files Foilpresenter Song Files @@ -5759,12 +5832,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5800,7 +5873,7 @@ The encoding is responsible for the correct character representation. Слова - + Are you sure you want to delete the %n selected song(s)? Вы уверены, что хотите удалить %n выбранную песню? @@ -5809,7 +5882,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: Лицензия CCLI: @@ -5819,7 +5892,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5875,12 +5948,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5916,7 +5989,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed. diff --git a/resources/i18n/sq.ts b/resources/i18n/sq.ts new file mode 100644 index 000000000..cdae79716 --- /dev/null +++ b/resources/i18n/sq.ts @@ -0,0 +1,6059 @@ + + + + AlertsPlugin + + + &Alert + + + + + Show an alert message. + + + + + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. + + + + + Alert + name singular + + + + + Alerts + name plural + + + + + Alerts + container title + + + + + AlertsPlugin.AlertForm + + + Alert Message + + + + + Alert &text: + + + + + &Parameter: + + + + + &New + + + + + &Save + + + + + Displ&ay + + + + + Display && Cl&ose + + + + + New Alert + + + + + You haven't specified any text for your alert. Please type in some text before clicking New. + + + + + No Parameter Found + + + + + You have not entered a parameter to be replaced. +Do you want to continue anyway? + + + + + No Placeholder Found + + + + + The alert text does not contain '<>'. +Do you want to continue anyway? + + + + + AlertsPlugin.AlertsManager + + + Alert message created and displayed. + + + + + AlertsPlugin.AlertsTab + + + Font + + + + + Font name: + + + + + Font color: + + + + + Background color: + + + + + Font size: + + + + + Alert timeout: + + + + + BiblesPlugin + + + &Bible + + + + + &Upgrade older Bibles + + + + + Upgrade the Bible databases to the latest format. + + + + + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. + + + + + Bible + name singular + + + + + Bibles + name plural + + + + + Bibles + container title + + + + + Import a Bible. + + + + + Add a new Bible. + + + + + Edit the selected Bible. + + + + + Delete the selected Bible. + + + + + Preview the selected Bible. + + + + + Send the selected Bible live. + + + + + Add the selected Bible to the service. + + + + + No Book Found + + + + + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. + + + + + BiblesPlugin.BibleManager + + + No Bibles Available + + + + + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. + + + + + Scripture Reference Error + + + + + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns: + +Book Chapter +Book Chapter-Chapter +Book Chapter:Verse-Verse +Book Chapter:Verse-Verse,Verse-Verse +Book Chapter:Verse-Verse,Chapter:Verse-Verse +Book Chapter:Verse-Chapter:Verse + + + + + Web Bible cannot be used + + + + + Text Search is not available with Web Bibles. + + + + + You did not enter a search keyword. +You can separate different keywords by a space to search for all of your keywords and you can separate them by a comma to search for one of them. + + + + + BiblesPlugin.BiblesTab + + + Verse Display + + + + + Only show new chapter numbers + + + + + Bible theme: + + + + + No Brackets + + + + + ( And ) + + + + + { And } + + + + + [ And ] + + + + + Note: +Changes do not affect verses already in the service. + + + + + Display second Bible verses + + + + + BiblesPlugin.BookNameDialog + + + Select Book Name + + + + + The following book name cannot be matched up internally. Please select the corresponding English name from the list. + + + + + Current name: + + + + + Corresponding name: + + + + + Show Books From + + + + + Old Testament + + + + + New Testament + + + + + Apocrypha + + + + + BiblesPlugin.BookNameForm + + + You need to select a book. + + + + + BiblesPlugin.CSVBible + + + Importing books... %s + + + + + Importing verses from %s... + Importing verses from <book name>... + + + + + Importing verses... done. + + + + + BiblesPlugin.HTTPBible + + + Registering Bible and loading books... + + + + + Registering Language... + + + + + Importing %s... + Importing <book name>... + + + + + Download Error + + + + + There was a problem downloading your verse selection. Please check your Internet connection, and if this error continues to occur please consider reporting a bug. + + + + + Parse Error + + + + + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. + + + + + BiblesPlugin.ImportWizardForm + + + Bible Import Wizard + + + + + This wizard will help you to import Bibles from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Web Download + + + + + Bible file: + + + + + Books file: + + + + + Verses file: + + + + + Location: + + + + + Crosswalk + + + + + BibleGateway + + + + + Bibleserver + + + + + Bible: + + + + + Download Options + + + + + Server: + + + + + Username: + + + + + Password: + + + + + Proxy Server (Optional) + + + + + License Details + + + + + Set up the Bible's license details. + + + + + Version name: + + + + + Copyright: + + + + + Permissions: + + + + + Please wait while your Bible is imported. + + + + + You need to specify a file with books of the Bible to use in the import. + + + + + You need to specify a file of Bible verses to import. + + + + + You need to specify a version name for your Bible. + + + + + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + + + + + Bible Exists + + + + + This Bible already exists. Please import a different Bible or first delete the existing one. + + + + + CSV File + + + + + openlp.org 1.x Bible Files + + + + + Registering Bible... + + + + + Registered Bible. Please note, that verses will be downloaded on +demand and thus an internet connection is required. + + + + + Your Bible import failed. + + + + + BiblesPlugin.LanguageDialog + + + Select Language + + + + + OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. + + + + + Language: + + + + + BiblesPlugin.LanguageForm + + + You need to choose a language. + + + + + BiblesPlugin.MediaItem + + + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? + + + + + Quick + + + + + Find: + + + + + Second: + + + + + Toggle to keep or clear the previous results. + + + + + Book: + + + + + Chapter: + + + + + Verse: + + + + + From: + + + + + To: + + + + + Scripture Reference + + + + + Text Search + + + + + Bible not fully loaded. + + + + + Information + + + + + The second Bible does not contain all the verses that are in the main Bible. Only verses found in both Bibles will be shown. %d verses have not been included in the results. + + + + + BiblesPlugin.Opensong + + + Importing %s %s... + Importing <book name> <chapter>... + + + + + BiblesPlugin.OsisImport + + + Detecting encoding (this may take a few minutes)... + + + + + Importing %s %s... + Importing <book name> <chapter>... + + + + + BiblesPlugin.UpgradeWizardForm + + + Select a Backup Directory + + + + + Bible Upgrade Wizard + + + + + This wizard will help you to upgrade your existing Bibles from a prior version of OpenLP 2. Click the next button below to start the upgrade process. + + + + + Select Backup Directory + + + + + Please select a backup directory for your Bibles + + + + + Previous releases of OpenLP 2.0 are unable to use upgraded Bibles. This will create a backup of your current Bibles so that you can simply copy the files back to your OpenLP data directory if you need to revert to a previous release of OpenLP. Instructions on how to restore the files can be found in our <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. + + + + + Please select a backup location for your Bibles. + + + + + Backup Directory: + + + + + There is no need to backup my Bibles + + + + + Select Bibles + + + + + Please select the Bibles to upgrade + + + + + Upgrading + + + + + Please wait while your Bibles are upgraded. + + + + + You need to specify a backup directory for your Bibles. + + + + + The backup was not successful. +To backup your Bibles you need permission to write to the given directory. + + + + + Starting upgrade... + + + + + There are no Bibles that need to be upgraded. + + + + + Upgrading Bible %s of %s: "%s" +Upgrading ... + + + + + Download Error + + + + + To upgrade your Web Bibles an Internet connection is required. + + + + + Upgrading Bible %s of %s: "%s" +Failed + + + + + Upgrading Bible %s of %s: "%s" +Upgrading %s ... + + + + + Upgrading Bible %s of %s: "%s" +Complete + + + + + , %s failed + + + + + Upgrading Bible(s): %s successful%s +Please note that verses from Web Bibles will be downloaded on demand and so an Internet connection is required. + + + + + Upgrading Bible(s): %s successful%s + + + + + Upgrade failed. + + + + + CustomPlugin + + + <strong>Custom Slide Plugin</strong><br />The custom slide plugin provides the ability to set up custom text slides that can be displayed on the screen the same way songs are. This plugin provides greater freedom over the songs plugin. + + + + + Custom Slide + name singular + + + + + Custom Slides + name plural + + + + + Custom Slides + container title + + + + + Load a new custom slide. + + + + + Import a custom slide. + + + + + Add a new custom slide. + + + + + Edit the selected custom slide. + + + + + Delete the selected custom slide. + + + + + Preview the selected custom slide. + + + + + Send the selected custom slide live. + + + + + Add the selected custom slide to the service. + + + + + CustomPlugin.CustomTab + + + Custom Display + + + + + Display footer + + + + + CustomPlugin.EditCustomForm + + + Edit Custom Slides + + + + + &Title: + + + + + Add a new slide at bottom. + + + + + Edit the selected slide. + + + + + Ed&it All + + + + + Edit all the slides at once. + + + + + The&me: + + + + + &Credits: + + + + + You need to type in a title. + + + + + You need to add at least one slide + + + + + Insert Slide + + + + + Split a slide into two by inserting a slide splitter. + + + + + CustomPlugin.MediaItem + + + Are you sure you want to delete the %n selected custom slides(s)? + + + + + + + ImagePlugin + + + <strong>Image Plugin</strong><br />The image plugin provides displaying of images.<br />One of the distinguishing features of this plugin is the ability to group a number of images together in the service manager, making the displaying of multiple images easier. This plugin can also make use of OpenLP's "timed looping" feature to create a slide show that runs automatically. In addition to this, images from the plugin can be used to override the current theme's background, which renders text-based items like songs with the selected image as a background instead of the background provided by the theme. + + + + + Image + name singular + + + + + Images + name plural + + + + + Images + container title + + + + + Load a new image. + + + + + Add a new image. + + + + + Edit the selected image. + + + + + Delete the selected image. + + + + + Preview the selected image. + + + + + Send the selected image live. + + + + + Add the selected image to the service. + + + + + ImagePlugin.ExceptionDialog + + + Select Attachment + + + + + ImagePlugin.MediaItem + + + Select Image(s) + + + + + You must select an image to delete. + + + + + Missing Image(s) + + + + + The following image(s) no longer exist: %s + + + + + The following image(s) no longer exist: %s +Do you want to add the other images anyway? + + + + + You must select an image to replace the background with. + + + + + There was no display item to amend. + + + + + There was a problem replacing your background, the image file "%s" no longer exists. + + + + + ImagesPlugin.ImageTab + + + Background Color + + + + + Default Color: + + + + + Provides border where image is not the correct dimensions for the screen when resized. + + + + + MediaPlugin + + + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. + + + + + Media + name singular + + + + + Media + name plural + + + + + Media + container title + + + + + Load new media. + + + + + Add new media. + + + + + Edit the selected media. + + + + + Delete the selected media. + + + + + Preview the selected media. + + + + + Send the selected media live. + + + + + Add the selected media to the service. + + + + + MediaPlugin.MediaItem + + + Select Media + + + + + Videos (%s);;Audio (%s);;%s (*) + + + + + You must select a media file to replace the background with. + + + + + There was no display item to amend. + + + + + There was a problem replacing your background, the media file "%s" no longer exists. + + + + + Missing Media File + + + + + The file %s no longer exists. + + + + + You must select a media file to delete. + + + + + Unsupported File + + + + + Automatic + + + + + Use Player: + + + + + MediaPlugin.MediaTab + + + Available Media Players + + + + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + + + + + OpenLP + + + Image Files + + + + + Information + + + + + Bible format has changed. +You have to upgrade your existing Bibles. +Should OpenLP upgrade now? + + + + + OpenLP.AboutForm + + + OpenLP <version><revision> - Open Source Lyrics Projection + +OpenLP is free church presentation software, or lyrics projection software, used to display slides of songs, Bible verses, videos, images, and even presentations (if Impress, PowerPoint or PowerPoint Viewer is installed) for church worship using a computer and a data projector. + +Find out more about OpenLP: http://openlp.org/ + +OpenLP is written and maintained by volunteers. If you would like to see more free Christian software being written, please consider contributing by using the button below. + + + + + Project Lead + %s + +Developers + %s + +Contributors + %s + +Testers + %s + +Packagers + %s + +Translators + Afrikaans (af) + %s + German (de) + %s + English, United Kingdom (en_GB) + %s + English, South Africa (en_ZA) + %s + Estonian (et) + %s + French (fr) + %s + Hungarian (hu) + %s + Japanese (ja) + %s + Norwegian Bokmål (nb) + %s + Dutch (nl) + %s + Portuguese, Brazil (pt_BR) + %s + Russian (ru) + %s + +Documentation + %s + +Built With + Python: http://www.python.org/ + Qt4: http://qt.nokia.com/ + PyQt4: http://www.riverbankcomputing.co.uk/software/pyqt/intro + Oxygen Icons: http://oxygen-icons.org/ + +Final Credit + "For God so loved the world that He gave + His one and only Son, so that whoever + believes in Him will not perish but inherit + eternal life." -- John 3:16 + + And last but not least, final credit goes to + God our Father, for sending His Son to die + on the cross, setting us free from sin. We + bring this software to you for free because + He has set us free. + + + + + Credits + + + + + Copyright © 2004-2011 %s +Portions copyright © 2004-2011 %s + + + + + 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; version 2 of the License. + + + + + 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 below for more details. + + + + + License + + + + + Contribute + + + + + build %s + + + + + OpenLP.AdvancedTab + + + Advanced + + + + + UI Settings + + + + + Number of recent files to display: + + + + + Remember active media manager tab on startup + + + + + Double-click to send items straight to live + + + + + Preview items when clicked in Media Manager + + + + + Expand new service items on creation + + + + + Enable application exit confirmation + + + + + Mouse Cursor + + + + + Hide mouse cursor when over display window + + + + + Default Image + + + + + Background color: + + + + + Click to select a color. + + + + + Image file: + + + + + Browse for an image file to display. + + + + + Revert to the default OpenLP logo. + + + + + Open File + + + + + OpenLP.ExceptionDialog + + + Error Occurred + + + + + Please enter a description of what you were doing to cause this error +(Minimum 20 characters) + + + + + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. + + + + + Send E-Mail + + + + + Save to File + + + + + Attach File + + + + + Description characters to enter : %s + + + + + OpenLP.ExceptionForm + + + Platform: %s + + + + + + **OpenLP Bug Report** +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + + + + + Save Crash Report + + + + + Text files (*.txt *.log *.text) + + + + + *OpenLP Bug Report* +Version: %s + +--- Details of the Exception. --- + +%s + + --- Exception Traceback --- +%s +--- System information --- +%s +--- Library Versions --- +%s + + Please add the information that bug reports are favoured written in English. + + + + + OpenLP.FileRenameForm + + + New File Name: + + + + + File Copy + + + + + File Rename + + + + + OpenLP.FirstTimeLanguageForm + + + Select Translation + + + + + Choose the translation you'd like to use in OpenLP. + + + + + Translation: + + + + + OpenLP.FirstTimeWizard + + + Downloading %s... + + + + + Setting Up And Downloading + + + + + Please wait while OpenLP is set up and your data is downloaded. + + + + + Setting Up + + + + + Download complete. Click the finish button to return to OpenLP. + + + + + Download complete. Click the finish button to start OpenLP. + + + + + Click the finish button to return to OpenLP. + + + + + Click the finish button to start OpenLP. + + + + + Enabling selected plugins... + + + + + First Time Wizard + + + + + Welcome to the First Time Wizard + + + + + This wizard will help you to configure OpenLP for initial use. Click the next button below to start. + + + + + Activate required Plugins + + + + + Select the Plugins you wish to use. + + + + + Songs + + + + + Custom Slides + + + + + Bible + + + + + Images + + + + + Presentations + + + + + Media (Audio and Video) + + + + + Allow remote access + + + + + Monitor Song Usage + + + + + Allow Alerts + + + + + No Internet Connection + + + + + Unable to detect an Internet connection. + + + + + No Internet connection was found. The First Time Wizard needs an Internet connection in order to be able to download sample songs, Bibles and themes. Press the Finish button now to start OpenLP with initial settings and no sample data. + +To re-run the First Time Wizard and import this sample data at a later time, check your Internet connection and re-run this wizard by selecting "Tools/Re-run First Time Wizard" from OpenLP. + + + + + + +To cancel the First Time Wizard completely (and not start OpenLP), press the Cancel button now. + + + + + Sample Songs + + + + + Select and download public domain songs. + + + + + Sample Bibles + + + + + Select and download free Bibles. + + + + + Sample Themes + + + + + Select and download sample themes. + + + + + Default Settings + + + + + Set up default settings to be used by OpenLP. + + + + + Default output display: + + + + + Select default theme: + + + + + Starting configuration process... + + + + + Finish + + + + + OpenLP.FormattingTagDialog + + + Configure Formatting Tags + + + + + Edit Selection + + + + + Save + + + + + Description + + + + + Tag + + + + + Start tag + + + + + End tag + + + + + Tag Id + + + + + Start HTML + + + + + End HTML + + + + + OpenLP.FormattingTagForm + + + Update Error + + + + + Tag "n" already defined. + + + + + New Tag + + + + + <HTML here> + + + + + </and here> + + + + + Tag %s already defined. + + + + + OpenLP.FormattingTags + + + Red + + + + + Black + + + + + Blue + + + + + Yellow + + + + + Green + + + + + Pink + + + + + Orange + + + + + Purple + + + + + White + + + + + Superscript + + + + + Subscript + + + + + Paragraph + + + + + Bold + + + + + Italics + + + + + Underline + + + + + Break + + + + + OpenLP.GeneralTab + + + General + + + + + Monitors + + + + + Select monitor for output display: + + + + + Display if a single screen + + + + + Application Startup + + + + + Show blank screen warning + + + + + Automatically open the last service + + + + + Show the splash screen + + + + + Check for updates to OpenLP + + + + + Application Settings + + + + + Prompt to save before starting a new service + + + + + Unblank display when adding new live item + + + + + Automatically preview next item in service + + + + + Enable slide wrap-around + + + + + Timed slide interval: + + + + + sec + + + + + CCLI Details + + + + + SongSelect username: + + + + + SongSelect password: + + + + + Display Position + + + + + Override display position + + + + + X + + + + + Y + + + + + Height + + + + + Width + + + + + Background Audio + + + + + Start background audio paused + + + + + OpenLP.LanguageManager + + + Language + + + + + Please restart OpenLP to use your new language setting. + + + + + OpenLP.MainDisplay + + + OpenLP Display + + + + + OpenLP.MainWindow + + + &File + + + + + &Import + + + + + &Export + + + + + &Recent Files + + + + + &View + + + + + M&ode + + + + + &Tools + + + + + &Settings + + + + + &Language + + + + + &Help + + + + + Media Manager + + + + + Service Manager + + + + + Theme Manager + + + + + &New + + + + + &Open + + + + + Open an existing service. + + + + + &Save + + + + + Save the current service to disk. + + + + + Save &As... + + + + + Save Service As + + + + + Save the current service under a new name. + + + + + Print the current service. + + + + + E&xit + + + + + Quit OpenLP + + + + + &Theme + + + + + Configure &Shortcuts... + + + + + Configure &Formatting Tags... + + + + + &Configure OpenLP... + + + + + Export OpenLP settings to a specified *.config file + + + + + Settings + + + + + Import OpenLP settings from a specified *.config file previously exported on this or another machine + + + + + &Media Manager + + + + + Toggle Media Manager + + + + + Toggle the visibility of the media manager. + + + + + &Theme Manager + + + + + Toggle Theme Manager + + + + + Toggle the visibility of the theme manager. + + + + + &Service Manager + + + + + Toggle Service Manager + + + + + Toggle the visibility of the service manager. + + + + + &Preview Panel + + + + + Toggle Preview Panel + + + + + Toggle the visibility of the preview panel. + + + + + &Live Panel + + + + + Toggle Live Panel + + + + + L&ock Panels + + + + + Prevent the panels being moved. + + + + + Toggle the visibility of the live panel. + + + + + &Plugin List + + + + + List the Plugins + + + + + &About + + + + + More information about OpenLP + + + + + &User Guide + + + + + &Online Help + + + + + &Web Site + + + + + Set the interface language to %s + + + + + &Autodetect + + + + + Use the system language, if available. + + + + + Add &Tool... + + + + + Add an application to the list of tools. + + + + + Open &Data Folder... + + + + + Open the folder where songs, bibles and other data resides. + + + + + Re-run First Time Wizard + + + + + Re-run the First Time Wizard, importing songs, Bibles and themes. + + + + + Update Theme Images + + + + + Update the preview images for all themes. + + + + + &Default + + + + + Set the view mode back to the default. + + + + + &Setup + + + + + Set the view mode to Setup. + + + + + &Live + + + + + Set the view mode to Live. + + + + + Version %s of OpenLP is now available for download (you are currently running version %s). + +You can download the latest version from http://openlp.org/. + + + + + OpenLP Version Updated + + + + + Re-run First Time Wizard? + + + + + Are you sure you want to re-run the First Time Wizard? + +Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. + + + + + OpenLP Main Display Blanked + + + + + The Main Display has been blanked out + + + + + Import settings? + + + + + Are you sure you want to import settings? + +Importing settings will make permanent changes to your current OpenLP configuration. + +Importing incorrect settings may cause erratic behaviour or OpenLP to terminate abnormally. + + + + + Open File + + + + + OpenLP Export Settings Files (*.conf) + + + + + Import settings + + + + + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. + + + + + Export Settings File + + + + + OpenLP Export Settings File (*.conf) + + + + + Close OpenLP + + + + + Are you sure you want to close OpenLP? + + + + + Default Theme: %s + + + + + Clear List + Clear List of recent files + + + + + Clear the list of recent files. + + + + + English + Please add the name of your language here + + + + + OpenLP.Manager + + + Database Error + + + + + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. + +Database: %s + + + + + OpenLP cannot load your database. + +Database: %s + + + + + OpenLP.MediaManagerItem + + + No Items Selected + + + + + &Add to selected Service Item + + + + + Invalid File Type + + + + + Invalid File %s. +Suffix not supported + + + + + Duplicate files were found on import and were ignored. + + + + + You must select one or more items to preview. + + + + + You must select one or more items to send live. + + + + + You must select one or more items to add. + + + + + You must select one or more items. + + + + + You must select an existing service item to add to. + + + + + Invalid Service Item + + + + + You must select a %s service item. + + + + + No Search Results + + + + + &Clone + + + + + OpenLP.PluginForm + + + Plugin List + + + + + Plugin Details + + + + + Status: + + + + + Active + + + + + Inactive + + + + + %s (Disabled) + + + + + %s (Active) + + + + + %s (Inactive) + + + + + OpenLP.PrintServiceDialog + + + Fit Page + + + + + Fit Width + + + + + OpenLP.PrintServiceForm + + + Print + + + + + Copy + + + + + Copy as HTML + + + + + Zoom Out + + + + + Zoom Original + + + + + Zoom In + + + + + Options + + + + + Title: + + + + + Custom Footer Text: + + + + + Other Options + + + + + Include slide text if available + + + + + Add page break before each text item + + + + + Include service item notes + + + + + Include play length of media items + + + + + Service Sheet + + + + + OpenLP.ScreenList + + + Screen + + + + + primary + + + + + OpenLP.ServiceItem + + + <strong>Start</strong>: %s + + + + + <strong>Length</strong>: %s + + + + + OpenLP.ServiceItemEditForm + + + Reorder Service Item + + + + + OpenLP.ServiceManager + + + Custom Service Notes: + + + + + Notes: + + + + + Playing time: + + + + + Load an existing service. + + + + + Save this service. + + + + + Select a theme for the service. + + + + + Move to &top + + + + + Move item to the top of the service. + + + + + Move &up + + + + + Move item up one position in the service. + + + + + Move &down + + + + + Move item down one position in the service. + + + + + Move to &bottom + + + + + Move item to the end of the service. + + + + + Moves the selection down the window. + + + + + Move up + + + + + Moves the selection up the window. + + + + + &Delete From Service + + + + + Delete the selected item from the service. + + + + + &Expand all + + + + + Expand all the service items. + + + + + &Collapse all + + + + + Collapse all the service items. + + + + + Go Live + + + + + Send the selected item to Live. + + + + + &Add New Item + + + + + &Add to Selected Item + + + + + &Edit Item + + + + + &Reorder Item + + + + + &Notes + + + + + &Start Time + + + + + Show &Preview + + + + + Show &Live + + + + + &Change Item Theme + + + + + Untitled Service + + + + + Open File + + + + + OpenLP Service Files (*.osz) + + + + + Modified Service + + + + + The current service has been modified. Would you like to save this service? + + + + + Service File Missing + + + + + File is not a valid service. +The content encoding is not UTF-8. + + + + + File is not a valid service. + + + + + File could not be opened because it is corrupt. + + + + + Empty File + + + + + This service file does not contain any data. + + + + + Corrupt File + + + + + This file is either corrupt or it is not an OpenLP 2.0 service file. + + + + + Slide theme + + + + + Notes + + + + + Missing Display Handler + + + + + Your item cannot be displayed as there is no handler to display it + + + + + Your item cannot be displayed as the plugin required to display it is missing or inactive + + + + + Edit + + + + + Service copy only + + + + + OpenLP.ServiceNoteForm + + + Service Item Notes + + + + + OpenLP.SettingsForm + + + Configure OpenLP + + + + + OpenLP.ShortcutListDialog + + + Configure Shortcuts + + + + + Select an action and click one of the buttons below to start capturing a new primary or alternate shortcut, respectively. + + + + + Action + + + + + Shortcut + + + + + Alternate + + + + + Default + + + + + Custom + + + + + Capture shortcut. + + + + + Restore the default shortcut of this action. + + + + + Restore Default Shortcuts + + + + + Do you want to restore all shortcuts to their defaults? + + + + + Duplicate Shortcut + + + + + The shortcut "%s" is already assigned to another action, please use a different shortcut. + + + + + OpenLP.SlideController + + + Move to previous. + + + + + Move to next. + + + + + Hide + + + + + Blank Screen + + + + + Blank to Theme + + + + + Show Desktop + + + + + Play Slides + + + + + Delay between slides in seconds. + + + + + Move to live. + + + + + Add to Service. + + + + + Edit and reload song preview. + + + + + Start playing media. + + + + + Go To + + + + + Pause audio. + + + + + Previous Service + + + + + Next Service + + + + + Escape Item + + + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + + + + OpenLP.SpellTextEdit + + + Language: + + + + + Spelling Suggestions + + + + + Formatting Tags + + + + + OpenLP.StartTimeForm + + + Item Start and Finish Time + + + + + Hours: + + + + + Minutes: + + + + + Seconds: + + + + + Start + + + + + Finish + + + + + Length + + + + + Time Validation Error + + + + + Finish time is set after the end of the media item + + + + + Start time is after the finish time of the media item + + + + + Theme Layout + + + + + The blue box shows the main area. + + + + + The red box shows the footer. + + + + + OpenLP.ThemeForm + + + (approximately %d lines per slide) + + + + + Select Image + + + + + Theme Name Missing + + + + + There is no name for this theme. Please enter one. + + + + + Theme Name Invalid + + + + + Invalid theme name. Please enter one. + + + + + OpenLP.ThemeManager + + + Create a new theme. + + + + + Edit Theme + + + + + Edit a theme. + + + + + Delete Theme + + + + + Delete a theme. + + + + + Import Theme + + + + + Import a theme. + + + + + Export Theme + + + + + Export a theme. + + + + + &Edit Theme + + + + + &Copy Theme + + + + + &Rename Theme + + + + + &Delete Theme + + + + + Set As &Global Default + + + + + &Export Theme + + + + + %s (default) + + + + + You must select a theme to rename. + + + + + Rename Confirmation + + + + + Rename %s theme? + + + + + Copy of %s + Copy of <theme name> + + + + + You must select a theme to edit. + + + + + You must select a theme to delete. + + + + + Delete Confirmation + + + + + Delete %s theme? + + + + + You have not selected a theme. + + + + + Save Theme - (%s) + + + + + Theme Exported + + + + + Your theme has been successfully exported. + + + + + Theme Export Failed + + + + + Your theme could not be exported due to an error. + + + + + Select Theme Import File + + + + + OpenLP Themes (*.theme *.otz) + + + + + Validation Error + + + + + File is not a valid theme. + + + + + A theme with this name already exists. + + + + + You are unable to delete the default theme. + + + + + Theme %s is used in the %s plugin. + + + + + OpenLP.ThemeWizard + + + Edit Theme - %s + + + + + Theme Wizard + + + + + Welcome to the Theme Wizard + + + + + This wizard will help you to create and edit your themes. Click the next button below to start the process by setting up your background. + + + + + Set Up Background + + + + + Set up your theme's background according to the parameters below. + + + + + Background type: + + + + + Solid Color + + + + + Gradient + + + + + Color: + + + + + Gradient: + + + + + Horizontal + + + + + Vertical + + + + + Circular + + + + + Top Left - Bottom Right + + + + + Bottom Left - Top Right + + + + + Main Area Font Details + + + + + Define the font and display characteristics for the Display text + + + + + Font: + + + + + Size: + + + + + Line Spacing: + + + + + &Outline: + + + + + &Shadow: + + + + + Bold + + + + + Italic + + + + + Footer Area Font Details + + + + + Define the font and display characteristics for the Footer text + + + + + Text Formatting Details + + + + + Allows additional display formatting information to be defined + + + + + Horizontal Align: + + + + + Left + + + + + Right + + + + + Center + + + + + Justify + + + + + Transitions: + + + + + Output Area Locations + + + + + Allows you to change and move the main and footer areas. + + + + + &Main Area + + + + + &Use default location + + + + + X position: + + + + + px + + + + + Y position: + + + + + Width: + + + + + Height: + + + + + &Footer Area + + + + + Use default location + + + + + Layout Preview + + + + + Save and Preview + + + + + View the theme and save it replacing the current one or change the name to create a new theme + + + + + Theme name: + + + + + Starting color: + + + + + Ending color: + + + + + Background color: + + + + + OpenLP.ThemesTab + + + Themes + + + + + Global Theme + + + + + Theme Level + + + + + S&ong Level + + + + + Use the theme from each song in the database. If a song doesn't have a theme associated with it, then use the service's theme. If the service doesn't have a theme, then use the global theme. + + + + + &Service Level + + + + + Use the theme from the service, overriding any of the individual songs' themes. If the service doesn't have a theme, then use the global theme. + + + + + &Global Level + + + + + Use the global theme, overriding any themes associated with either the service or the songs. + + + + + OpenLP.Ui + + + About + + + + + &Add + + + + + Advanced + + + + + All Files + + + + + Bottom + + + + + Browse... + + + + + Cancel + + + + + CCLI number: + + + + + Create a new service. + + + + + Confirm Delete + + + + + Continuous + + + + + Default + + + + + &Delete + + + + + Display style: + + + + + Duplicate Error + + + + + &Edit + + + + + Empty Field + + + + + Error + + + + + Export + + + + + File + + + + + pt + Abbreviated font pointsize unit + + + + + Help + + + + + h + The abbreviated unit for hours + + + + + Image + + + + + Import + + + + + Layout style: + + + + + Live + + + + + Live Background Error + + + + + Live Toolbar + + + + + Load + + + + + m + The abbreviated unit for minutes + + + + + Middle + + + + + New + + + + + New Service + + + + + New Theme + + + + + No File Selected + Singular + + + + + No Files Selected + Plural + + + + + No Item Selected + Singular + + + + + No Items Selected + Plural + + + + + openlp.org 1.x + + + + + OpenLP 2.0 + + + + + OpenLP is already running. Do you wish to continue? + + + + + Open service. + + + + + Play Slides in Loop + + + + + Play Slides to End + + + + + Preview + + + + + Print Service + + + + + Replace Background + + + + + Replace live background. + + + + + Reset Background + + + + + Reset live background. + + + + + s + The abbreviated unit for seconds + + + + + Save && Preview + + + + + Search + + + + + You must select an item to delete. + + + + + You must select an item to edit. + + + + + Settings + + + + + Save Service + + + + + Service + + + + + &Split + + + + + Split a slide into two only if it does not fit on the screen as one slide. + + + + + Start %s + + + + + Stop Play Slides in Loop + + + + + Stop Play Slides to End + + + + + Theme + Singular + + + + + Themes + Plural + + + + + Tools + + + + + Top + + + + + Unsupported File + + + + + Verse Per Slide + + + + + Verse Per Line + + + + + Version + + + + + View + + + + + View Mode + + + + + Delete the selected item. + + + + + Move selection up one position. + + + + + Move selection down one position. + + + + + &Vertical Align: + + + + + Finished import. + + + + + Format: + + + + + Importing + + + + + Importing "%s"... + + + + + Select Import Source + + + + + Select the import format and the location to import from. + + + + + The openlp.org 1.x importer has been disabled due to a missing Python module. If you want to use this importer, you will need to install the "python-sqlite" module. + + + + + Open %s File + + + + + %p% + + + + + Ready. + + + + + Starting import... + + + + + You need to specify at least one %s file to import from. + A file type e.g. OpenSong + + + + + Welcome to the Bible Import Wizard + + + + + Welcome to the Bible Upgrade Wizard + + + + + Welcome to the Song Export Wizard + + + + + Welcome to the Song Import Wizard + + + + + Author + Singular + + + + + Authors + Plural + + + + + © + Copyright symbol. + + + + + Song Book + Singular + + + + + Song Books + Plural + + + + + Title and/or verses not found + + + + + Song Maintenance + + + + + Topic + Singular + + + + + Topics + Plural + + + + + XML syntax error + + + + + PresentationPlugin + + + <strong>Presentation Plugin</strong><br />The presentation plugin provides the ability to show presentations using a number of different programs. The choice of available presentation programs is available to the user in a drop down box. + + + + + Presentation + name singular + + + + + Presentations + name plural + + + + + Presentations + container title + + + + + Load a new presentation. + + + + + Delete the selected presentation. + + + + + Preview the selected presentation. + + + + + Send the selected presentation live. + + + + + Add the selected presentation to the service. + + + + + PresentationPlugin.MediaItem + + + Select Presentation(s) + + + + + Automatic + + + + + Present using: + + + + + Presentations (%s) + + + + + File Exists + + + + + A presentation with that filename already exists. + + + + + This type of presentation is not supported. + + + + + Missing Presentation + + + + + The Presentation %s is incomplete, please reload. + + + + + The Presentation %s no longer exists. + + + + + PresentationPlugin.PresentationTab + + + Available Controllers + + + + + %s (unavailable) + + + + + Allow presentation application to be overriden + + + + + RemotePlugin + + + <strong>Remote Plugin</strong><br />The remote plugin provides the ability to send messages to a running version of OpenLP on a different computer via a web browser or through the remote API. + + + + + Remote + name singular + + + + + Remotes + name plural + + + + + Remote + container title + + + + + RemotePlugin.Mobile + + + OpenLP 2.0 Remote + + + + + OpenLP 2.0 Stage View + + + + + Service Manager + + + + + Slide Controller + + + + + Alerts + + + + + Search + + + + + Back + + + + + Refresh + + + + + Blank + + + + + Show + + + + + Prev + + + + + Next + + + + + Text + + + + + Show Alert + + + + + Go Live + + + + + Add to Service + + + + + No Results + + + + + Options + + + + + RemotePlugin.RemoteTab + + + Server Settings + + + + + Serve on IP address: + + + + + Port number: + + + + + Remote URL: + + + + + Stage view URL: + + + + + Display stage time in 12h format + + + + + SongUsagePlugin + + + &Song Usage Tracking + + + + + &Delete Tracking Data + + + + + Delete song usage data up to a specified date. + + + + + &Extract Tracking Data + + + + + Generate a report on song usage. + + + + + Toggle Tracking + + + + + Toggle the tracking of song usage. + + + + + Song Usage + + + + + Song usage tracking is active. + + + + + Song usage tracking is inactive. + + + + + display + + + + + printed + + + + + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. + + + + + SongUsage + name singular + + + + + SongUsage + name plural + + + + + SongUsage + container title + + + + + SongUsagePlugin.SongUsageDeleteForm + + + Delete Song Usage Data + + + + + Select the date up to which the song usage data should be deleted. All data recorded before this date will be permanently deleted. + + + + + Delete Selected Song Usage Events? + + + + + Are you sure you want to delete selected Song Usage data? + + + + + Deletion Successful + + + + + All requested data has been deleted successfully. + + + + + SongUsagePlugin.SongUsageDetailForm + + + Song Usage Extraction + + + + + Select Date Range + + + + + to + + + + + Report Location + + + + + Output File Location + + + + + Output Path Not Selected + + + + + You have not set a valid output location for your song usage report. Please select an existing path on your computer. + + + + + usage_detail_%s_%s.txt + + + + + Report Creation + + + + + Report +%s +has been successfully created. + + + + + SongsPlugin + + + Arabic (CP-1256) + + + + + Baltic (CP-1257) + + + + + Central European (CP-1250) + + + + + Cyrillic (CP-1251) + + + + + Greek (CP-1253) + + + + + Hebrew (CP-1255) + + + + + Japanese (CP-932) + + + + + Korean (CP-949) + + + + + Simplified Chinese (CP-936) + + + + + Thai (CP-874) + + + + + Traditional Chinese (CP-950) + + + + + Turkish (CP-1254) + + + + + Vietnam (CP-1258) + + + + + Western European (CP-1252) + + + + + Character Encoding + + + + + The codepage setting is responsible +for the correct character representation. +Usually you are fine with the preselected choice. + + + + + Please choose the character encoding. +The encoding is responsible for the correct character representation. + + + + + &Song + + + + + Import songs using the import wizard. + + + + + Exports songs using the export wizard. + + + + + &Re-index Songs + + + + + Re-index the songs database to improve searching and ordering. + + + + + Reindexing songs... + + + + + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. + + + + + Song + name singular + + + + + Songs + name plural + + + + + Songs + container title + + + + + Add a new song. + + + + + Edit the selected song. + + + + + Delete the selected song. + + + + + Preview the selected song. + + + + + Send the selected song live. + + + + + Add the selected song to the service. + + + + + SongsPlugin.AuthorsForm + + + Author Maintenance + + + + + Display name: + + + + + First name: + + + + + Last name: + + + + + You need to type in the first name of the author. + + + + + You need to type in the last name of the author. + + + + + You have not set a display name for the author, combine the first and last names? + + + + + SongsPlugin.CCLIFileImport + + + The file does not have a valid extension. + + + + + SongsPlugin.EasyWorshipSongImport + + + Administered by %s + + + + + +[above are Song Tags with notes imported from + EasyWorship] + + + + + SongsPlugin.EditSongForm + + + Song Editor + + + + + &Title: + + + + + Alt&ernate title: + + + + + &Lyrics: + + + + + &Verse order: + + + + + Ed&it All + + + + + Title && Lyrics + + + + + &Add to Song + + + + + &Remove + + + + + &Manage Authors, Topics, Song Books + + + + + A&dd to Song + + + + + R&emove + + + + + Book: + + + + + Number: + + + + + Authors, Topics && Song Book + + + + + New &Theme + + + + + Copyright Information + + + + + Comments + + + + + Theme, Copyright Info && Comments + + + + + Linked Audio + + + + + Add &File(s) + + + + + Add &Media + + + + + Remove &All + + + + + Add Author + + + + + This author does not exist, do you want to add them? + + + + + This author is already in the list. + + + + + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. + + + + + Add Topic + + + + + This topic does not exist, do you want to add it? + + + + + This topic is already in the list. + + + + + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. + + + + + You need to type in a song title. + + + + + You need to type in at least one verse. + + + + + You need to have an author for this song. + + + + + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. + + + + + Warning + + + + + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? + + + + + Add Book + + + + + This song book does not exist, do you want to add it? + + + + + Open File(s) + + + + + You need to type some text in to the verse. + + + + + SongsPlugin.EditVerseForm + + + Edit Verse + + + + + &Verse type: + + + + + &Insert + + + + + Split a slide into two by inserting a verse splitter. + + + + + SongsPlugin.ExportWizardForm + + + Song Export Wizard + + + + + This wizard will help to export your songs to the open and free <strong>OpenLyrics</strong> worship song format. + + + + + Select Songs + + + + + Check the songs you want to export. + + + + + Uncheck All + + + + + Check All + + + + + Select Directory + + + + + Select the directory where you want the songs to be saved. + + + + + Directory: + + + + + Exporting + + + + + Please wait while your songs are exported. + + + + + You need to add at least one Song to export. + + + + + No Save Location specified + + + + + You need to specify a directory. + + + + + Starting export... + + + + + Select Destination Folder + + + + + SongsPlugin.ImportWizardForm + + + Song Import Wizard + + + + + This wizard will help you to import songs from a variety of formats. Click the next button below to start the process by selecting a format to import from. + + + + + Generic Document/Presentation + + + + + Filename: + + + + + Add Files... + + + + + Remove File(s) + + + + + The OpenLyrics importer has not yet been developed, but as you can see, we are still intending to do so. Hopefully it will be in the next release. + + + + + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. + + + + + Please wait while your songs are imported. + + + + + Copy + + + + + Save to File + + + + + You need to specify at least one document or presentation file to import from. + + + + + OpenLP 2.0 Databases + + + + + openlp.org v1.x Databases + + + + + Words Of Worship Song Files + + + + + Songs Of Fellowship Song Files + + + + + Select Document/Presentation Files + + + + + SongBeamer Files + + + + + SongShow Plus Song Files + + + + + Foilpresenter Song Files + + + + + OpenLyrics or OpenLP 2.0 Exported Song + + + + + OpenLyrics Files + + + + + SongsPlugin.MediaFilesForm + + + Select Media File(s) + + + + + Select one or more audio files from the list below, and click OK to import them into this song. + + + + + SongsPlugin.MediaItem + + + Titles + + + + + Maintain the lists of authors, topics and books. + + + + + Entire Song + + + + + Lyrics + + + + + Are you sure you want to delete the %n selected song(s)? + + + + + + + copy + For song cloning + + + + + CCLI License: + + + + + SongsPlugin.OpenLP1SongImport + + + Not a valid openlp.org 1.x song database. + + + + + SongsPlugin.OpenLPSongImport + + + Not a valid OpenLP 2.0 song database. + + + + + SongsPlugin.OpenLyricsExport + + + Exporting "%s"... + + + + + SongsPlugin.SongBookForm + + + Song Book Maintenance + + + + + &Name: + + + + + &Publisher: + + + + + You need to type in a name for the book. + + + + + SongsPlugin.SongExportForm + + + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. + + + + + Your song export failed. + + + + + SongsPlugin.SongImport + + + Cannot access OpenOffice or LibreOffice + + + + + Unable to open file + + + + + File not found + + + + + copyright + + + + + The following songs could not be imported: + + + + + SongsPlugin.SongImportForm + + + Your song import failed. + + + + + SongsPlugin.SongMaintenanceForm + + + Could not add your author. + + + + + This author already exists. + + + + + Could not add your topic. + + + + + This topic already exists. + + + + + Could not add your book. + + + + + This book already exists. + + + + + Could not save your changes. + + + + + The author %s already exists. Would you like to make songs with author %s use the existing author %s? + + + + + Could not save your modified author, because the author already exists. + + + + + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? + + + + + Could not save your modified topic, because it already exists. + + + + + The book %s already exists. Would you like to make songs with book %s use the existing book %s? + + + + + Delete Author + + + + + Are you sure you want to delete the selected author? + + + + + This author cannot be deleted, they are currently assigned to at least one song. + + + + + Delete Topic + + + + + Are you sure you want to delete the selected topic? + + + + + This topic cannot be deleted, it is currently assigned to at least one song. + + + + + Delete Book + + + + + Are you sure you want to delete the selected book? + + + + + This book cannot be deleted, it is currently assigned to at least one song. + + + + + SongsPlugin.SongsTab + + + Songs Mode + + + + + Enable search as you type + + + + + Display verses on live tool bar + + + + + Update service from song edit + + + + + Add missing songs when opening service + + + + + SongsPlugin.TopicsForm + + + Topic Maintenance + + + + + Topic name: + + + + + You need to type in a topic name. + + + + + SongsPlugin.VerseType + + + Verse + + + + + Chorus + + + + + Bridge + + + + + Pre-Chorus + + + + + Intro + + + + + Ending + + + + + Other + + + + diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 7f95b4dac..5edb1386d 100644 --- a/resources/i18n/sv.ts +++ b/resources/i18n/sv.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Meddelande - + Show an alert message. Visa ett publikt meddelande. - + Alert name singular Meddelande - + Alerts name plural Meddelanden - + Alerts container title Meddelanden - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Meddelandemodul</strong><br />Meddelandemodulen kontrollerar visningen av publika meddelanden på visningsskärmen. @@ -119,32 +119,32 @@ Vill du fortsätta ändå? AlertsPlugin.AlertsTab - + Font Teckensnitt - + Font name: Teckensnitt: - + Font color: Teckenfärg: - + Background color: Bakgrundsfärg: - + Font size: Teckenstorlek: - + Alert timeout: Visningstid: @@ -152,24 +152,24 @@ Vill du fortsätta ändå? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Biblar - + Bibles container title Biblar @@ -185,52 +185,52 @@ Vill du fortsätta ändå? Ingen bok hittades i vald bibel. Kontrollera stavningen av bokens namn. - + Import a Bible. Importera en bibelöversättning. - + Add a new Bible. Lägg till en ny bibel. - + Edit the selected Bible. Redigera vald bibel. - + Delete the selected Bible. Ta bort vald bibel. - + Preview the selected Bible. Förhandsgranska bibeltexten. - + Send the selected Bible live. Visa bibeltexten live. - + Add the selected Bible to the service. Lägg till bibeltexten i körschemat. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibelmodul</strong><br />Bibelmodulen gör det möjligt att visa bibelverser från olika översättningar under gudstjänsten. - + &Upgrade older Bibles &Uppgradera äldre biblar - + Upgrade the Bible databases to the latest format. Uppgradera bibeldatabasen till det senaste formatet. @@ -393,18 +393,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s Importerar böcker... %s - + Importing verses from %s... Importing verses from <book name>... Importerar verser från %s... - + Importing verses... done. Importerar verser... klart. @@ -734,12 +734,12 @@ vid behov, och därför behövs en Internetanslutning. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Analyserar kodning (detta kan ta några minuter)... - + Importing %s %s... Importing <book name> <chapter>... Importerar %s %s... @@ -1017,12 +1017,12 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där &Erkännande: - + You need to type in a title. Du måste ange en titel. - + You need to add at least one slide Du måste lägga till minst en diabild @@ -1112,7 +1112,7 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där ImagePlugin.ExceptionDialog - + Select Attachment Välj bilaga @@ -1183,60 +1183,60 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Mediamodul</strong><br />Mediamodulen gör det möjligt att spela upp ljud och video. - + Media name singular Media - + Media name plural Media - + Media container title Media - + Load new media. Ladda en ny mediafil. - + Add new media. Lägg till media. - + Edit the selected media. Redigera den valda mediaposten. - + Delete the selected media. Ta bort den valda mediaposten. - + Preview the selected media. Förhandsgranska den valda mediaposten. - + Send the selected media live. Visa den valda mediaposten live. - + Add the selected media to the service. Lägg till den valda mediaposten i körschemat. @@ -1244,67 +1244,92 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin.MediaItem - + Select Media Välj media - + You must select a media file to delete. Du måste välja en mediafil för borttagning. - + Missing Media File Mediafil saknas - + The file %s no longer exists. Filen %s finns inte längre. - + You must select a media file to replace the background with. Du måste välja en mediafil att ersätta bakgrunden med. - + There was a problem replacing your background, the media file "%s" no longer exists. Det uppstod problem när bakgrunden skulle ersättas: mediafilen "%s" finns inte längre. - + Videos (%s);;Audio (%s);;%s (*) Videor (%s);;Ljud (%s);;%s (*) - + There was no display item to amend. Det fanns ingen visningspost att ändra. - - File Too Big - Fil för stor + + Unsupported File + Okänd filtyp - - The file you are trying to load is too big. Please reduce it to less than 50MiB. - Filen du försöker ladda är för stor. Maxstorleken är 50 MiB. + + Automatic + Automatiskt + + + + Use Player: + MediaPlugin.MediaTab - - Media Display - Mediavisning + + Available Media Players + - - Use Phonon for video playback - Använd Phonon för videouppspelning + + %s (unavailable) + %s (inte tillgängligt) + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden + @@ -1315,12 +1340,12 @@ Vill du lägga till dom andra bilderna ändå? Bildfiler - + Information Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1602,39 +1627,39 @@ Del-copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. Hoppsan! OpenLP stötte på ett problem som inte hanterades. Texten i rutan nedan innehåller information som kan vara användbar för utvecklarna av OpenLP, så e-posta den gärna till bugs@openlp.org, tillsammans med en detaljerad beskrivning av vad du gjorde när problemet uppstod. - + Error Occurred Fel uppstod - + Send E-Mail Skicka e-post - + Save to File Spara till fil - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) Skriv gärna en beskrivning av vad du gjorde för att få det här felet (minst 20 tecken) - + Attach File Lägg till fil - + Description characters to enter : %s Beskrivningstecken att ange: %s @@ -1642,24 +1667,24 @@ Del-copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s Plattform: %s - + Save Crash Report Spara kraschrapport - + Text files (*.txt *.log *.text) Textfiler (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1690,7 +1715,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2287,7 +2312,7 @@ För att avbryta kom igång-guiden helt (och inte starta OpenLP), klicka Avbryt OpenLP.MainDisplay - + OpenLP Display OpenLP-visning @@ -2295,287 +2320,287 @@ För att avbryta kom igång-guiden helt (och inte starta OpenLP), klicka Avbryt OpenLP.MainWindow - + &File &Arkiv - + &Import &Importera - + &Export &Exportera - + &View &Visa - + M&ode &Läge - + &Tools &Verktyg - + &Settings &Inställningar - + &Language &Språk - + &Help &Hjälp - + Media Manager Mediahanterare - + Service Manager Körschema - + Theme Manager Temahanterare - + &New &Nytt - + &Open &Öppna - + Open an existing service. Öppna ett befintligt körschema. - + &Save &Spara - + Save the current service to disk. Spara det nuvarande körschemat till disk. - + Save &As... Spara s&om... - + Save Service As Spara körschema som - + Save the current service under a new name. Spara det nuvarande körschemat under ett nytt namn. - + E&xit A&vsluta - + Quit OpenLP Avsluta OpenLP - + &Theme &Tema - + &Configure OpenLP... &Konfigurera OpenLP... - + &Media Manager &Mediahanterare - + Toggle Media Manager Växla mediahanterare - + Toggle the visibility of the media manager. Växla visning av mediahanteraren. - + &Theme Manager &Temahanterare - + Toggle Theme Manager Växla temahanteraren - + Toggle the visibility of the theme manager. Växla visning av temahanteraren. - + &Service Manager &Körschema - + Toggle Service Manager Växla körschema - + Toggle the visibility of the service manager. Växla visning av körschemat. - + &Preview Panel &Förhandsgranskningpanel - + Toggle Preview Panel Växla förhandsgranskning - + Toggle the visibility of the preview panel. Växla visning av förhandsgranskning. - + &Live Panel Li&ve - + Toggle Live Panel Växla live-rutan - + Toggle the visibility of the live panel. Växla visning av live-rutan. - + &Plugin List &Modullista - + List the Plugins Lista modulerna - + &User Guide &Bruksanvisning - + &About &Om - + More information about OpenLP Mer information om OpenLP - + &Online Help &Hjälp online - + &Web Site &Webbplats - + Use the system language, if available. Använd systemspråket om möjligt. - + Set the interface language to %s Sätt användargränssnittets språk till %s - + Add &Tool... Lägg till &verktyg... - + Add an application to the list of tools. Lägg till en applikation i verktygslistan. - + &Default &Standard - + Set the view mode back to the default. Återställ visningslayouten till standardinställningen. - + &Setup &Förberedelse - + Set the view mode to Setup. Ställ in visningslayouten förberedelseläge. - + &Live &Live - + Set the view mode to Live. Ställ in visningslayouten till live-läge. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. @@ -2584,22 +2609,22 @@ You can download the latest version from http://openlp.org/. Du kan ladda ner den senaste versionen från http://openlp.org/. - + OpenLP Version Updated Ny version av OpenLP - + OpenLP Main Display Blanked OpenLPs huvudbild släckt - + The Main Display has been blanked out Huvudbilden har släckts - + Default Theme: %s Standardtema: %s @@ -2610,77 +2635,77 @@ Du kan ladda ner den senaste versionen från http://openlp.org/. Svenska - + Configure &Shortcuts... Konfigurera &genvägar... - + Close OpenLP Avsluta OpenLP - + Are you sure you want to close OpenLP? Är du säker på att du vill avsluta OpenLP? - + Open &Data Folder... Öppna &datamapp... - + Open the folder where songs, bibles and other data resides. Öppna mappen där sånger, biblar och annan data lagras. - + &Autodetect Detektera &automatiskt - + Update Theme Images Uppdatera temabilder - + Update the preview images for all themes. Uppdatera förhandsgranskningsbilder för alla teman. - + Print the current service. Skriv ut den nuvarande körschemat. - + L&ock Panels L&ås paneler - + Prevent the panels being moved. Förhindra att panelerna flyttas. - + Re-run First Time Wizard Kör kom igång-guiden - + Re-run the First Time Wizard, importing songs, Bibles and themes. Kör kom igång-guiden och importera sånger, biblar och teman. - + Re-run First Time Wizard? Kör kom igång-guiden? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. @@ -2689,48 +2714,48 @@ Re-running this wizard may make changes to your current OpenLP configuration and Om du kör den här guiden kan din nuvarande konfiguration av OpenLP komma att ändras, sånger eventuellt läggas till din befintliga sånglista, och standardtemat bytas. - + &Recent Files Senaste &körscheman - + Clear List Clear List of recent files Rensa listan - + Clear the list of recent files. Rensa listan med senaste körscheman. - + Configure &Formatting Tags... Konfigurera &format-taggar... - + Export OpenLP settings to a specified *.config file Exportera OpenLP-inställningar till en given *.config-fil - + Settings Inställningar - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Importera OpenLP-inställningar från en given *.config-fil som tidigare har exporterats på den här datorn eller någon annan - + Import settings? Importera inställningar? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2743,32 +2768,32 @@ Om du importerar inställningar görs ändringar i din nuvarande OpenLP-konfigur Att importera inställningar kan leda till oväntade beteenden eller att OpenLP avslutas onormalt. - + Open File Öppna fil - + OpenLP Export Settings Files (*.conf) OpenLP-inställningsfiler (*.conf) - + Import settings Importera inställningar - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP kommer nu att avslutas. Importerade inställningar kommer att tillämpas nästa gång du startar OpenLP. - + Export Settings File Exportera inställningsfil - + OpenLP Export Settings File (*.conf) OpenLP-inställningsfiler (*.conf) @@ -2776,12 +2801,12 @@ Att importera inställningar kan leda till oväntade beteenden eller att OpenLP OpenLP.Manager - + Database Error Databasfel - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s @@ -2790,7 +2815,7 @@ Database: %s Databas: %s - + OpenLP cannot load your database. Database: %s @@ -2802,7 +2827,7 @@ Databas: %s OpenLP.MediaManagerItem - + No Items Selected Inga poster valda @@ -2902,17 +2927,17 @@ Filändelsen stöds ej Inaktiv - + %s (Inactive) %s (Inaktiv) - + %s (Active) %s (Aktiv) - + %s (Disabled) %s (Ej valbar) @@ -3024,12 +3049,12 @@ Filändelsen stöds ej OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Längd</strong>: %s @@ -3125,29 +3150,29 @@ Filändelsen stöds ej &Byt postens tema - + File is not a valid service. The content encoding is not UTF-8. Filen är inte ett giltigt körschema. Innehållets teckenkodning är inte UTF-8. - + File is not a valid service. Filen är inte ett giltigt körschema. - + Missing Display Handler Visningsmodul saknas - + Your item cannot be displayed as there is no handler to display it Posten kan inte visas eftersom det inte finns någon visningsmodul för att visa den - + Your item cannot be displayed as the plugin required to display it is missing or inactive Posten kan inte visas eftersom modulen som krävs för att visa den saknas eller är inaktiv @@ -3177,7 +3202,7 @@ Innehållets teckenkodning är inte UTF-8. Öppna fil - + OpenLP Service Files (*.osz) OpenLP körschemafiler (*.osz) @@ -3232,22 +3257,22 @@ Innehållets teckenkodning är inte UTF-8. Det nuvarande körschemat har ändrats. Vill du spara körschemat? - + File could not be opened because it is corrupt. Filen kunde inte öppnas eftersom den är korrupt. - + Empty File Tom fil - + This service file does not contain any data. Det här körschemat innehåller inte någon data. - + Corrupt File Korrupt fil @@ -3287,25 +3312,35 @@ Innehållets teckenkodning är inte UTF-8. Välj ett tema för körschemat. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Filen är antingen korrupt eller inte en OpenLP 2.0 körschemafil. - + Slide theme Sidtema - + Notes Anteckningar - + Service File Missing Körschemafil saknas + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3394,100 +3429,145 @@ Innehållets teckenkodning är inte UTF-8. OpenLP.SlideController - + Hide Dölj - + Go To Gå till - + Blank Screen Släck skärm - + Blank to Theme Släck till tema - + Show Desktop Visa skrivbord - - Previous Slide - Föregående sida - - - - Next Slide - Nästa sida - - - + Previous Service Föregående post - + Next Service Nästa post - + Escape Item Avbryt post - + Move to previous. Flytta till föregående. - + Move to next. Flytta till nästa. - + Play Slides Sidvisning - + Delay between slides in seconds. Tid i sekunder mellan sidorna. - + Move to live. Visa live. - + Add to Service. Lägg till i körschema. - + Edit and reload song preview. Redigera och uppdatera förhandsvisning. - + Start playing media. Starta uppspelning. - + Pause audio. Pausa ljud. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3560,19 +3640,19 @@ Innehållets teckenkodning är inte UTF-8. Starttiden är efter mediapostens slut - + Theme Layout - + Temalayout - + The blue box shows the main area. - + Den blåa rutan visar huvudytan. - + The red box shows the footer. - + Den röda rutan visar sidfoten. @@ -3671,69 +3751,62 @@ Innehållets teckenkodning är inte UTF-8. Ange som &globalt tema - + %s (default) %s (standard) - + You must select a theme to edit. Du måste välja ett tema att redigera. - + You are unable to delete the default theme. Du kan inte ta bort standardtemat. - + You have not selected a theme. Du har inte valt ett tema. - + Save Theme - (%s) Spara tema - (%s) - + Theme Exported Tema exporterat - + Your theme has been successfully exported. Temat exporterades utan problem. - + Theme Export Failed Temaexport misslyckades - + Your theme could not be exported due to an error. Ett fel inträffade när temat skulle exporteras. - + Select Theme Import File Välj temafil - - File is not a valid theme. -The content encoding is not UTF-8. - Filen är inte ett giltigt tema. -Innehållets teckenkodning är inte UTF-8. - - - + File is not a valid theme. Filen är inte ett giltigt tema. - + Theme %s is used in the %s plugin. Temat %s används i modulen %s. @@ -3768,32 +3841,32 @@ Innehållets teckenkodning är inte UTF-8. Byt namn på temat %s? - + You must select a theme to delete. Du måste välja ett tema att ta bort. - + Delete Confirmation Borttagningsbekräftelse - + Delete %s theme? Ta bort temat %s? - + Validation Error Valideringsfel - + A theme with this name already exists. Ett tema med det här namnet finns redan. - + OpenLP Themes (*.theme *.otz) OpenLP-teman (*.theme *.otz) @@ -4064,12 +4137,12 @@ Innehållets teckenkodning är inte UTF-8. Justify - + Marginaljustera Layout Preview - + Förhandsgranskning av layout @@ -4426,7 +4499,7 @@ Innehållets teckenkodning är inte UTF-8. Klar. - + Starting import... Startar import... @@ -4750,12 +4823,12 @@ Innehållets teckenkodning är inte UTF-8. Presentationer (%s) - + Missing Presentation Presentation saknas - + The Presentation %s no longer exists. Presentationen %s finns inte längre. @@ -4768,17 +4841,17 @@ Innehållets teckenkodning är inte UTF-8. PresentationPlugin.PresentationTab - + Available Controllers Tillgängliga presentationsprogram - + Allow presentation application to be overriden Tillåt presentationsprogram att åsidosättas - + %s (unavailable) %s (inte tillgängligt) @@ -4932,91 +5005,91 @@ Innehållets teckenkodning är inte UTF-8. Display stage time in 12h format - + Visa scentiden i 12-timmarsformat SongUsagePlugin - + &Song Usage Tracking &Sångloggning - + &Delete Tracking Data &Ta bort loggdata - + Delete song usage data up to a specified date. Ta bort sånganvändningsdata fram till ett givet datum. - + &Extract Tracking Data &Extrahera loggdata - + Generate a report on song usage. Generera en rapport över sånganvändning. - + Toggle Tracking Växla loggning - + Toggle the tracking of song usage. Växla sångloggning på/av. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Sånganvändningsmodul</strong><br />Den här modulen loggar användning av sångerna som visas. - + SongUsage name singular Sånganvändning - + SongUsage name plural Sånganvändning - + SongUsage container title Sånganvändning - + Song Usage Sånganvändning - + Song usage tracking is active. Sångloggning är aktiv. - + Song usage tracking is inactive. Sångloggning är inaktiv. - + display visa - + printed utskriven @@ -5114,130 +5187,130 @@ skapades utan problem. SongsPlugin - + &Song &Sång - + Import songs using the import wizard. Importera sånger med importguiden. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. <strong>Sångmodul</strong><br />Sångmodulen ger möjlighet att visa och hantera sånger. - + &Re-index Songs &Indexera om sånger - + Re-index the songs database to improve searching and ordering. Indexera om sångdatabasen för att förbättra sökning och sortering. - + Reindexing songs... Indexerar om sånger... - + Song name singular Sång - + Songs name plural Sånger - + Songs container title Sånger - + Arabic (CP-1256) Arabiska (CP-1256) - + Baltic (CP-1257) Baltiska (CP-1257) - + Central European (CP-1250) Centraleuropeisk (CP-1250) - + Cyrillic (CP-1251) Kyrilliska (CP-1251) - + Greek (CP-1253) Grekiska (CP-1253) - + Hebrew (CP-1255) Hebreiska (CP-1255) - + Japanese (CP-932) Japanska (CP-932) - + Korean (CP-949) Koreanska (CP-949) - + Simplified Chinese (CP-936) Förenklad kinesiska (CP-936) - + Thai (CP-874) Thai (CP-874) - + Traditional Chinese (CP-950) Traditionell kinesiska (CP-950) - + Turkish (CP-1254) Turkiska (CP-1254) - + Vietnam (CP-1258) Vietnamesiska (CP-1258) - + Western European (CP-1252) Västeuropeisk (CP-1252) - + Character Encoding Teckenkodning - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -5246,44 +5319,44 @@ rätt teckenrepresentation. Vanligtvis fungerar den förvalda inställningen bra. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Välj teckenkodning. Teckenkodningen ansvarar för rätt teckenrepresentation. - + Exports songs using the export wizard. Exportera sånger med exportguiden. - + Add a new song. Lägg till en ny sång. - + Edit the selected song. Redigera den valda sången. - + Delete the selected song. Ta bort den valda sången. - + Preview the selected song. Förhandsgranska den valda sången. - + Send the selected song live. Visa den valda sången live. - + Add the selected song to the service. Lägg till den valda sången i körschemat. @@ -5329,7 +5402,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. Filen saknar giltig filändelse. @@ -5449,82 +5522,82 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Tema, copyrightinfo && kommentarer - + Add Author Lägg till författare - + This author does not exist, do you want to add them? Författaren finns inte; vill du lägga till den? - + This author is already in the list. Författaren finns redan i listan. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. Du har inte valt en giltig författare. Välj antingen en författare från listan, eller skriv in en ny författare och klicka "Lägg till för sång" för att lägga till den nya författaren. - + Add Topic Lägg till ämne - + This topic does not exist, do you want to add it? Ämnet finns inte; vill du skapa det? - + This topic is already in the list. Ämnet finns redan i listan. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. Du har inte valt ett giltigt ämne. Välj antingen ett ämne från listan, eller skriv in ett nytt ämne och klicka "Lägg till för sång" för att lägga till det nya ämnet. - + You need to type in a song title. Du måste ange en sångtitel. - + You need to type in at least one verse. Du måste ange åtminstone en vers. - + Warning Varning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Versordningen är ogiltig. Det finns ingen vers motsvarande %s. Giltiga värden är %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? Du har inte använt %s någonstans i versordningen. Är du säker på att du vill spara sången så här? - + Add Book Lägg till bok - + This song book does not exist, do you want to add it? Boken finns inte; vill du skapa den? - + You need to have an author for this song. Du måste ange en författare för sången. @@ -5554,7 +5627,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. &Ta bort alla - + Open File(s) Öppna fil(er) @@ -5635,7 +5708,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Ingen målmapp angiven - + Starting export... Startar export... @@ -5650,7 +5723,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Du måste ange en mapp. - + Select Destination Folder Välj målmapp @@ -5668,7 +5741,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Välj dokument/presentation @@ -5683,7 +5756,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Den här guiden hjälper dig att importera sånger från en mängd olika format. Klicka på Nästa för att börja processen med att välja ett format att importera från. - + Generic Document/Presentation Vanligt dokument/presentation @@ -5713,42 +5786,42 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Import av OpenLyrics är ännu inte utvecklat, men som du ser avser vi fortfarande att göra det. Förhoppningsvis finns det i nästa utgåva. - + OpenLP 2.0 Databases OpenLP 2.0-databas - + openlp.org v1.x Databases openlp.org v1.x-databas - + Words Of Worship Song Files Words of Worship-sångfiler - + Songs Of Fellowship Song Files Songs of Fellowship-sångfiler - + SongBeamer Files SongBeamer-filer - + SongShow Plus Song Files SongShow Plus-sångfiler - + You need to specify at least one document or presentation file to import from. Du måste ange minst ett dokument eller en presentation att importera från. - + Foilpresenter Song Files Foilpresenter-sångfiler @@ -5773,14 +5846,14 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Import av vanliga dokument/presentationer har inaktiverats eftersom OpenLP inte hittar OpenOffice eller LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics eller sång exporterad från OpenLP 2.0 - + OpenLyrics Files - + OpenLyrics-filer @@ -5809,7 +5882,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Sångtext - + CCLI License: CCLI-licens: @@ -5819,7 +5892,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Hela sången - + Are you sure you want to delete the %n selected song(s)? Är du säker på att du vill ta bort den valda sången? @@ -5832,7 +5905,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Underhåll listan över författare, ämnen och böcker. - + copy For song cloning kopia @@ -5888,12 +5961,12 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.SongExportForm - + Your song export failed. Sångexporten misslyckades. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. Exporten är slutförd. För att importera filerna, använd importen <strong>OpenLyrics</strong>. @@ -5929,7 +6002,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.SongImportForm - + Your song import failed. Sångimporten misslyckades. diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index 532c64720..257d50764 100644 --- a/resources/i18n/zh_CN.ts +++ b/resources/i18n/zh_CN.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert - + Show an alert message. - + Alert name singular - + Alerts name plural - + Alerts container title - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. @@ -117,32 +117,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font - + Font name: - + Font color: - + Background color: - + Font size: - + Alert timeout: @@ -150,24 +150,24 @@ Do you want to continue anyway? BiblesPlugin - + &Bible - + Bible name singular - + Bibles name plural - + Bibles container title @@ -183,52 +183,52 @@ Do you want to continue anyway? - + Import a Bible. - + Add a new Bible. - + Edit the selected Bible. - + Delete the selected Bible. - + Preview the selected Bible. - + Send the selected Bible live. - + Add the selected Bible to the service. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. @@ -382,18 +382,18 @@ Changes do not affect verses already in the service. BiblesPlugin.CSVBible - + Importing books... %s - + Importing verses from %s... Importing verses from <book name>... - + Importing verses... done. @@ -722,12 +722,12 @@ demand and thus an internet connection is required. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... - + Importing %s %s... Importing <book name> <chapter>... @@ -999,12 +999,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I - + You need to type in a title. - + You need to add at least one slide @@ -1093,7 +1093,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1163,60 +1163,60 @@ Do you want to add the other images anyway? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. - + Media name singular - + Media name plural - + Media container title - + Load new media. - + Add new media. - + Edit the selected media. - + Delete the selected media. - + Preview the selected media. - + Send the selected media live. - + Add the selected media to the service. @@ -1224,66 +1224,91 @@ Do you want to add the other images anyway? MediaPlugin.MediaItem - + Select Media - + You must select a media file to delete. - + You must select a media file to replace the background with. - + There was a problem replacing your background, the media file "%s" no longer exists. - + Missing Media File - + The file %s no longer exists. - + Videos (%s);;Audio (%s);;%s (*) - + There was no display item to amend. - - File Too Big + + Unsupported File - - The file you are trying to load is too big. Please reduce it to less than 50MiB. + + Automatic + + + + + Use Player: MediaPlugin.MediaTab - - Media Display + + Available Media Players - - Use Phonon for video playback + + %s (unavailable) + + + + + Player Order + + + + + Down + + + + + Up + + + + + Allow media player to be overriden @@ -1295,12 +1320,12 @@ Do you want to add the other images anyway? - + Information - + Bible format has changed. You have to upgrade your existing Bibles. Should OpenLP upgrade now? @@ -1513,38 +1538,38 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionDialog - + Error Occurred - + Oops! OpenLP hit a problem, and couldn't recover. The text in the box below contains information that might be helpful to the OpenLP developers, so please e-mail it to bugs@openlp.org, along with a detailed description of what you were doing when the problem occurred. - + Send E-Mail - + Save to File - + Please enter a description of what you were doing to cause this error (Minimum 20 characters) - + Attach File - + Description characters to enter : %s @@ -1552,23 +1577,23 @@ Portions copyright © 2004-2011 %s OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -1586,7 +1611,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2166,7 +2191,7 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainDisplay - + OpenLP Display @@ -2174,309 +2199,309 @@ To cancel the First Time Wizard completely (and not start OpenLP), press the Can OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New - + &Open - + Open an existing service. - + &Save - + Save the current service to disk. - + Save &As... - + Save Service As - + Save the current service under a new name. - + E&xit - + Quit OpenLP - + &Theme - + &Configure OpenLP... - + &Media Manager - + Toggle Media Manager - + Toggle the visibility of the media manager. - + &Theme Manager - + Toggle Theme Manager - + Toggle the visibility of the theme manager. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel - + Toggle Preview Panel - + Toggle the visibility of the preview panel. - + &Live Panel - + Toggle Live Panel - + Toggle the visibility of the live panel. - + &Plugin List - + List the Plugins - + &User Guide - + &About - + More information about OpenLP - + &Online Help - + &Web Site - + Use the system language, if available. - + Set the interface language to %s - + Add &Tool... - + Add an application to the list of tools. - + &Default - + Set the view mode back to the default. - + &Setup - + Set the view mode to Setup. - + &Live - + Set the view mode to Live. - + Version %s of OpenLP is now available for download (you are currently running version %s). You can download the latest version from http://openlp.org/. - + OpenLP Version Updated - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s @@ -2487,125 +2512,125 @@ You can download the latest version from http://openlp.org/. 中国 - + Configure &Shortcuts... - + Close OpenLP - + Are you sure you want to close OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect - + Update Theme Images - + Update the preview images for all themes. - + Print the current service. - + L&ock Panels - + Prevent the panels being moved. - + Re-run First Time Wizard - + Re-run the First Time Wizard, importing songs, Bibles and themes. - + Re-run First Time Wizard? - + Are you sure you want to re-run the First Time Wizard? Re-running this wizard may make changes to your current OpenLP configuration and possibly add songs to your existing songs list and change your default theme. - + &Recent Files - + Clear List Clear List of recent files - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -2614,32 +2639,32 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File - + OpenLP Export Settings Files (*.conf) - + Import settings - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) @@ -2647,19 +2672,19 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate OpenLP.Manager - + Database Error - + The database being loaded was created in a more recent version of OpenLP. The database is version %d, while OpenLP expects version %d. The database will not be loaded. Database: %s - + OpenLP cannot load your database. Database: %s @@ -2669,7 +2694,7 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected @@ -2768,17 +2793,17 @@ Suffix not supported - + %s (Inactive) - + %s (Active) - + %s (Disabled) @@ -2890,12 +2915,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -2991,33 +3016,33 @@ Suffix not supported - + OpenLP Service Files (*.osz) - + File is not a valid service. The content encoding is not UTF-8. - + File is not a valid service. - + Missing Display Handler - + Your item cannot be displayed as there is no handler to display it - + Your item cannot be displayed as the plugin required to display it is missing or inactive @@ -3097,22 +3122,22 @@ The content encoding is not UTF-8. - + File could not be opened because it is corrupt. - + Empty File - + This service file does not contain any data. - + Corrupt File @@ -3152,25 +3177,35 @@ The content encoding is not UTF-8. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Slide theme - + Notes - + Service File Missing + + + Edit + + + + + Service copy only + + OpenLP.ServiceNoteForm @@ -3259,100 +3294,145 @@ The content encoding is not UTF-8. OpenLP.SlideController - + Hide - + Go To - + Blank Screen - + Blank to Theme - + Show Desktop - - Previous Slide - - - - - Next Slide - - - - + Previous Service - + Next Service - + Escape Item - + Move to previous. - + Move to next. - + Play Slides - + Delay between slides in seconds. - + Move to live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. - + Pause audio. + + + Pause playing media. + + + + + Stop playing media. + + + + + Video position. + + + + + Audio Volume. + + + + + Go to "Verse" + + + + + Go to "Chorus" + + + + + Go to "Bridge" + + + + + Go to "Pre-Chorus" + + + + + Go to "Intro" + + + + + Go to "Ending" + + + + + Go to "Other" + + OpenLP.SpellTextEdit @@ -3425,17 +3505,17 @@ The content encoding is not UTF-8. - + Theme Layout - + The blue box shows the main area. - + The red box shows the footer. @@ -3536,68 +3616,62 @@ The content encoding is not UTF-8. - + %s (default) - + You must select a theme to edit. - + You are unable to delete the default theme. - + Theme %s is used in the %s plugin. - + You have not selected a theme. - + Save Theme - (%s) - + Theme Exported - + Your theme has been successfully exported. - + Theme Export Failed - + Your theme could not be exported due to an error. - + Select Theme Import File - - File is not a valid theme. -The content encoding is not UTF-8. - - - - + File is not a valid theme. @@ -3632,32 +3706,32 @@ The content encoding is not UTF-8. - + You must select a theme to delete. - + Delete Confirmation - + Delete %s theme? - + Validation Error - + A theme with this name already exists. - + OpenLP Themes (*.theme *.otz) @@ -4290,7 +4364,7 @@ The content encoding is not UTF-8. - + Starting import... @@ -4614,12 +4688,12 @@ The content encoding is not UTF-8. - + Missing Presentation - + The Presentation %s no longer exists. @@ -4632,17 +4706,17 @@ The content encoding is not UTF-8. PresentationPlugin.PresentationTab - + Available Controllers - + Allow presentation application to be overriden - + %s (unavailable) @@ -4802,85 +4876,85 @@ The content encoding is not UTF-8. SongUsagePlugin - + &Song Usage Tracking - + &Delete Tracking Data - + Delete song usage data up to a specified date. - + &Extract Tracking Data - + Generate a report on song usage. - + Toggle Tracking - + Toggle the tracking of song usage. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. - + SongUsage name singular - + SongUsage name plural - + SongUsage container title - + Song Usage - + Song usage tracking is active. - + Song usage tracking is inactive. - + display - + printed @@ -4976,173 +5050,173 @@ has been successfully created. SongsPlugin - + &Song - + Import songs using the import wizard. - + <strong>Songs Plugin</strong><br />The songs plugin provides the ability to display and manage songs. - + &Re-index Songs - + Re-index the songs database to improve searching and ordering. - + Reindexing songs... - + Arabic (CP-1256) - + Baltic (CP-1257) - + Central European (CP-1250) - + Cyrillic (CP-1251) - + Greek (CP-1253) - + Hebrew (CP-1255) - + Japanese (CP-932) - + Korean (CP-949) - + Simplified Chinese (CP-936) - + Thai (CP-874) - + Traditional Chinese (CP-950) - + Turkish (CP-1254) - + Vietnam (CP-1258) - + Western European (CP-1252) - + Character Encoding - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. - + Please choose the character encoding. The encoding is responsible for the correct character representation. - + Song name singular - + Songs name plural - + Songs container title - + Exports songs using the export wizard. - + Add a new song. - + Edit the selected song. - + Delete the selected song. - + Preview the selected song. - + Send the selected song live. - + Add the selected song to the service. @@ -5188,7 +5262,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.CCLIFileImport - + The file does not have a valid extension. @@ -5306,82 +5380,82 @@ The encoding is responsible for the correct character representation. - + Add Author - + This author does not exist, do you want to add them? - + This author is already in the list. - + You have not selected a valid author. Either select an author from the list, or type in a new author and click the "Add Author to Song" button to add the new author. - + Add Topic - + This topic does not exist, do you want to add it? - + This topic is already in the list. - + You have not selected a valid topic. Either select a topic from the list, or type in a new topic and click the "Add Topic to Song" button to add the new topic. - + You need to type in a song title. - + You need to type in at least one verse. - + Warning - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + You have not used %s anywhere in the verse order. Are you sure you want to save the song like this? - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -5411,7 +5485,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -5497,7 +5571,7 @@ The encoding is responsible for the correct character representation. - + Starting export... @@ -5507,7 +5581,7 @@ The encoding is responsible for the correct character representation. - + Select Destination Folder @@ -5525,7 +5599,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files @@ -5540,7 +5614,7 @@ The encoding is responsible for the correct character representation. - + Generic Document/Presentation @@ -5570,42 +5644,42 @@ The encoding is responsible for the correct character representation. - + OpenLP 2.0 Databases - + openlp.org v1.x Databases - + Words Of Worship Song Files - + You need to specify at least one document or presentation file to import from. - + Songs Of Fellowship Song Files - + SongBeamer Files - + SongShow Plus Song Files - + Foilpresenter Song Files @@ -5630,12 +5704,12 @@ The encoding is responsible for the correct character representation. - + OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files @@ -5666,7 +5740,7 @@ The encoding is responsible for the correct character representation. - + CCLI License: @@ -5676,7 +5750,7 @@ The encoding is responsible for the correct character representation. - + Are you sure you want to delete the %n selected song(s)? @@ -5688,7 +5762,7 @@ The encoding is responsible for the correct character representation. - + copy For song cloning @@ -5744,12 +5818,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongExportForm - + Your song export failed. - + Finished export. To import these files use the <strong>OpenLyrics</strong> importer. @@ -5785,7 +5859,7 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImportForm - + Your song import failed.