From 0ad713407bcc454ecec9a8f433a611c19c37b6ff Mon Sep 17 00:00:00 2001 From: Raoul Snyman Date: Thu, 14 Jun 2012 23:20:55 +0200 Subject: [PATCH 01/13] Fixed bug #1013215: Catch a previously uncaught NotImplementedError and do nothing so that OpenLP realises that VLC is not available. Fixes: https://launchpad.net/bugs/1013215 --- openlp/core/ui/media/vlcplayer.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openlp/core/ui/media/vlcplayer.py b/openlp/core/ui/media/vlcplayer.py index 2d98fb599..58980a4f5 100644 --- a/openlp/core/ui/media/vlcplayer.py +++ b/openlp/core/ui/media/vlcplayer.py @@ -44,7 +44,7 @@ VLC_AVAILABLE = False try: import vlc VLC_AVAILABLE = bool(vlc.get_default_instance()) -except (ImportError, NameError): +except (ImportError, NameError, NotImplementedError): pass except OSError, e: if sys.platform.startswith('win'): From 9bb44184877d65e1ccd3b7ad05a63762019536c2 Mon Sep 17 00:00:00 2001 From: Philip Ridout Date: Sun, 17 Jun 2012 14:57:35 +0100 Subject: [PATCH 02/13] A fix for issue 507. http://support.openlp.org/issues/507 The opensong database file contained verses containing sub-elements such as tags. lxml considders the text of an element up until the first sub element. --- openlp/plugins/bibles/lib/opensong.py | 15 +++++++++++++-- 1 file changed, 13 insertions(+), 2 deletions(-) diff --git a/openlp/plugins/bibles/lib/opensong.py b/openlp/plugins/bibles/lib/opensong.py index 856e9057e..b6c6008a9 100644 --- a/openlp/plugins/bibles/lib/opensong.py +++ b/openlp/plugins/bibles/lib/opensong.py @@ -26,7 +26,7 @@ ############################################################################### import logging -from lxml import objectify +from lxml import objectify, etree from openlp.core.lib import Receiver, translate from openlp.plugins.bibles.lib.db import BibleDB, BiblesResourcesDB @@ -46,6 +46,17 @@ class OpenSongBible(BibleDB): BibleDB.__init__(self, parent, **kwargs) self.filename = kwargs['filename'] + def get_text(self, element): + verse_text = u'' + if element.text: + verse_text = element.text + for sub_element in element.iterchildren(): + verse_text += self.get_text(sub_element) + if element.tail: + verse_text += element.tail + return verse_text + + def do_import(self, bible_name=None): """ Loads a Bible from file. @@ -89,7 +100,7 @@ class OpenSongBible(BibleDB): db_book.id, int(chapter.attrib[u'n'].split()[-1]), int(verse.attrib[u'n']), - unicode(verse.text)) + unicode(self.get_text(verse))) self.wizard.incrementProgressBar(unicode(translate( 'BiblesPlugin.Opensong', 'Importing %s %s...', 'Importing ...')) % From 87722c9579ac9808557462fd8c89335efb30baca Mon Sep 17 00:00:00 2001 From: Andreas Preikschat Date: Sun, 17 Jun 2012 17:41:36 +0200 Subject: [PATCH 03/13] fixed non existing variable under certain conditions --- openlp/core/lib/mediamanageritem.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/openlp/core/lib/mediamanageritem.py b/openlp/core/lib/mediamanageritem.py index 703b6e9e5..09e8ade15 100644 --- a/openlp/core/lib/mediamanageritem.py +++ b/openlp/core/lib/mediamanageritem.py @@ -349,8 +349,9 @@ class MediaManagerItem(QtGui.QWidget): can run it. ``files`` - The list of files to be loaded + The list of files to be loaded """ + #FIXME: change local variables to words_separated_by_underscores. newFiles = [] errorShown = False for file in files: @@ -366,7 +367,7 @@ class MediaManagerItem(QtGui.QWidget): errorShown = True else: newFiles.append(file) - if file: + if files: self.validateAndLoad(newFiles) def validateAndLoad(self, files): @@ -377,6 +378,7 @@ class MediaManagerItem(QtGui.QWidget): ``files`` The files to be loaded. """ + #FIXME: change local variables to words_separated_by_underscores. names = [] fullList = [] for count in range(self.listView.count()): From 0e363942561e5b83ef8b067ff7c7d088c8a9cec0 Mon Sep 17 00:00:00 2001 From: Philip Ridout Date: Mon, 18 Jun 2012 17:37:03 +0100 Subject: [PATCH 04/13] Removed unused import, added doc string and removed double new line. --- openlp/plugins/bibles/lib/opensong.py | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/openlp/plugins/bibles/lib/opensong.py b/openlp/plugins/bibles/lib/opensong.py index b6c6008a9..33c7f610e 100644 --- a/openlp/plugins/bibles/lib/opensong.py +++ b/openlp/plugins/bibles/lib/opensong.py @@ -26,7 +26,7 @@ ############################################################################### import logging -from lxml import objectify, etree +from lxml import objectify from openlp.core.lib import Receiver, translate from openlp.plugins.bibles.lib.db import BibleDB, BiblesResourcesDB @@ -47,6 +47,12 @@ class OpenSongBible(BibleDB): self.filename = kwargs['filename'] def get_text(self, element): + """ + Recursively get all text in an objectify element and its child elements. + + ``element`` + An objectify element to get the text from + """ verse_text = u'' if element.text: verse_text = element.text @@ -54,8 +60,7 @@ class OpenSongBible(BibleDB): verse_text += self.get_text(sub_element) if element.tail: verse_text += element.tail - return verse_text - + return verse_text def do_import(self, bible_name=None): """ From 826f83e8bfc8052656ebea84f3e538135949ca82 Mon Sep 17 00:00:00 2001 From: Andreas Preikschat Date: Mon, 18 Jun 2012 19:00:27 +0200 Subject: [PATCH 05/13] fixed 1014684 (OpenLP doesn't start on Windows XP) Fixes: https://launchpad.net/bugs/1014684 --- openlp/core/ui/firsttimeform.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 1866b88b5..75f87aa65 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -114,7 +114,7 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): Set up display at start of theme edit. """ self.restart() - check_directory_exists(os.path.join(gettempdir(), u'openlp')) + check_directory_exists(os.path.join(uniocde(gettempdir()), u'openlp')) self.noInternetFinishButton.setVisible(False) # Check if this is a re-run of the wizard. self.hasRunWizard = Settings().value( From 8b5e1740495c41303a90ea6980577360802d46a1 Mon Sep 17 00:00:00 2001 From: Philip Ridout Date: Mon, 18 Jun 2012 20:26:44 +0100 Subject: [PATCH 06/13] A fix for a number of historic issues on the tracker http://support.openlp.org/issues/475 http://support.openlp.org/issues/492 http://support.openlp.org/issues/661 being the most recent. --- openlp/plugins/songs/lib/opensongimport.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/openlp/plugins/songs/lib/opensongimport.py b/openlp/plugins/songs/lib/opensongimport.py index f78ba474b..2b2269e3b 100644 --- a/openlp/plugins/songs/lib/opensongimport.py +++ b/openlp/plugins/songs/lib/opensongimport.py @@ -187,8 +187,9 @@ class OpenSongImport(SongImport): content = this_line[1:right_bracket].lower() # have we got any digits? # If so, verse number is everything from the digits - # to the end (even if there are some alpha chars on the end) - match = re.match(u'(\D*)(\d+.*)', content) + # to the end (openlp does not have concept of part verses, so + # just ignore any non integers on the end (including floats)) + match = re.match(u'(\D*)(\d+)', content) if match is not None: verse_tag = match.group(1) verse_num = match.group(2) From ef134c2ea7769f88d27551ce7a737010cdc587b2 Mon Sep 17 00:00:00 2001 From: Jonathan Corwin Date: Mon, 18 Jun 2012 23:05:11 +0100 Subject: [PATCH 07/13] Release the application reference --- openlp/core/ui/mainwindow.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index be58e1cd6..52955f40f 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -1216,6 +1216,8 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): if self.liveController.display: self.liveController.display.close() self.liveController.display = None + # Allow the main process to exit + self.application = None def serviceChanged(self, reset=False, serviceName=None): """ From 155e99d307fba0396da7f68624efd07763e13bea Mon Sep 17 00:00:00 2001 From: Andreas Preikschat Date: Tue, 19 Jun 2012 18:09:59 +0200 Subject: [PATCH 08/13] fixed other occurrences --- openlp/core/ui/firsttimeform.py | 6 +++--- openlp/plugins/bibles/forms/bibleupgradeform.py | 2 +- openlp/plugins/songs/songsplugin.py | 2 +- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 75f87aa65..3e902b368 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -64,7 +64,7 @@ class ThemeScreenshotThread(QtCore.QThread): filename = config.get(u'theme_%s' % theme, u'filename') screenshot = config.get(u'theme_%s' % theme, u'screenshot') urllib.urlretrieve(u'%s%s' % (self.parent().web, screenshot), - os.path.join(gettempdir(), u'openlp', screenshot)) + os.path.join(unicode(gettempdir()), u'openlp', screenshot)) item = QtGui.QListWidgetItem(title, self.parent().themesListWidget) item.setData(QtCore.Qt.UserRole, QtCore.QVariant(filename)) item.setCheckState(QtCore.Qt.Unchecked) @@ -114,7 +114,7 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): Set up display at start of theme edit. """ self.restart() - check_directory_exists(os.path.join(uniocde(gettempdir()), u'openlp')) + check_directory_exists(os.path.join(unicode(gettempdir()), u'openlp')) self.noInternetFinishButton.setVisible(False) # Check if this is a re-run of the wizard. self.hasRunWizard = Settings().value( @@ -304,7 +304,7 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): if item.data(QtCore.Qt.UserRole) == QtCore.QVariant(filename): break item.setIcon(build_icon( - os.path.join(gettempdir(), u'openlp', screenshot))) + os.path.join(unicode(gettempdir()), u'openlp', screenshot))) def _getFileSize(self, url): site = urllib.urlopen(url) diff --git a/openlp/plugins/bibles/forms/bibleupgradeform.py b/openlp/plugins/bibles/forms/bibleupgradeform.py index 4013284e4..d0c4333f4 100644 --- a/openlp/plugins/bibles/forms/bibleupgradeform.py +++ b/openlp/plugins/bibles/forms/bibleupgradeform.py @@ -71,7 +71,7 @@ class BibleUpgradeForm(OpenLPWizard): self.suffix = u'.sqlite' self.settingsSection = u'bibles' self.path = AppLocation.get_section_data_path(self.settingsSection) - self.temp_dir = os.path.join(gettempdir(), u'openlp') + self.temp_dir = os.path.join(unicode(gettempdir()), u'openlp') self.files = self.manager.old_bible_databases self.success = {} self.newbibles = {} diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index 468c02968..0beead20a 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -233,7 +233,7 @@ class SongsPlugin(Plugin): new songs into the database. """ self.onToolsReindexItemTriggered() - db_dir = unicode(os.path.join(gettempdir(), u'openlp')) + db_dir = unicode(os.path.join(unicode(gettempdir()), u'openlp')) if not os.path.exists(db_dir): return song_dbs = [] From 27d29cf37caa194dfefa0ef6ecb367e5184eb9cc Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Thu, 21 Jun 2012 21:13:15 +0100 Subject: [PATCH 09/13] translation files --- resources/i18n/af.ts | 2145 +++++++++++++++++++---------------- resources/i18n/cs.ts | 2174 ++++++++++++++++++----------------- resources/i18n/da.ts | 2024 ++++++++++++++++++--------------- resources/i18n/de.ts | 2063 +++++++++++++++++---------------- resources/i18n/el.ts | 2144 +++++++++++++++++++---------------- resources/i18n/en.ts | 2026 ++++++++++++++++++--------------- resources/i18n/en_GB.ts | 2144 +++++++++++++++++++---------------- resources/i18n/en_ZA.ts | 2024 ++++++++++++++++++--------------- resources/i18n/es.ts | 2204 +++++++++++++++++++----------------- resources/i18n/et.ts | 2097 ++++++++++++++++++---------------- resources/i18n/fi.ts | 2028 ++++++++++++++++++--------------- resources/i18n/fr.ts | 2382 +++++++++++++++++++++------------------ resources/i18n/hu.ts | 2162 +++++++++++++++++++---------------- resources/i18n/id.ts | 2020 ++++++++++++++++++--------------- resources/i18n/it.ts | 2028 ++++++++++++++++++--------------- resources/i18n/ja.ts | 2165 ++++++++++++++++++----------------- resources/i18n/ko.ts | 2028 ++++++++++++++++++--------------- resources/i18n/nb.ts | 2020 ++++++++++++++++++--------------- resources/i18n/nl.ts | 2032 ++++++++++++++++++--------------- resources/i18n/pl.ts | 2042 +++++++++++++++++---------------- resources/i18n/pt_BR.ts | 2148 +++++++++++++++++++---------------- resources/i18n/ru.ts | 2020 ++++++++++++++++++--------------- resources/i18n/sq.ts | 2028 ++++++++++++++++++--------------- resources/i18n/sv.ts | 2160 +++++++++++++++++++---------------- resources/i18n/zh_CN.ts | 2028 ++++++++++++++++++--------------- 25 files changed, 28176 insertions(+), 24160 deletions(-) diff --git a/resources/i18n/af.ts b/resources/i18n/af.ts index b30c1f7c4..197d3b964 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,510 +152,510 @@ Gaan steeds voort? BiblesPlugin - + &Bible &Bybel - + Bible name singular Bybel - + Bibles name plural Bybels - + Bibles container title Bybels - + No Book Found Geen Boek Gevind nie - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Genesis - + Exodus Eksodus - + Leviticus Livitikus - + Numbers Numeri - + Deuteronomy Deuterononium - + Joshua Josua - + Judges Rigters - + Ruth Rut - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Konings - + 2 Kings 2 Konings - + 1 Chronicles 1 Kronieke - + 2 Chronicles 2 Kronieke - + Ezra Esra - + Nehemiah Nehemia - + Esther Ester - + Job Job - + Psalms Psalms - + Proverbs Spreuke van Salomo - + Ecclesiastes Prediker - + Song of Solomon Hooglied van Salomo - + Isaiah Jesaja - + Jeremiah Jeremia - + Lamentations Klaagliedere van Jeremia - + Ezekiel Esegiël - + Daniel Daniël - + Hosea Hosea - + Joel Joël - + Amos Amos - + Obadiah Obadja - + Jonah Jona - + Micah Miga - + Nahum Nahum - + Habakkuk Habakuk - + Zephaniah Sefanja - + Haggai Haggai - + Zechariah Sagaria - + Malachi Maleagi - + Matthew Matteus - + Mark Markus - + Luke Lukas - + John Johannes - + Acts Handelinge - + Romans Romeine - + 1 Corinthians 1 Korintiërs - + 2 Corinthians 2 Korintiërs - + Galatians Galasiërs - + Ephesians Effesiërs - + Philippians Filippense - + Colossians Kolossense - + 1 Thessalonians 1 Tessalonisense - + 2 Thessalonians 2 Tessalonisense - + 1 Timothy 1 Timoteus - + 2 Timothy 2 Timoteus - + Titus Titus - + Philemon Filemon - + Hebrews Hebreërs - + James Jakobus - + 1 Peter 1 Petrus - + 2 Peter 2 Petrus - + 1 John 1 Johannes - + 2 John 2 Johannes - + 3 John 3 Johannes - + Jude Judas - + Revelation Openbaring - + Judith Judit - + Wisdom Wysheid van Salomo - + Tobit Tobit - + Sirach Sirag - + Baruch Barug - + 1 Maccabees 1 Makkabeërs - + 2 Maccabees 2 Makkabeërs - + 3 Maccabees 3 Makkabeërs - + 4 Maccabees 4 Makkabeërs - + Rest of Daniel Byvoegings tot Daniël - + Rest of Esther Byvoegings tot Ester - + Prayer of Manasses Gebed van Manasse - + Letter of Jeremiah Brief van Jeremia - + Prayer of Azariah Gebed van Asarja - + Susanna Susanna - + Bel Bel en die Draak - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verse|verses;;-|to;;,|and;;end @@ -666,82 +666,85 @@ Gaan steeds voort? You need to specify a version name for your Bible. - 'n Weergawe naam moet vir die Bybel gespesifiseer word. + Dit is nodig dat 'n weergawe naam vir die Bybel gespesifiseer word. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Die Bybel benodig 'n kopiereg. Bybels in die Publieke Domein moet daarvolgens gemerk word. + 'n Kopiereg moet vir jou Bybel ingestel word. Bybels in die Publieke Domein moet sodanig gemerk word. Bible Exists - Bybel Bestaan reeds + Bybel Bestaan This Bible already exists. Please import a different Bible or first delete the existing one. - Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in of wis eers die bestaande een uit. + Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in, of wis eerstens die bestaande een uit. You need to specify a book name for "%s". - + 'n Boek naam moet vir "%s" gespesifiseer word. The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + Die boek naam "%s" is nie korrek nie. +Nommers kan slegs aan die begin gebruik word +en moet gevolg word deur een of meer nie-numeriese +karrakters. Duplicate Book Name - + Duplikaat Boek Naam The Book Name "%s" has been entered more than once. - + Die Boek Naam "%s" is meer as een keer ingevoer. BiblesPlugin.BibleManager - + Scripture Reference Error Skrif Verwysing Fout - + Web Bible cannot be used Web Bybel kan nie gebruik word nie - + Text Search is not available with Web Bibles. Teks Soektog is nie beskikbaar met Web Bybels nie. - + 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. Daar is nie 'n soek sleutelwoord ingevoer nie. Vir 'n soektog wat alle sleutelwoorde bevat, skei die woorde deur middel van 'n spasie. Vir 'n soektog wat een van die sleutelwoorde bevat, skei die woorde deur middel van 'n komma. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Huidig is daar geen Bybels geïnstalleer nie. Gebruik asseblief die Invoer Gids om een of meer Bybels te installeer. - + No Bibles Available Geeb Bybels Beskikbaar nie - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +767,79 @@ Boek Hoofstuk%(verse)sVers%(range)sHoofstuk%(verse)sVers BiblesPlugin.BiblesTab - + Verse Display Vers Vertoning - + Only show new chapter numbers Vertoon net nuwe hoofstuk nommers - + Bible theme: Bybel tema: - + No Brackets Geen Hakkies - + ( And ) ( En ) - + { And } { En } - + [ And ] [ En ] - + Note: Changes do not affect verses already in the service. Nota: Veranderinge affekteer nie verse wat reeds in die diens is nie. - + Display second Bible verses Vertoon tweede Bybel se verse - + Custom Scripture References Aangepasde Skrifgedeelte Verwysing - + Verse Separator: Vers Verdeler: - + Range Separator: Reeks Verdeler: - + List Separator: Lys Verdeler: - + End Mark: End Merk: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +848,7 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +857,7 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +866,7 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +875,31 @@ Hulle moet geskei word deur 'n vertikale staaf "|". Maak asseblief hierdie redigeer lyn skoon om die verstek waarde te gebruik. - + English Engels - + Default Bible Language - + Verstek Bybel Taal - + Book name language in search field, search results and on display: - + Boek naam taal in soek veld, +soek resultate en op die vertoning: - + Bible Language - + Bybel Taal - + Application Language - + Program Taal @@ -905,11 +909,6 @@ search results and on display: Select Book Name Selekteer Boek Naam - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Die volgende boek naam kan nie intern gepas word nie. Kies asseblief die ooreenstemmende Engelse naam van die lys. - Current name: @@ -940,11 +939,16 @@ search results and on display: Apocrypha Apokriewe + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Die volgende boek name kon nie intern gepas word nie. Kies asseblief die ooreenstemmende naam van die lys. + BiblesPlugin.BookNameForm - + You need to select a book. Kies asseblief 'n boek. @@ -973,105 +977,106 @@ search results and on display: Bible Editor - + Bybel Redigeerder License Details - Lisensie Besonderhede + Lisensie Besonderhede Version name: - Weergawe naam: + Weergawe naam: Copyright: - Kopiereg: + Kopiereg: Permissions: - Toestemming: + Toestemming: Default Bible Language - + Verstek Bybel Taal Book name language in search field, search results and on display: - + Boek naam taal in soek veld, soek resultate en op die vertoning: Global Settings - + Globale Instellings Bible Language - + Bybel Taal Application Language - + Program Taal English - + Engels This is a Web Download Bible. It is not possible to customize the Book Names. - + Hierdie is 'n Web Aflaai Bybel. +Dit is nie moontlik om die Boek Name aan te pas nie. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Om eie boek name te gebruik, "Bybel taal" moet in die Meta Data blad gekies wees, of wanneer "Globale instellings" geselekteer is, op die Bybel bladsy OpenLP Instelling. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registreer Bybel en laai boeke... - + Registering Language... Taal registrasie... - + Importing %s... Importing <book name>... Voer %s in... - + Download Error Aflaai 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. Daar was 'n probleem om die vers seleksie af te laai. Gaan die Internet konneksie na en as hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. - + Parse Error Ontleed Fout - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Daar was 'n probleem om die vers seleksie te onttrek. As hierdie probleem voortduur, oorweeg dit asseblief om 'n gogga te rapporteer. @@ -1079,167 +1084,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bybel Invoer Gids - + 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. Hierdie gids sal u help om Bybels van 'n verskeidenheid formate in te voer. Kliek die volgende knoppie hieronder om die proses te begin deur 'n formaat te kies om in te voer. - + Web Download Web Aflaai - + Location: Ligging: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bybel: - + Download Options Aflaai Opsies - + Server: Bediener: - + Username: Gebruikersnaam: - + Password: Wagwoord: - + Proxy Server (Optional) Tussenganger Bediener (Opsioneel) - + License Details Lisensie Besonderhede - + Set up the Bible's license details. Stel hierdie Bybel se lisensie besonderhede op. - + Version name: Weergawe naam: - + Copyright: Kopiereg: - + Please wait while your Bible is imported. Wag asseblief terwyl u Bybel ingevoer word. - + You need to specify a file with books of the Bible to use in the import. 'n Lêer met boeke van die Bybel moet gespesifiseer word vir gebruik tydens die invoer. - + You need to specify a file of Bible verses to import. 'n Lêer met Bybel verse moet gespesifiseer word om in te voer. - + You need to specify a version name for your Bible. 'n Weergawe naam moet vir die Bybel gespesifiseer word. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Die Bybel benodig 'n kopiereg. Bybels in die Publieke Domein moet daarvolgens gemerk word. - + Bible Exists Bybel Bestaan reeds - + This Bible already exists. Please import a different Bible or first delete the existing one. Hierdie Bybel bestaan reeds. Voer asseblief 'n ander Bybel in of wis eers die bestaande een uit. - + Your Bible import failed. Die Bybel invoer het misluk. - + CSV File KGW Lêer - + Bibleserver Bybelbediener - + Permissions: Toestemming: - + Bible file: Bybel lêer: - + Books file: Boeke lêer: - + Verses file: Verse lêer: - + openlp.org 1.x Bible Files openlp.org 1.x Bybel Lêers - + Registering Bible... Bybel word geregistreer... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Geregistreerde Bybel. Neem asseblief kennis dat verse op aan- @@ -1275,100 +1280,100 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. BiblesPlugin.MediaItem - + Quick Vinnig - + Find: Vind: - + Book: Boek: - + Chapter: Hoofstuk: - + Verse: Vers: - + From: Vanaf: - + To: Tot: - + Text Search Teks Soektog - + Second: Tweede: - + Scripture Reference Skrif Verwysing - + Toggle to keep or clear the previous results. Wissel om die vorige resultate te behou of te verwyder. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Enkel en dubbel Bybel-vers soek-resultate kan nie gekombineer word nie. Wis die resultate uit en begin 'n nuwe soektog? - + Bible not fully loaded. Die Bybel is nie ten volle gelaai nie. - + Information Informasie - + 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. Die tweede Bybel het nie al die verse wat in die hoof Bybel is nie. Slegs verse wat in beide Bybels voorkom, sal gewys word. %d verse is nie by die resultate ingesluit nie. - + Search Scripture Reference... - + Soek Skriflesing Verwysing... - + Search Text... - + Soek Teks... - + Are you sure you want to delete "%s"? - + Wis "%s" sekerlik uit? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Invoer %s %s... @@ -1377,12 +1382,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... @@ -1391,122 +1396,122 @@ vraag afgelaai word en dus is 'n internet konneksie nodig. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Kies 'n Rugsteun Ligging - + Bible Upgrade Wizard Bybel Opgradeer Gids - + 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. Hierdie gids sal help om die bestaande Bybels vanaf 'n vorige weergawe van OpenLP 2.0 op te gradeer. Kliek die volgende knoppie hier-onder om die opgradeer proses te begin. - + Select Backup Directory Kies Rugsteun Ligging - + Please select a backup directory for your Bibles Kies asseblief 'n rugsteun liging vir die Bybels - + 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>. Vorige weergawes van OpenLP 2.0 is nie in staat om opgegradeerde Bybels te gebruik nie. Hierdie sal 'n rugsteun van die bestaande Bybels maak sodat indien dit nodig is om terug te gaan na 'n vorige weergawe van OpenLP, die Bybels net terug gekopiër kan word. Instruksies oor hoe om lêers te herstel kan gevind word by ons <a href="http://wiki.openlp.org/faq">Gereelde Vrae</a>. - + Please select a backup location for your Bibles. Kies asseblief 'n rugsteun ligging vir die Bybels. - + Backup Directory: Rugsteun Ligging: - + There is no need to backup my Bibles Dit is nie nodig om die Bybels op te gradeer nie - + Select Bibles Kies Bybels - + Please select the Bibles to upgrade Kies asseblief die Bybels om op te gradeer - + Upgrading Opgradeer - + Please wait while your Bibles are upgraded. Wag asseblief terwyl die Bybels opgradeer word. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Die rugsteun was nie suksesvol nie. Om die Bybels op te gradeer word skryf-toestemming benodig vir die gegewe lêer. - + Upgrading Bible %s of %s: "%s" Failed Opgradeer Bybel %s van %s: "%s" Gevaal - + Upgrading Bible %s of %s: "%s" Upgrading ... Opgradeer Bybel %s van %s: "%s" Opgradeer ... - + Download Error Aflaai Fout - + To upgrade your Web Bibles an Internet connection is required. Om die Web Bybels op te gradeer is 'n Internet verbinding nodig. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Opgradeer Bybel %s van %s: "%s" Opgradering %s... - + Upgrading Bible %s of %s: "%s" Complete Opgradeer Bybel %s van %s: "%s" Volledig - + , %s failed , %s het gevaal - + 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. Opgradeer Bybel(s): %s suksesvol %s @@ -1514,27 +1519,27 @@ Neem kennis dat verse van Web Bybels op aanvraag afgelaai word en dus is 'n Internet verbinding nodig. - + Upgrading Bible(s): %s successful%s Opgradeer Bybel(s): %s suksesvol %s - + Upgrade failed. Opgradeer het gevaal. - + You need to specify a backup directory for your Bibles. 'n Rugsteun Ligging moet vir die Bybels gespesifiseer word. - + Starting upgrade... Opgradering begin... - + There are no Bibles that need to be upgraded. Daar is geen Bybels wat opgradering benodig nie. @@ -1608,12 +1613,12 @@ word en dus is 'n Internet verbinding nodig. CustomPlugin.CustomTab - + Custom Display Aangepasde Vertoning - + Display footer Vertoon voetspasie @@ -1684,7 +1689,7 @@ word en dus is 'n Internet verbinding nodig. CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Wis sekerlik die %n gekose aangepasde skyfie uit? @@ -1695,60 +1700,60 @@ word en dus is 'n Internet verbinding nodig. 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>Beeld Mini-program</strong><br/>Die beeld mini-program verskaf vertoning van beelde.<br/>Een van die onderskeidende kenmerke van hierdie mini-program is die vermoë om beelde te groepeer in die diensbestuurder wat dit maklik maak om verskeie beelde te vertoon. Die mini-program kan ook van OpenLP se "tydgebonde herhaling"-funksie gebruik maak om 'n automatiese skyfe-vertoning te verkry. Verder kan beelde van hierdie mini-program gebruik word om die huidige tema se agtergrond te vervang hoewel 'n tema sy eie agtergrond het. - + Image name singular Beeld - + Images name plural Beelde - + Images container title Beelde - + Load a new image. Laai 'n nuwe beeld. - + Add a new image. Voeg 'n nuwe beeld by. - + Edit the selected image. Redigeer die geselekteerde beeld. - + Delete the selected image. Wis die geselekteerde beeld uit. - + Preview the selected image. Skou die geselekteerde beeld. - + Send the selected image live. Stuur die geselekteerde beeld regstreeks. - + Add the selected image to the service. Voeg die geselekteerde beeld by die diens. @@ -1756,7 +1761,7 @@ word en dus is 'n Internet verbinding nodig. ImagePlugin.ExceptionDialog - + Select Attachment Selekteer Aanhangsel @@ -1764,44 +1769,44 @@ word en dus is 'n Internet verbinding nodig. ImagePlugin.MediaItem - + Select Image(s) Selekteer beeld(e) - + You must select an image to delete. 'n Beeld om uit te wis moet geselekteer word. - + You must select an image to replace the background with. 'n Beeld wat die agtergrond vervang moet gekies word. - + Missing Image(s) Vermisde Beeld(e) - + The following image(s) no longer exist: %s Die volgende beeld(e) bestaan nie meer nie: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Die volgende beeld(e) bestaan nie meer nie: %s Voeg steeds die ander beelde by? - + There was a problem replacing your background, the image file "%s" no longer exists. Daar was 'n probleem om die agtergrond te vervang. Die beeld lêer "%s" bestaan ine meer nie. - + There was no display item to amend. Daar was geen vertoon item om by te voeg nie. @@ -1809,78 +1814,78 @@ Voeg steeds die ander beelde by? ImagesPlugin.ImageTab - + Background Color Agtergrond Kleur - + Default Color: Verstek Kleur: - + Visible background for images with aspect ratio different to screen. - + Visuele agtergrond vir beelde met 'n aspek verhouding wat verskil met dié van die skerm. 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. @@ -1928,7 +1933,7 @@ Voeg steeds die ander beelde by? Daar was geen vertoon item om by te voeg nie. - + Unsupported File Lêer nie Ondersteun nie @@ -1946,22 +1951,22 @@ Voeg steeds die ander beelde by? MediaPlugin.MediaTab - + Available Media Players Beskikbare Media Spelers - + %s (unavailable) %s (onbeskikbaar) - + Player Order Speler Orde - + Allow media player to be overridden Laat toe dat media speler oorheers word @@ -1969,7 +1974,7 @@ Voeg steeds die ander beelde by? OpenLP - + Image Files Beeld Lêers @@ -2172,192 +2177,276 @@ Gedeeltelike kopiereg © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings GK (UI) Verstellings - + Number of recent files to display: Hoeveelheid onlangse lêers om te vertoon: - + Remember active media manager tab on startup Onthou die laaste media bestuurder oortjie wanneer die program begin - + Double-click to send items straight to live Dubbel-kliek om die items regstreeks te stuur - + Expand new service items on creation Sit die nuwe diens items uit wanneer dit geskep word - + Enable application exit confirmation Stel die program in staat om die uitgang bevestiging te vertoon - + Mouse Cursor Muis Wyser - + Hide mouse cursor when over display window Steek die muis wyser weg wanneer dit oor die vertoon venster beweeg - + Default Image Verstek Beeld - + Background color: Agtergrond kleur: - + Image file: Beeld lêer: - + Open File Maak Lêer oop - + Advanced Gevorderd - + Preview items when clicked in Media Manager Skou items wanneer gekliek word in die Media Bestuurder - + Click to select a color. Kliek om 'n kleur te kies. - + Browse for an image file to display. Blaai vir 'n beeld lêer om te vertoon. - + Revert to the default OpenLP logo. Verander terug na die verstek OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Diens %Y-%m-%d %H-%M - + Default Service Name Verstek Diens Naam - + Enable default service name Laat verstek diens naam toe - + Date and Time: Datum en Tyd: - + Monday Maandag - + Tuesday Dinsdag - + Wednesday Woensdag - + Thurdsday Donderdag - + Friday Vrydag - + Saturday Saterdag - + Sunday Sondag - + Now Nou - + Time when usual service starts. Tyd wanneer gewone diens begin. - + Name: Naam: - + Consult the OpenLP manual for usage. Konsulteer die OpenLP handleiding vir gebruik. - + Revert to the default service name "%s". Herstel tot die verstek diens naam "%s". - + Example: Voorbeeld: - + X11 X11 - + Bypass X11 Window Manager Werk om X11 Venster Bestuurder - + Syntax error. Sintaks fout. + + + Data Location + Data Ligging + + + + Current path: + Huidige pad: + + + + Custom path: + Eie pad: + + + + Browse for new data file location. + Blaai vir nuwe data lêer ligging. + + + + Set the data location to the default. + Stel die data ligging na die verstek ligging. + + + + Cancel + Kanselleer + + + + Cancel OpenLP data directory location change. + Kanselleer OpenLP data lêer ligging verandering. + + + + Copy data to new location. + Kopiër data na nuwe ligging. + + + + Copy the OpenLP data files to the new location. + Kopiër die OpenLP data lêers na die nuwe ligging. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>WAARSKUWING:</strong> Nuwe data lêer ligging bevat OpenLP data lêers. Hierdie lêers SAL vervang word gedurende kopiëring. + + + + Data Directory Error + Data Lêer Fout + + + + Select Data Directory Location + Selekteer Data Lêer Ligging + + + + Confirm Data Directory Change + Bevestig Data Lêer Verandering + + + + Reset Data Directory + Herstel Data Lêer + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Verander die OpenLP data lêer sekerlik na die verstek ligging toe? + +Hierdie ligging sal gebruik word nadat OpenLP toegemaak is. + + + + Overwrite Existing Data + Oorskryf Bestaande Data + OpenLP.ExceptionDialog @@ -2394,7 +2483,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Heg 'n Lêer aan - + Description characters to enter : %s Beskrywende karakters om in te voer: %s @@ -2402,24 +2491,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2539,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2586,17 +2675,17 @@ Version: %s Verstek Instellings - + Downloading %s... Aflaai %s... - + Download complete. Click the finish button to start OpenLP. Aflaai voltooi. Klik op die klaar knoppie om OpenLP te begin. - + Enabling selected plugins... Skakel geselekteerde miniprogramme aan... @@ -2666,32 +2755,32 @@ Version: %s Hierdie gids sal bystand verleen in die proses om OpenLP op te stel vir eerste gebruik. Klik die volgende knoppie hieronder om die seleksie proses te begin. - + Setting Up And Downloading Opstel en Afliaai - + Please wait while OpenLP is set up and your data is downloaded. Wag asseblief terwyl OpenLP opgestel en die data afgelaai word. - + Setting Up Opstel - + Click the finish button to start OpenLP. Kliek die voltooi knoppie om OpenLP te begin. - + Download complete. Click the finish button to return to OpenLP. Aflaai voltooi. Klik op die klaar knoppie om na OpenLP terug te keer. - + Click the finish button to return to OpenLP. Kliek die voltooi knoppie om na OpenLP terug te keer. @@ -2710,14 +2799,18 @@ 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. Click 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 was gevind nie. Die Eerste Keer Gids benodig 'n Internet konneksie in orde om voorbeeld liedere, Bybels en temas af te laai. Kliek die Voltooi knoppie nou om OpenLP te begin met begin instellings en geen voorbeeld data nie. + +Om weer die Eerste Keer Gids te gebruik en hierdie voorbeeld data om 'n latere stadium in te voer, gaan jou Internet konneksie na en begin weer hierdie gids deur "Gereedskap/Eerste Keer Gids" vanaf OpenLP te begin. To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. - + + +Om die Eerste Keer Gids heeltemal te kanselleer (en verhoed dat OpenLP begin), klik op die Kanselleer knoppie hieronder. @@ -2776,32 +2869,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Opdateer Fout - + Tag "n" already defined. Etiket "n" alreeds gedefinieër. - + New Tag Nuwe Etiket - + <HTML here> <HTML hier> - + </and here> </en hier> - + Tag %s already defined. Etiket %s alreeds gedefinieër. @@ -2809,82 +2902,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Rooi - + Black Swart - + Blue Blou - + Yellow Geel - + Green Groen - + Pink Pienk - + Orange Oranje - + Purple Pers - + White Wit - + Superscript Bo-skrif - + Subscript Onder-skrif - + Paragraph Paragraaf - + Bold Vetdruk - + Italics Italiaans - + Underline Onderlyn - + Break Breek @@ -2892,170 +2985,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Algemeen - + Monitors Monitors - + Select monitor for output display: Selekteer monitor vir uitgaande vertoning: - + Display if a single screen Vertoon as dit 'n enkel skerm is - + Application Startup Applikasie Aanskakel - + Show blank screen warning Vertoon leë skerm waarskuwing - + Automatically open the last service Maak vanself die laaste diens oop - + Show the splash screen Wys die spatsel skerm - + Application Settings Program Verstellings - + Prompt to save before starting a new service Vra om te stoor voordat 'n nuwe diens begin word - + Automatically preview next item in service Wys voorskou van volgende item in diens automaties - + sec sek - + CCLI Details CCLI Inligting - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wagwoord: - + X X - + Y Y - + Height Hoogte - + Width Wydte - + Check for updates to OpenLP Kyk vir opdaterings van OpenLP - + Unblank display when adding new live item Verwyder blanko vertoning wanneer 'n nuwe regstreekse item bygevoeg word - + Timed slide interval: Tyd-gedrewe skyfie interval: - + Background Audio Agtergrond Oudio - + Start background audio paused Begin agtergrond oudio gestop - + Service Item Slide Limits Diens Item Skyfie Limiete - + Override display position: Oorheers vertoon ligging: - + Repeat track list Herhaal snit lys - + Behavior of next/previous on the last/first slide: - + Gedrag van die vorige/volgende op die laaste/eerste skyfie: - + &Remain on Slide - + &Bly op Skyfie - + &Wrap around - + Omvou - + &Move to next/previous service item - + Beweeg na volgende/vorige diens ite&m OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Herlaai asseblief OpenLP om die nuwe taal instelling te gebruik. @@ -3071,287 +3164,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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/. @@ -3360,108 +3453,108 @@ 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 - + English Please add the name of your language here 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. - + &Recent Files Onlangse Lêe&rs - + 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. @@ -3470,43 +3563,43 @@ 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. - + 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. @@ -3519,45 +3612,50 @@ 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) + + + New Data Directory Error + Nuwe Data Lêer Fout + 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 @@ -3566,7 +3664,7 @@ Database: %s Databasis: %s - + OpenLP cannot load your database. Database: %s @@ -3578,73 +3676,73 @@ Databasis: %s OpenLP.MediaManagerItem - + No Items Selected Geen item geselekteer nie - + &Add to selected Service Item &Voeg by die geselekteerde Diens item - + You must select one or more items to preview. Kies een of meer items vir die voorskou. - + You must select one or more items to send live. Kies een of meer items vir regstreekse uitsending. - + You must select one or more items. Kies een of meer items. - + You must select an existing service item to add to. 'n Bestaande diens item moet geselekteer word om by by te voeg. - + Invalid Service Item Ongeldige Diens Item - + You must select a %s service item. Kies 'n %s diens item. - + You must select one or more items to add. Kies een of meer items om by te voeg. - + No Search Results Geen Soek Resultate - + Invalid File Type Ongeldige Lêer Tipe - + Invalid File %s. Suffix not supported Ongeldige Lêer %s. Agtervoegsel nie ondersteun nie - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Duplikaat lêers gevind tydens invoer en is geïgnoreer. @@ -3652,12 +3750,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> etiket is vermis. - + <verse> tag is missing. <verse> etiket is vermis. @@ -3799,12 +3897,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Skerm - + primary primêr @@ -3812,12 +3910,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Begin</strong>: %s - + <strong>Length</strong>: %s <strong>Durasie</strong>: %s @@ -3833,277 +3931,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top Skuif boon&toe - + Move item to the top of the service. Skuif item tot heel bo in die diens. - + Move &up Sk&uif op - + Move item up one position in the service. Skuif item een posisie boontoe in die diens. - + Move &down Skuif &af - + Move item down one position in the service. Skuif item een posisie af in die diens. - + Move to &bottom Skuif &tot heel onder - + Move item to the end of the service. Skuif item tot aan die einde van die diens. - + &Delete From Service Wis uit vanaf die &Diens - + Delete the selected item from the service. Wis geselekteerde item van die diens af. - + &Add New Item &Voeg Nuwe Item By - + &Add to Selected Item &Voeg by Geselekteerde Item - + &Edit Item R&edigeer Item - + &Reorder Item Ve&rander Item orde - + &Notes &Notas - + &Change Item Theme &Verander Item Tema - + OpenLP Service Files (*.osz) OpenLP Diens Lêers (*.osz) - + 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 - + &Expand all Br&ei alles uit - + Expand all the service items. Brei al die diens items uit. - + &Collapse all Sto&rt alles ineen - + Collapse all the service items. Stort al die diens items ineen. - + Open File Maak Lêer oop - + Moves the selection down the window. Skuif die geselekteerde afwaarts in die venster. - + Move up Skuif op - + Moves the selection up the window. Skuif die geselekteerde opwaarts in die venster. - + Go Live Gaan Regstreeks - + Send the selected item to Live. Stuur die geselekteerde item Regstreeks. - + &Start Time &Begin Tyd - + Show &Preview Wys &Voorskou - - Show &Live - Vertoo&n Regstreeks - - - + Modified Service Redigeer Diens - + The current service has been modified. Would you like to save this service? Die huidige diens was verander. Stoor hierdie diens? - + Custom Service Notes: Aangepasde Diens Notas: - + Notes: Notas: - + Playing time: Speel tyd: - + Untitled Service Ongetitelde 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 - + Load an existing service. Laai 'n bestaande diens. - + Save this service. Stoor die diens. - + Select a theme for the service. 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. - + Service File Missing Diens Lêer Vermis - + Slide theme Skyfie tema - + Notes Notas - + Edit Redigeer - + Service copy only Slegs diens kopie. + + + Error Saving File + Fout gedurende Lêer Stooring + + + + There was an error saving your file. + Daar was 'n probleem om die lêer te stoor. + OpenLP.ServiceNoteForm @@ -4134,12 +4237,12 @@ Die inhoud enkodering is nie UTF-8 nie. Kortpad - + Duplicate Shortcut Duplikaat Kortpad - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Die kortpad "%s" is alreeds toegeken aan 'n ander aksie, kies asseblief 'n ander kortpad. @@ -4174,12 +4277,12 @@ Die inhoud enkodering is nie UTF-8 nie. Stel die verstek kortpad terug vir hierdie aksie. - + Restore Default Shortcuts Herstel Verstek Kortpaaie - + Do you want to restore all shortcuts to their defaults? Herstel alle kortpaaie na hul verstek waarde? @@ -4192,172 +4295,172 @@ 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 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. Halt spelende media. - + Stop playing media. Stop spelende media. - + Video position. Video posisie. - + Audio Volume. Oudio Volume. - + Go to "Verse" Gaan na "Vers" - + Go to "Chorus" Gaan na "Koor" - + Go to "Bridge" Gaan na "Brug" - + Go to "Pre-Chorus" Gaan na "Pre-Koor" - + Go to "Intro" Gaan na "Inleiding" - + Go to "Ending" Gaan na "Einde" - + Go to "Other" Gaan na "Ander" - + Previous Slide Vorige Skyfie - + Next Slide Volgende Skyfie - + Pause Audio Hou Oudio - + Background Audio Agtergrond Oudio - + Go to next audio track. Gaan na die volgende oudio snit. - + Tracks Snitte @@ -4451,32 +4554,32 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP.ThemeForm - + Select Image Selekteer Beeld - + Theme Name Missing Tema Naam Vermis - + There is no name for this theme. Please enter one. Daar is nie 'n naam vir hierdie tema nie. Voer asseblief een in. - + Theme Name Invalid Tema Naam Ongeldig - + Invalid theme name. Please enter one. Ongeldige tema naam. Voer asseblief een in. - + (approximately %d lines per slide) (ongeveer %d lyne per skyfie) @@ -4484,193 +4587,193 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP.ThemeManager - + Create a new theme. Skep 'n nuwe tema. - + Edit Theme Redigeer Tema - + Edit a theme. Redigeer 'n tema. - + Delete Theme Wis Tema Uit - + Delete a theme. Wis 'n tema uit. - + Import Theme Voer Tema In - + Import a theme. Voer 'n tema in. - + Export Theme Voer Tema Uit - + Export a theme. Voer 'n tema uit. - + &Edit Theme R&edigeer Tema - + &Delete Theme &Wis Tema uit - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Tema %s is in gebruik deur die %s mini-program. - + 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. Lêer is nie 'n geldige tema nie. - + &Copy Theme &Kopieër Tema - + &Rename Theme He&rnoem Tema - + &Export Theme Vo&er Tema uit - + You must select a theme to rename. Kies 'n tema om te hernoem. - + Rename Confirmation Hernoem Bevestiging - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Duplikaat van %s - + Theme Already Exists Tema Bestaan Reeds @@ -4898,7 +5001,7 @@ Die inhoud enkodering is nie UTF-8 nie. Tema naam: - + Edit Theme - %s Redigeer Tema - %s @@ -4951,47 +5054,47 @@ Die inhoud enkodering is nie UTF-8 nie. OpenLP.ThemesTab - + Global Theme Globale Tema - + Theme Level Tema Vlak - + S&ong Level Lied Vl&ak - + 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. Gebruik die tema van elke lied in die lied-databasis. As 'n lied nie 'n geassosieërde tema het nie, gebruik die diens se tema. As die diens nie 'n tema het nie, gebruik dan die globale tema. - + &Service Level Dien&s Vlak - + 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. Gebruik die tema van die diens en verplaas enige van die individuele liedere se temas. As die diens nie 'n tema het nie, gebruik dan die globale tema. - + &Global Level &Globale Vlak - + Use the global theme, overriding any themes associated with either the service or the songs. Gebruik die globale tema om enige temas wat met die diens of liedere geassosieer is te vervang. - + Themes Temas @@ -5075,245 +5178,245 @@ Die inhoud enkodering is nie UTF-8 nie. pt - + Image Beeld - + Import Voer in - + Live Regstreeks - + Live Background Error Regstreekse Agtergrond Fout - + Load Laai - + Middle Middel - + New Nuwe - + New Service Nuwe Diens - + New Theme Nuwe Tema - + No File Selected Singular Geen Lêer Geselekteer nie - + No Files Selected Plural Geen Leêrs Geselekteer nie - + No Item Selected Singular Geen Item Geselekteer nie - + No Items Selected Plural Geen items geselekteer nie - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Voorskou - + Replace Background Vervang Agtergrond - + Reset Background Herstel Agtergrond - + s The abbreviated unit for seconds s - + Save && Preview Stoor && Voorskou - + Search Soek - + You must select an item to delete. Kies 'n item om uit te wis. - + You must select an item to edit. Selekteer 'n item om te regideer. - + Save Service Stoor Diens - + Service Diens - + Start %s Begin %s - + Theme Singular Tema - + Themes Plural Temas - + Top Bo - + Version Weergawe - + Delete the selected item. Wis die geselekteerde item uit. - + Move selection up one position. Skuif die seleksie een posisie op. - + Move selection down one position. Skuif die seleksie een posisie af. - + &Vertical Align: &Vertikale Sporing: - + Finished import. Invoer voltooi. - + Format: Formaat: - + Importing Invoer - + Importing "%s"... "%s" ingevoer... - + Select Import Source Selekteer Invoer Bron - + Select the import format and the location to import from. Selekteer die invoer vormaat en die ligging vanwaar invoer geskied. - + 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. Die openlp.org 1.x invoerder is onaktief gestel weens 'n vermisde Python module. Om van hierdie invoerder gebruik te maak moet die "python-sqlite" module installeer word. - + Open %s File Maak %s Lêer Oop - + %p% %p% - + Ready. Gereed. - + Starting import... Invoer begin... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Spesifiseer ten minste een %s lêer om vanaf in te voer. - + Welcome to the Bible Import Wizard Welkom by die Bybel Invoer Gids @@ -5323,7 +5426,7 @@ Die inhoud enkodering is nie UTF-8 nie. Welkom by die Lied Uitvoer Gids - + Welcome to the Song Import Wizard Welkom by die Lied Invoer Gids @@ -5411,53 +5514,53 @@ Die inhoud enkodering is nie UTF-8 nie. h - + Layout style: Uitleg styl: - + Live Toolbar Regstreekse Gereedskapsbalk - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP is reeds ana die gang. Gaan voort? - + Settings Verstellings - + Tools Gereedskap - + Unsupported File Lêer nie Ondersteun nie - + Verse Per Slide Vers Per Skyfie - + Verse Per Line Vers Per Lyn - + View Vertoon @@ -5472,37 +5575,37 @@ Die inhoud enkodering is nie UTF-8 nie. XML sintaks fout - + View Mode Vertoon Modus - + Open service. Maak 'n diens oop. - + Print Service Druk Diens uit - + Replace live background. Vervang regstreekse agtergrond. - + Reset live background. Herstel regstreekse agtergrond. - + Split a slide into two only if it does not fit on the screen as one slide. Verdeel 'n skyfie slegs in twee wanneer dit nie op die skerm as 'n enkele skyfie sal pas nie. - + Welcome to the Bible Upgrade Wizard Welkom by die Bybel Opgradeer Gids @@ -5512,64 +5615,105 @@ Die inhoud enkodering is nie UTF-8 nie. Bevesting Uitwissing - + Play Slides in Loop Speel Skyfies in Herhaling - + Play Slides to End Speel Skyfies tot Einde - + Stop Play Slides in Loop Staak Skyfies in Herhaling - + Stop Play Slides to End Staak Skyfies tot Einde - + Next Track Volgende Snit - + Search Themes... Search bar place holder text - + Soek Temas... - + Optional &Split - + Op&sionele Verdeling + + + + Invalid Folder Selected + Singular + Ongeldige Gids Geselekteer + + + + Invalid File Selected + Singular + Ongeldige Lêer Geselekteer + + + + Invalid Files Selected + Plural + Ongeldige Lêer Geselekteer + + + + No Folder Selected + Singular + Geen Gids Geselekteer nie + + + + Open %s Folder + Maak %s Gids Oop + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Een %s lêer moet gespesifiseer word om vanaf in te voer. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Een %s gids moet gespesifiseer word om vanaf in te voer. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 en %2 - + %1, and %2 Locale list separator: end %1, en %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5578,50 +5722,50 @@ Die inhoud enkodering is nie UTF-8 nie. 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>Aanbieding Mini-program</strong><br/>Die aanbieding mini-program bied die vermoë om aanbiedings van verskillende programme te vertoon. Die keuse van beskikbare aanbieding-programme word aan die gebruiker vertoon deur 'n hangkieslys. - + Presentation name singular Aanbieding - + Presentations name plural Aanbiedinge - + Presentations container title Aanbiedinge - + Load a new presentation. Laai 'n nuwe aanbieding. - + Delete the selected presentation. Wis die geselekteerde aanbieding uit. - + Preview the selected presentation. Skou die geselekteerde aanbieding. - + Send the selected presentation live. Stuur die geselekteerde aanbieding regstreeks. - + Add the selected presentation to the service. Voeg die geselekteerde aanabieding by die diens. @@ -5629,70 +5773,70 @@ Die inhoud enkodering is nie UTF-8 nie. PresentationPlugin.MediaItem - + Select Presentation(s) Selekteer Aanbieding(e) - + Automatic Outomaties - + Present using: Bied aan met: - + File Exists Lêer Bestaan Reeds - + A presentation with that filename already exists. 'n Aanbieding met daardie lêernaam bestaan reeds. - + This type of presentation is not supported. Hierdie tipe aanbieding word nie ondersteun nie. - + Presentations (%s) Aanbiedinge (%s) - + Missing Presentation Vermisde Aanbieding - - The Presentation %s no longer exists. - Die Aanbieding %s bestaan nie meer nie. + + The presentation %s is incomplete, please reload. + Die aanbieding %s is onvolledig, herlaai asseblief. - - The Presentation %s is incomplete, please reload. - Die Aanbieding %s is onvolledig, herlaai asseblief. + + The presentation %s no longer exists. + Die aanbieding %s bestaan nie meer nie. PresentationPlugin.PresentationTab - + Available Controllers Beskikbare Beheerders - + %s (unavailable) %s (nie beskikbaar nie) - + Allow presentation application to be overridden Laat toe dat die program oorheers word @@ -5726,150 +5870,150 @@ Die inhoud enkodering is nie UTF-8 nie. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Afgelië - + OpenLP 2.0 Stage View OpenLP 2.0 Verhoog Aansig - + Service Manager Diens Bestuurder - + Slide Controller Skyfie Beheerder - + Alerts Waarskuwings - + Search Soek - + Refresh Verfris - + Blank Blanko - + Show Wys - + Prev Vorige - + Next Volgende - + Text Teks - + Show Alert Wys Waarskuwing - + Go Live Gaan Regstreeks - + No Results Geen Resultate - + Options Opsies - + Add to Service Voeg By Diens - + Home - - - - - Theme - Tema + Tuis - Desktop - + Theme + Tema - + + Desktop + Werkskerm + + + Add &amp; Go to Service - + Voeg by &amp; Gaan na Diens RemotePlugin.RemoteTab - + Serve on IP address: Bedien op hierdie IP adres: - + Port number: Poort nommer: - + Server Settings Bediener Verstellings - + Remote URL: Afgeleë URL: - + Stage view URL: Verhoog vertoning URL: - + Display stage time in 12h format Vertoon verhoog tyd in 12 uur formaat - + Android App Android Program - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Skandeer die QR kode of kliek <a href="https://market.android.com/details?id=org.openlp.android">aflaai</a> om die Android program vanaf die Mark af te laai. @@ -5877,85 +6021,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 @@ -6016,22 +6160,22 @@ Die inhoud enkodering is nie UTF-8 nie. Rapporteer Ligging - + Output File Location Uitvoer Lêer Ligging - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Verslag Skepping - + Report %s has been successfully created. @@ -6040,12 +6184,12 @@ has been successfully created. was suksesvol geskep. - + Output Path Not Selected Skryf Ligging Nie Gekies Nie - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Daar is nie 'n geldige skryf ligging gespesifiseer vir die lied-gebruik verslag nie. Kies asseblief 'n bestaande pad op die rekenaar. @@ -6083,82 +6227,82 @@ was suksesvol geskep. Besig om liedere indek te herskep... - + 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. @@ -6168,26 +6312,26 @@ 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. - + Song name singular Lied - + Songs name plural Liedere - + Songs container title Liedere @@ -6198,32 +6342,32 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.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. @@ -6251,17 +6395,17 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Van: - + You need to type in the first name of the author. U moet die naam van die skrywer invul. - + You need to type in the last name of the author. U moet ten minste die skrywer se naam invoer. - + You have not set a display name for the author, combine the first and last names? 'n Vertoon naam vir die skrywer is nie opgestel nie. Kan die naam en van gekombineer word? @@ -6296,12 +6440,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. Meta Data - + Meta Data Custom Book Names - + Eie Boek Name @@ -6402,72 +6546,72 @@ 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. - + 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. - + 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. @@ -6497,7 +6641,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Verwyder &Alles - + Open File(s) Maak Lêer(s) Oop @@ -6507,7 +6651,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.<strong>Waarskuwing:</strong> Nie al die verse is in gebruik nie. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Die vers orde is ongeldig. Daar is geen verse wat ooreenstem met %s nie. Geldige inskrywings is %s. @@ -6621,134 +6765,139 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selekteer Dokument/Aanbieding Lêers - + Song Import Wizard Lied Invoer Gids - + 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. 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 - - Filename: - Lêernaam: - - - - 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. - 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. - - - + Add Files... Voeg Lêers by... - + Remove File(s) Verwyder Lêer(s) - + Please wait while your songs are imported. Wag asseblief terwyl die liedere ingevoer word. - + 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 - - 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. - - - + 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 - + Foilpresenter Song Files Foilpresenter Lied Lêers - + Copy Kopieër - + Save to File Stoor na Lêer - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Die Liedere van Volgelinge invoerder is onaktief gestel omdat OpenLP nie toegang tot OpenOffice of LibreOffice het nie. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 of OpenLP 2.0 Uitgevoerde Lied - + OpenLyrics Files OpenLyrics Lêers - + CCLI SongSelect Files - + CCLI SongSelect Lêers - + EasySlides XML File - + EeasySlides XML Lêer - + EasyWorship Song Database - + EasyWorship Lied Databasis + + + + DreamBeam Song Files + DreamBeam Lied Lêers + + + + You need to specify a valid PowerSong 1.0 database folder. + 'n Geldige PowerSong 1.0 databasis gids moet gespesifiseer word. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Verwerk eers jou ZionWorx databasis na 'n CSV teks lêer, soos verduidelik word in die <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Gebruikers Handleiding</a>. @@ -6767,22 +6916,22 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.MediaItem - + Titles Titels - + Lyrics Lirieke - + CCLI License: CCLI Lisensie: - + Entire Song Volledige Lied @@ -6795,7 +6944,7 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. - + Maintain the lists of authors, topics and books. Onderhou die lys van skrywers, onderwerpe en boeke. @@ -6806,29 +6955,29 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.kopieër - + Search Titles... - + Soek Titels... - + Search Entire Song... - + Soek deur hele Lied... - + Search Lyrics... - + Soek Lirieke... - + Search Authors... - + Soek Outeure... - + Search Song Books... - + Soek Lied Boeke... @@ -6855,6 +7004,19 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Uitvoer "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + Geen liedere om in te voer nie. + + + + Verses not found. Missing "PART" header. + Verse nie gevind nie. Vermis "PART" opskrif. + + SongsPlugin.SongBookForm @@ -6894,12 +7056,12 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongImport - + copyright kopiereg - + The following songs could not be imported: Die volgende liedere kon nie ingevoer word nie: @@ -6919,118 +7081,110 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Lêer nie gevind nie - - SongsPlugin.SongImportForm - - - Your song import failed. - Lied invoer het misluk. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Skrywer kon nie bygevoeg word nie. - + This author already exists. Die skrywer bestaan reeds. - + Could not add your topic. Onderwerp kon nie bygevoeg word nie. - + This topic already exists. Hierdie onderwerp bestaan reeds. - + Could not add your book. Boek kon nie bygevoeg word nie. - + This book already exists. Hierdie boek bestaan reeds. - + Could not save your changes. Veranderinge kon nie gestoor word nie. - + Could not save your modified author, because the author already exists. Geredigeerde skrywer kon nie gestoor word nie, omdat die skrywer reeds bestaan. - + Could not save your modified topic, because it already exists. Geredigeerde onderwerp kon nie gestoor word nie, want dit bestaan alreeds. - + Delete Author Wis Skrywer Uit - + Are you sure you want to delete the selected author? Wis die geselekteerde skrywer uit? - + This author cannot be deleted, they are currently assigned to at least one song. Die skrywer kan nie uitgewis word nie, omdat die skrywer aan ten minste een lied toegeken is. - + Delete Topic Wis Onderwerp Uit - + Are you sure you want to delete the selected topic? Wis die geselekteerde onderwerp uit? - + This topic cannot be deleted, it is currently assigned to at least one song. Die onderwerp kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - + Delete Book Wis Boek Uit - + Are you sure you want to delete the selected book? Wis die geselekteerde boek uit? - + This book cannot be deleted, it is currently assigned to at least one song. Die boek kan nie uitgewis word nie, omdat dit aan ten minste een lied toegeken is. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Die outeur %s bestaan alreeds. Moet liedere met die outeur %s die bestaande outeur %s gebruik? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Die onderwerp %s bestaan alreeds. Moet liedere met die onderwerp %s die bestaande onderwerp %s gebruik? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Die boek %s bestaan reeds. Moed liedere met die doek %s gebruik maak van bestaande boek %s? @@ -7038,29 +7192,29 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling. SongsPlugin.SongsTab - + Songs Mode Liedere Modus - + Enable search as you type Bekragtig soek soos getik word - + Display verses on live tool bar Vertoon verse op regstreekse gereedskap staaf - + Update service from song edit Opdateer diens van lied-redigering - + Import missing songs from service files - + Voer vermisde liedere in vanaf diens lêers @@ -7119,4 +7273,17 @@ Die enkodering is verantwoordelik vir die korrekte karrakter voorstelling.Ander + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Probleem om CSV lêer te lees. + + + + File not valid ZionWorx CSV format. + Lêer nie geldige ZionWorx CSV formaat nie. + + diff --git a/resources/i18n/cs.ts b/resources/i18n/cs.ts index ddb437ea6..6405a2155 100644 --- a/resources/i18n/cs.ts +++ b/resources/i18n/cs.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Upozornění - + Show an alert message. Zobrazit vzkaz upozornění. - + Alert name singular Upozornění - + Alerts name plural 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. <strong>Modul upozornění</strong><br />Modul upozornění umožňuje zobrazovat různé hlášky a upozornění na zobrazovací obrazovce. @@ -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,513 +152,513 @@ Chcete přesto pokračovat? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Více Biblí - + Bibles container title Bible - + No Book Found Kniha nenalezena - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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 &Aktualizovat starší Bibles - + Upgrade the Bible databases to the latest format. Povýšit databáze Bible na nejnovější formát. - + Genesis 1. Mojžíšova - + Exodus 2. Mojžíšova - + Leviticus 3. Mojžíšova - + Numbers 4. Mojžíšova - + Deuteronomy 5. Mojžíšova - + Joshua Jozue - + Judges Soudců - + Ruth Rút - + 1 Samuel 1. Samuelova - + 2 Samuel 2. Samuelova - + 1 Kings 1. Královská - + 2 Kings 2. Královská - + 1 Chronicles 1. Paralipomenon - + 2 Chronicles 2. Paralipomenon - + Ezra Ezdráš - + Nehemiah Nehemjáš - + Esther Ester - + Job Jób - + Psalms Žalmy - + Proverbs Přísloví - + Ecclesiastes Kazatel - + Song of Solomon Píseň písní - + Isaiah Izajáš - + Jeremiah Jeremjáš - + Lamentations Pláč - + Ezekiel Ezechiel - + Daniel Daniel - + Hosea Ozeáš - + Joel Jóel - + Amos Ámos - + Obadiah Abdijáš - + Jonah Jonáš - + Micah Micheáš - + Nahum Nahum - + Habakkuk Abakuk - + Zephaniah Sofonjáš - + Haggai Ageus - + Zechariah Zacharjáš - + Malachi Malachiáš - + Matthew Matouš - + Mark Marek - + Luke Lukáš - + John Jan - + Acts Skutky apoštolské - + Romans Římanům - + 1 Corinthians 1. Korintským - + 2 Corinthians 2. Korintským - + Galatians Galatským - + Ephesians Efezským - + Philippians Filipským - + Colossians Koloským - + 1 Thessalonians 1. Tesalonickým - + 2 Thessalonians 2. Tesalonickým - + 1 Timothy 1. Timoteovi - + 2 Timothy 2. Timoteovi - + Titus Titovi - + Philemon Filemonovi - + Hebrews Židům - + James List Jakubův - + 1 Peter 1. list Petrův - + 2 Peter 2. list Petrův - + 1 John 1. list Janův - + 2 John 2. list Janův - + 3 John 3. list Janův - + Jude List Judův - + Revelation Zjevení Janovo - + Judith Júdit - + Wisdom Kniha moudrosti - + Tobit Tobijáš - + Sirach Sírachovec - + Baruch Báruk - + 1 Maccabees 1. Makabejská - + 2 Maccabees 2. Makabejská - + 3 Maccabees 3. Makabejská - + 4 Maccabees 4. Makabejská - + Rest of Daniel Zbytek Daniele - + Rest of Esther Zbytek Ester - + Prayer of Manasses Modlitba Manasese - + Letter of Jeremiah Jeremiášův Dopis - + Prayer of Azariah Modlitba Azarjáše - + Susanna Zuzana - + Bel - + Bel - + 1 Esdras 1. Ezdrášova - + 2 Esdras 2. Ezdrášova - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. - + :|v|V|verse|verses;;-|to;;,|and;;end @@ -666,82 +666,84 @@ Chcete přesto pokračovat? You need to specify a version name for your Bible. - Je nutno uvést název verze Bible. + Je nutno uvést název verze Bible. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla, je nutno takto označit. + K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla (Public Domain), je nutno takto označit. Bible Exists - Bible existuje + Bible existuje This Bible already exists. Please import a different Bible or first delete the existing one. - Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. + Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. You need to specify a book name for "%s". - + Je nutno uvést název knihy pro "%s". The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + "%s" není správný název knihy. +Čísla mohou být použita jen na začátku a pak musí +následovat jeden nebo více nečíslných znaků. Duplicate Book Name - + Duplicitní název knihy The Book Name "%s" has been entered more than once. - + "%s" jako název knihy byl zadán více než jednou. BiblesPlugin.BibleManager - + Scripture Reference Error Chyba v odkazu do Bible - + Web Bible cannot be used Bibli z www nelze použít - + Text Search is not available with Web Bibles. Hledání textu není dostupné v Bibli z www. - + 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. Nebylo zadáno slovo pro hledání. K hledání textu obsahující všechna slova je nutno tato slova oddělit mezerou. Oddělením slov čárkou se bude hledat text obsahující alespoň jedno ze zadaných slov. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Žádné Bible nejsou nainstalovány. K p?idání jedné nebo více Biblí prosím použijte Pr?vodce importem. - + No Bibles Available Žádné Bible k dispozici - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Kniha Kapitola%(verse)sVerš%(range)sKapitola%(verse)sVerš BiblesPlugin.BiblesTab - + Verse Display Zobrazit verš - + Only show new chapter numbers Zobrazit jen číslo nové kapitoly - + Bible theme: Motiv Bible: - + No Brackets Žádné závorky - + ( And ) ( A ) - + { And } { A } - + [ And ] [ A ] - + Note: Changes do not affect verses already in the service. Poznámka: Verše, které jsou už ve službě, nejsou změnami ovlivněny. - + Display second Bible verses Zobrazit druhé verše z Bible - + Custom Scripture References Uživatelské odkazy z Bible - + Verse Separator: Oddělovač veršů: - + Range Separator: Oddělovač rozsahů: - + List Separator: Oddělovač seznamů: - + End Mark: Ukončovací značka: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ Musí být odděleny vislou čárou "|". Pro použití výchozí hodnoty smažte tento řádek. - + English - Angličtina + Čeština - + Default Bible Language - + Výchozí jazyk Bible - + Book name language in search field, search results and on display: - + Jazyk názvů knih ve vyhledávacím poli, +výsledcích vyhledávání a při zobrazení: - + Bible Language - + Jazyk Bible - + Application Language - + Jazyk aplikace @@ -905,11 +908,6 @@ search results and on display: Select Book Name Vybrat název knihy - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Pro následující název knihy nebyl nalezen interní název. Vyberte prosím ze seznamu odpovídající anglický název. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Apokryfy + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Pro následující název knihy není odpovídající vnitřní název. Vyberte prosím odpovídající název ze seznamu. + BiblesPlugin.BookNameForm - + You need to select a book. Je potřeba vybrat knihu. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Editor Bible License Details - Podrobnosti licence + Podrobnosti k licenci Version name: - Název verze: + Název verze: Copyright: - Autorská práva: + Autorská práva: Permissions: - Povolení: + Povolení: Default Bible Language - + Výchozí jazyk Bible Book name language in search field, search results and on display: - + Jazyk názvů knih ve vyhledávacím poli, výsledcích vyhledávání a při zobrazení: Global Settings - + Globální nastavení Bible Language - + Jazyk Bible Application Language - + Jazyk aplikace English - Angličtina + Angličtina This is a Web Download Bible. It is not possible to customize the Book Names. - + Toto je Bible stahovaná z Internetu. +Není možné přizpůsobit si názvy knih. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Pro přizpůsobení názvů knih musí být vybrán "Jazyk Bible" v kartě Meta Data nebo na stránce Bible v Nastavení OpenLP, pokud je vybráno "Globální nastavení". BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registruji Bibli a stahuji knihy... - + Registering Language... Registruji jazyk... - + Importing %s... Importing <book name>... Importuji %s... - + Download Error Chyba stahování - + 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. Při stahování výběru veršů se vyskytl problém. Prosím prověřte své internetové připojení. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby. - + Parse Error Chyba zpracování - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Při rozbalování výběru veršů se vyskytl problém. Pokud se tato chyba stále objevuje, zvašte prosím nahlášení chyby. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Průvodce importem Bible - + 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. Tento průvodce usnadní import Biblí z různých formátů. Proces importu se spustí klepnutím níže na tlačítko další. Potom vyberte formát, ze kterého se bude Bible importovat. - + Web Download Stáhnutí z www - + Location: Umístění: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Volby stahování - + Server: Server: - + Username: Uživatelské jméno: - + Password: Heslo: - + Proxy Server (Optional) Proxy Server (Volitelné) - + License Details Podrobnosti licence - + Set up the Bible's license details. Nastavit podrobnosti k licenci Bible. - + Version name: Název verze: - + Copyright: Autorská práva: - + Please wait while your Bible is imported. Prosím vyčkejte, než se Bible importuje. - + You need to specify a file with books of the Bible to use in the import. Je potřeba určit soubor s knihami Bible. Tento soubor se použije při importu. - + You need to specify a file of Bible verses to import. K importu je třeba určit soubor s veršemi Bible. - + You need to specify a version name for your Bible. Je nutno uvést název verze Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. K Bibli je potřeba nastavit autorská práva. Bible, které jsou volná díla, je nutno takto označit. - + Bible Exists Bible existuje - + This Bible already exists. Please import a different Bible or first delete the existing one. Tato Bible už existuje. Importujte prosím jinou Bibli nebo nejdříve smažte tu existující. - + Your Bible import failed. Import Bible selhal. - + CSV File CSV soubor - + Bibleserver Bibleserver - + Permissions: Povolení: - + Bible file: Soubor s Biblí: - + Books file: Soubor s knihami: - + Verses file: Soubor s verši: - + openlp.org 1.x Bible Files Soubory s Biblemi z openlp.org 1.x - + Registering Bible... Registruji Bibli... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bible registrovaná. Upozornění: Verše budou stahovány na vyžádání a proto je vyžadováno internetové připojení. @@ -1274,100 +1278,100 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Rychlý - + Find: Hledat: - + Book: Kniha: - + Chapter: Kapitola: - + Verse: Verš: - + From: Od: - + To: Do: - + Text Search Hledání textu - + Second: Druhý: - + Scripture Reference Odkaz do Bible - + Toggle to keep or clear the previous results. Přepnout ponechání nebo smazání předchozích výsledků. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Nelze kombinovat jednoduché a dvojité výsledky hledání veršů v Bibli. Přejete si smazat výsledky hledání a začít s novým vyhledáváním? - + Bible not fully loaded. Bible není načtena celá. - + Information Informace - + 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. Druhá Bible neobsahuje všechny verše jako jsou v hlavní Bibli. Budou zobrazeny jen verše nalezené v obou Biblích. %d veršů nebylo zahrnuto ve výsledcích. - + Search Scripture Reference... - + Hledat odkaz do Bible... - + Search Text... - + Hledat text... - + Are you sure you want to delete "%s"? - + Jste si jisti, že chcete smazat "%s"? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importuji %s %s... @@ -1376,12 +1380,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... @@ -1390,148 +1394,148 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory - Vybrat adresář pro zálohu + Vybrat složku pro zálohu - + Bible Upgrade Wizard Průvodce aktualizací Bible - + 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. Tento průvodce pomáhá s aktualizací existujcích Biblí z předchozí verze OpenLP 2. Pro spuštění aktualizace klepně níže na tlačítko Další. - + Select Backup Directory - Vybrat adresář pro zálohu + Vybrat složku pro zálohu - + Please select a backup directory for your Bibles - Vyberte prosím adresář pro zálohu Biblí + Vyberte prosím složku pro zálohu Biblí - + 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>. - Předchozí vydání OpenLP 2.0 nejsou schopny aktualizovat Bible. Bude vytvořena záloha současných Biblí, aby bylo možné v případě potřeby jednoduše nakopírovat soubory zpět do datového adresáře aplikace OpenLP. Instrukce, jak obnovit soubory, lze nalézt v <a href="http://wiki.openlp.org/faq">často kladené otázky</a>. + Předchozí vydání OpenLP 2.0 nejsou schopny aktualizovat Bible. Bude vytvořena záloha současných Biblí, aby bylo možné v případě potřeby jednoduše nakopírovat soubory zpět do datové složky aplikace OpenLP. Instrukce, jak obnovit soubory, lze nalézt v <a href="http://wiki.openlp.org/faq">často kladené otázky</a>. - + Please select a backup location for your Bibles. Vyberte prosím umístění pro zálohu Biblí. - + Backup Directory: - Adresář pro zálohu: + Složka pro zálohu: - + There is no need to backup my Bibles Není potřeba zálohovat Bible - + Select Bibles Vybrat Bible - + Please select the Bibles to upgrade Vyberte prosím Bible k aktualizaci - + Upgrading Aktualizuji - + Please wait while your Bibles are upgraded. Čekejte prosím, než budou Bible aktualizovány. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Záloha nebyla úspěšná. Pro zálohu Biblí je nutno oprávnění k zápisu do zadané složky. - + Upgrading Bible %s of %s: "%s" Failed Aktualizuji Bibli %s z %s: "%s" Selhalo - + Upgrading Bible %s of %s: "%s" Upgrading ... Aktualizuji Bibli %s z %s: "%s" Aktualizuji ... - + Download Error Chyba stahování - + To upgrade your Web Bibles an Internet connection is required. Pro aktualizaci Biblí z www je vyžadováno internetové připojení. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Aktualizuji Bibli %s z %s: "%s" Aktualizuji %s ... - + Upgrading Bible %s of %s: "%s" Complete Aktualizuji Bibli %s z %s: "%s" Dokončeno - + , %s failed , %s selhalo - + 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. Aktualizace Biblí: %s úspěšné%s Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyžadováno internetové připojení. - + Upgrading Bible(s): %s successful%s Aktualizace Biblí: %s úspěšné%s - + Upgrade failed. Aktualizace selhala. - + You need to specify a backup directory for your Bibles. Je potřeba upřesnit složku pro zálohu Biblí. - + Starting upgrade... Spouštím aktualizaci... - + There are no Bibles that need to be upgraded. Žádné Bible nepotřebují aktualizovat. @@ -1605,12 +1609,12 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž CustomPlugin.CustomTab - + Custom Display Uživatelské zobrazení - + Display footer Patička zobrazení @@ -1681,7 +1685,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Jste si jisti, že chcete smazat %n vybraný uživatelský snímek? @@ -1693,60 +1697,60 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž 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>Modul obrázek</strong><br />Modul obrázek se stará o zobrazování obrázků.<br />Jedna z charakteristických funkcí tohoto modulu je schopnost ve správci služby seskupit několik obrázků dohromady. Tato vlastnost zjednodušuje zobrazení více obrázků. Tento modul také využívá vlastnosti "časová smyčka" aplikace OpenLP a je tudíž možno vytvořit prezentaci obrázků, která poběží samostatně. Nadto lze využitím obrázků z modulu překrýt pozadí současného motivu. - + Image name singular Obrázek - + Images name plural Obrázky - + Images container title Obrázky - + Load a new image. Načíst nový obrázek. - + Add a new image. Přidat nový obrázek. - + Edit the selected image. Upravit vybraný obrázek. - + Delete the selected image. Smazat vybraný obrázek. - + Preview the selected image. Náhled vybraného obrázku. - + Send the selected image live. Zobrazit vybraný obrázek naživo. - + Add the selected image to the service. Přidat vybraný obrázek ke službě. @@ -1754,7 +1758,7 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.ExceptionDialog - + Select Attachment Vybrat přílohu @@ -1762,44 +1766,44 @@ Upozornění: Verše z www Bible budou stáhnuty na vyžádání a proto je vyž ImagePlugin.MediaItem - + Select Image(s) Vybrat obrázky - + You must select an image to delete. Pro smazání musíte nejdříve vybrat obrázek. - + You must select an image to replace the background with. K nahrazení pozadí musíte nejdříve vybrat obrázek. - + Missing Image(s) Chybějící obrázky - + The following image(s) no longer exist: %s Následující obrázky už neexistují: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Následující obrázky už neexistují: % Chcete přidat ostatní obrázky? - + There was a problem replacing your background, the image file "%s" no longer exists. Problém s nahrazením pozadí. Obrázek "%s" už neexistuje. - + There was no display item to amend. Žádná položka k zobrazení nebyla pozměněna. @@ -1807,78 +1811,78 @@ Chcete přidat ostatní obrázky? ImagesPlugin.ImageTab - + Background Color Barva pozadí - + Default Color: Výchozí barva: - + Visible background for images with aspect ratio different to screen. - + Viditelné pozadí pro obrázky s jiným poměrem stran než má obrazovka. 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. Načíst nové médium. - + Add new media. Přidat nové médium. - + Edit the selected media. Upravit vybrané médium. - + Delete the selected media. Smazat vybrané médium. - + Preview the selected media. Náhled vybraného média. - + Send the selected media live. Zobrazit vybrané médium naživo. - + Add the selected media to the service. Přidat vybrané médium ke službě. @@ -1923,10 +1927,10 @@ Chcete přidat ostatní obrázky? There was no display item to amend. - Žádná položka k zobrazení nebyla pozměněna. + Žádná položka k zobrazení nebyla pozměněna. - + Unsupported File Nepodporovaný soubor @@ -1944,22 +1948,22 @@ Chcete přidat ostatní obrázky? MediaPlugin.MediaTab - + Available Media Players Dostupné přehrávače médií - + %s (unavailable) %s (nedostupný) - + Player Order Pořadí přehrávače - + Allow media player to be overridden Povolit překrytí přehrávače médií @@ -1967,7 +1971,7 @@ Chcete přidat ostatní obrázky? OpenLP - + Image Files Soubory s obrázky @@ -2171,192 +2175,276 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Nastavení rozhraní - + Number of recent files to display: Počet zobrazených nedávných souborů: - + Remember active media manager tab on startup Pamatovat si při spuštění aktivní kartu správce médií - + Double-click to send items straight to live Dvojklik zobrazí položku přímo naživo - + Expand new service items on creation Při vytvoření rozbalit nové položky služby - + Enable application exit confirmation Zapnout potvrzování ukončení aplikace - + Mouse Cursor Kurzor myši - + Hide mouse cursor when over display window Skrýt kurzor myši v okně zobrazení - + Default Image Výchozí obrázek - + Background color: Barva pozadí: - + Image file: Soubor s obrázkem: - + Open File Otevřít soubor - + Advanced Pokročilé - + Preview items when clicked in Media Manager Náhled položek při klepnutí ve správci médií - + Click to select a color. Klepnout pro výběr barvy. - + Browse for an image file to display. Procházet pro obrázek k zobrazení. - + Revert to the default OpenLP logo. Vrátit na výchozí OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Služba %Y-%m-%d %H-%M - + Default Service Name Výchozí název služby - + Enable default service name Zapnout výchozí název služby - + Date and Time: Datum a čas: - + Monday Pondělí - + Tuesday Úterý - + Wednesday Středa - + Thurdsday Čtvrtek - + Friday Pátek - + Saturday Sobota - + Sunday Neděle - + Now Teď - + Time when usual service starts. Čas, kdy obvykle začíná bohoslužba. - + Name: Název: - + Consult the OpenLP manual for usage. Pro použití se podívejte do dokumentace. - + Revert to the default service name "%s". Vrátit na výchozí název služby "%s". - + Example: Příklad: - + X11 X11 - + Bypass X11 Window Manager Obejít správce oken X11 - + Syntax error. Chyba syntaxe. + + + Data Location + Umístění dat + + + + Current path: + Současná cesta: + + + + Custom path: + Uživatelská cesta: + + + + Browse for new data file location. + Procházet pro nové umístění datových souborů. + + + + Set the data location to the default. + Nastavit umístění dat na výchozí. + + + + Cancel + Zrušit + + + + Cancel OpenLP data directory location change. + Zrušit změnu umístění datové složky OpenLP. + + + + Copy data to new location. + Kopírovat data do nového umístění. + + + + Copy the OpenLP data files to the new location. + Kopírovat datové soubory OpenLP do nového umístění. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>VAROVÁNÍ:</strong> Nové umístnění datové složky už obsahuje datové soubory OpenLP. Tyto soubory BUDOU nahrazeny během kopírování. + + + + Data Directory Error + Chyba datové složky + + + + Select Data Directory Location + Vybrat umístění datové složky + + + + Confirm Data Directory Change + Potvrdit změnu datové složky + + + + Reset Data Directory + Obnovit datovou složku + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Jste si jisti, že chcede změnit umístění datové složky OpenLP na výchozí umístění? + +Toto umístění se použije po zavření aplikace OpenLP. + + + + Overwrite Existing Data + Přepsat existující data + OpenLP.ExceptionDialog @@ -2393,7 +2481,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Přiložit soubor - + Description characters to enter : %s Znaky popisu pro vložení : %s @@ -2401,24 +2489,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2449,7 +2537,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2585,17 +2673,17 @@ Version: %s Výchozí nastavení - + Downloading %s... Stahuji %s... - + Download complete. Click the finish button to start OpenLP. Stahování dokončeno. Klepnutím na tlačítko konec se spustí aplikace OpenLP. - + Enabling selected plugins... Zapínám vybrané moduly... @@ -2665,32 +2753,32 @@ Version: %s Tento průvodce pomáhá nastavit OpenLP pro první použití. Pro start klepněte níže na tlačítko další. - + Setting Up And Downloading Nastavuji a stahuji - + Please wait while OpenLP is set up and your data is downloaded. Čekejte prosím, než bude aplikace OpenLP nastavena a data stáhnuta. - + Setting Up Nastavuji - + Click the finish button to start OpenLP. Klepnutím na tlačítko konec se spustí aplikace OpenLP. - + Download complete. Click the finish button to return to OpenLP. Stahování dokončeno. Klepnutím na tlačítko konec dojde k návratu do aplikace OpenLP. - + Click the finish button to return to OpenLP. Klepnutím na tlačítko konec dojde k návratu do aplikace OpenLP. @@ -2709,14 +2797,14 @@ 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. Click 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. - + Internetové připojení není dostupné. Průvodce prvním spuštění potřebuje internetové připojení pro stažení ukázek písní, Biblí a motivů. Klepněte na tlačiko Konec pro spuštění aplikace OpenLP ve výchozím nastavení a bez ukázkových dat. To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. - + Průvodce prvním spuštění lze úplně zrušit (a nespustit OpenLP) klepnutím na tlačítko Zrušit. @@ -2775,32 +2863,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Chyba aktualizace - + Tag "n" already defined. Značka "n" je už definovaná. - + New Tag Nová značka - + <HTML here> <HTML zde> - + </and here> </and zde> - + Tag %s already defined. Značka %s je už definovaná. @@ -2808,82 +2896,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Červená - + Black Černá - + Blue Modrá - + Yellow Žlutá - + Green Zelená - + Pink Růžová - + Orange Oranžová - + Purple Fialová - + White Bílá - + Superscript Horní index - + Subscript Dolní index - + Paragraph Odstavec - + Bold Tučné - + Italics Kurzíva - + Underline Podtržené - + Break Zalomení @@ -2891,170 +2979,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Obecné - + Monitors Monitory - + Select monitor for output display: Vybrat monitor pro výstupní zobrazení: - + Display if a single screen Zobrazení při jedné obrazovce - + Application Startup Spuštění aplikace - + Show blank screen warning Zobrazit varování při prázdné obrazovce - + Automatically open the last service Automaticky otevřít poslední službu - + Show the splash screen Zobrazit úvodní obrazovku - + Application Settings Nastavení aplikace - + Prompt to save before starting a new service Před spuštěním nové služby se ptát na uložení - + Automatically preview next item in service Automatický náhled další položky ve službě - + sec sek - + CCLI Details CCLI podrobnosti - + SongSelect username: SongSelect uživatelské jméno: - + SongSelect password: SongSelect heslo: - + X X - + Y Y - + Height Výška - + Width Šířka - + Check for updates to OpenLP Kontrola aktualizací aplikace OpenLP - + Unblank display when adding new live item Odkrýt zobrazení při přidání nové položky naživo - + Timed slide interval: Časový interval mezi snímky: - + Background Audio Zvuk na pozadí - + Start background audio paused Spustit audio na pozadí pozastavené - + Service Item Slide Limits Omezení snímku položky služby - + Override display position: Překrýt pozici zobrazení: - + Repeat track list Opakovat seznam stop - + Behavior of next/previous on the last/first slide: - + Chování další/předchozí na posledním/prvním snímku: - + &Remain on Slide - + &Zůstat na snímku - + &Wrap around - + &Skočit na první/poslední snímek - + &Move to next/previous service item - + &Přesun na další/předchozí položku ve službě OpenLP.LanguageManager - + Language Jazyk - + Please restart OpenLP to use your new language setting. Změny nastavení jazyka se projeví restartováním aplikace OpenLP. @@ -3070,287 +3158,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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/. @@ -3359,108 +3447,108 @@ 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 - + English Please add the name of your language here - Angličtina + Češ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. Tisk současné služby. - + &Recent Files &Nedávné soubory - + L&ock Panels &Uzamknout panely - + Prevent the panels being moved. Zabrání přesunu panelů. - + Re-run First Time Wizard Znovu spustit Průvodce prvním spuštění - + Re-run the First Time Wizard, importing songs, Bibles and themes. Znovu spustit Průvodce prvním spuštění, importovat písně, Bible a motivy. - + Re-run First Time Wizard? Znovu spustit Průvodce prvním spuštění? - + 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. @@ -3469,43 +3557,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and Znovu spuštěním tohoto průvodce může dojít ke změně současného nastavení aplikace OpenLP a pravděpodobně budou přidány písně k existujícímu seznamu a změněn výchozí motiv. - + Clear List Clear List of recent files Vyprázdnit seznam - + Clear the list of recent files. Vyprázdnit seznam nedávných souborů. - + Configure &Formatting Tags... Nastavit &formátovací značky... - + Export OpenLP settings to a specified *.config file Export nastavení OpenLP do určitého *.config souboru - + Settings Nastavení - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Import nastavení OpenLP ze určitého *.config souboru dříve exportovaného na tomto nebo jiném stroji - + Import settings? Importovat nastavení? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -3518,45 +3606,50 @@ Importováním nastavení dojde k trvalým změnám současného nastavení apli Importování nesprávných nastavení může zapříčinit náladové chování nebo nenormální ukončení aplikace OpenLP. - + Open File Otevřít soubor - + OpenLP Export Settings Files (*.conf) Soubory exportovaného nastavení OpenLP (*.conf) - + Import settings Import nastavení - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. Aplikace OpenLP se nyní zavře. Importovaná nastavení se použijí při příštim spuštění. - + Export Settings File Soubor exportovaného nastavení - + OpenLP Export Settings File (*.conf) Soubor exportovaného nastavení OpenLP (*.conf) + + + New Data Directory Error + Chyba nové datové složky + OpenLP.Manager - + Database Error Chyba databáze - + 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 @@ -3565,7 +3658,7 @@ Database: %s Databáze: %s - + OpenLP cannot load your database. Database: %s @@ -3577,74 +3670,74 @@ Databáze: %s OpenLP.MediaManagerItem - + No Items Selected Nevybraná zádná položka - + &Add to selected Service Item &Přidat k vybrané Položce Služby - + You must select one or more items to preview. Pro náhled je třeba vybrat jednu nebo více položek. - + You must select one or more items to send live. Pro zobrazení naživo je potřeba vybrat jednu nebo více položek. - + You must select one or more items. Je třeba vybrat jednu nebo více položek. - + You must select an existing service item to add to. K přidání Je třeba vybrat existující položku služby. - + Invalid Service Item Neplatná Položka služby - + You must select a %s service item. Je třeba vybrat %s položku služby. - + You must select one or more items to add. Pro přidání Je třeba vybrat jednu nebo více položek. - + No Search Results Žádné výsledky hledání - + Invalid File Type Neplatný typ souboru - + Invalid File %s. Suffix not supported Neplatný soubor %s. Přípona není podporována - + &Clone &Klonovat - + Duplicate files were found on import and were ignored. Při importu byly nalezeny duplicitní soubory a byly ignorovány. @@ -3652,12 +3745,12 @@ Přípona není podporována OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Chybějící značka <lyrics>. - + <verse> tag is missing. Chybějící značka <verse>. @@ -3799,12 +3892,12 @@ Přípona není podporována OpenLP.ScreenList - + Screen Obrazovka - + primary Primární @@ -3812,12 +3905,12 @@ Přípona není podporována OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Začátek</strong>: %s - + <strong>Length</strong>: %s <strong>Délka</strong>: %s @@ -3833,277 +3926,282 @@ Přípona není podporována OpenLP.ServiceManager - + Move to &top Přesun &nahoru - + Move item to the top of the service. Přesun položky ve službě úplně nahoru. - + Move &up Přesun &výše - + Move item up one position in the service. Přesun položky ve službě o jednu pozici výše. - + Move &down P?esun &níže - + Move item down one position in the service. P?esun položky ve služb? o jednu pozici níže. - + Move to &bottom Přesun &dolu - + Move item to the end of the service. Přesun položky ve službě úplně dolů. - + &Delete From Service &Smazat ze služby - + Delete the selected item from the service. Smazat vybranou položku ze služby. - + &Add New Item &Přidat novou položku - + &Add to Selected Item &Přidat k vybrané položce - + &Edit Item &Upravit položku - + &Reorder Item &Změnit pořadí položky - + &Notes &Poznámky - + &Change Item Theme &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í - + &Expand all &Rozvinou vše - + Expand all the service items. Rozvinout všechny položky služby. - + &Collapse all &Svinout vše - + Collapse all the service items. Svinout všechny položky služby. - + Open File Otevřít soubor - + Moves the selection down the window. Přesune výběr v rámci okna dolu. - + Move up Přesun nahoru - + Moves the selection up the window. Přesune výběr v rámci okna nahoru. - + Go Live Zobrazit naživo - + Send the selected item to Live. Zobrazí vybranou položku naživo. - + &Start Time &Spustit čas - + Show &Preview Zobrazit &náhled - - Show &Live - Zobrazit n&aživo - - - + Modified Service Změněná služba - + The current service has been modified. Would you like to save this service? Současná služba byla změněna. Přejete si službu uložit? - + Custom Service Notes: Poznámky Uživatelský služby: - + Notes: Poznámky: - + Playing time: Čas přehrávání: - + Untitled Service Prázdná služba - + 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 - + Load an existing service. Načíst existující službu. - + Save this service. Uložit tuto službu. - + Select a theme for the service. Vybrat motiv pro službu. - + This file is either corrupt or it is not an OpenLP 2.0 service file. Soubor je buďto poškozen nebo se nejedná o soubor se službou z aplikace OpenLP 2.0. - + Service File Missing Chybějící soubor se službou - + Slide theme Motiv snímku - + Notes Poznámky - + Edit Upravit - + Service copy only Kopírovat jen službu + + + Error Saving File + Chyba při ukládání souboru + + + + There was an error saving your file. + Vznikla chyba při ukládání souboru. + OpenLP.ServiceNoteForm @@ -4134,12 +4232,12 @@ Obsah souboru není v kódování UTF-8. Zkratka - + Duplicate Shortcut - Duplikovat zkratku + Duplicitní zkratka - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Zkratka "%s" je už přiřazena jiné činnosti. Použijte prosím jinou zkratku. @@ -4174,12 +4272,12 @@ Obsah souboru není v kódování UTF-8. Obnovit výchozí zkratku činnosti. - + Restore Default Shortcuts Obnovit výchozí zkratku - + Do you want to restore all shortcuts to their defaults? Chcete obnovit všechny zkratky na jejich výchozí hodnoty? @@ -4192,172 +4290,172 @@ 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 Service Předchozí služba - + Next Service Další služba - + Escape Item Zrušit položku - + Move to previous. Přesun na předchozí. - + Move to next. Přeson na další. - + Play Slides Přehrát snímky - + Delay between slides in seconds. Zpoždění mezi s nímky v sekundách. - + Move to live. Přesun naživo. - + Add to Service. Přidat ke službě. - + Edit and reload song preview. Upravit a znovu načíst náhled písně. - + Start playing media. Spustit přehrávání média. - + Pause audio. Pozastavit zvuk. - + Pause playing media. Pozastavit přehrávání média. - + Stop playing media. Zastavit přehrávání média. - + Video position. Umístění videa. - + Audio Volume. Hlasitost zvuku. - + Go to "Verse" Přejít na "Sloka" - + Go to "Chorus" Přejít na "Refrén" - + Go to "Bridge" Přejít na "Přechod" - + Go to "Pre-Chorus" Přejít na "Předrefrén" - + Go to "Intro" Přejít na "Úvod" - + Go to "Ending" Přejít na "Zakončení" - + Go to "Other" Přejít na "Ostatní" - + Previous Slide Předchozí snímek - + Next Slide Další snímek - + Pause Audio Pozastavit zvuk - + Background Audio Zvuk na pozadí - + Go to next audio track. Přejít na další zvukovou stopu. - + Tracks Stopy @@ -4451,32 +4549,32 @@ Obsah souboru není v kódování UTF-8. OpenLP.ThemeForm - + Select Image Vybrat obrázek - + Theme Name Missing Chybí název motivu - + There is no name for this theme. Please enter one. Není vyplněn název motivu. Prosím zadejte ho. - + Theme Name Invalid Neplatný název motivu - + Invalid theme name. Please enter one. Neplatný název motivu. Prosím zadejte nový. - + (approximately %d lines per slide) (přibližně %d řádek na snímek) @@ -4484,193 +4582,193 @@ Obsah souboru není v kódování UTF-8. OpenLP.ThemeManager - + Create a new theme. Vytvoří nový motiv. - + Edit Theme Upravit motiv - + Edit a theme. Upraví motiv. - + Delete Theme Smazat motiv - + Delete a theme. Smaže motiv. - + Import Theme Import motivu - + Import a theme. Importuje motiv. - + Export Theme Export motivu - + Export a theme. Exportuje motiv. - + &Edit Theme &Upravit motiv - + &Delete Theme &Smazat motiv - + Set As &Global Default 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. Soubor není platný motiv. - + &Copy Theme &Kopírovat motiv - + &Rename Theme &Přejmenovat motiv - + &Export Theme &Export motivu - + You must select a theme to rename. K přejmenování je třeba vybrat motiv. - + Rename Confirmation Potvrzení přejmenování - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Kopie %s - + Theme Already Exists Motiv již existuje @@ -4898,7 +4996,7 @@ Obsah souboru není v kódování UTF-8. Název motivu: - + Edit Theme - %s Upravit motiv - %s @@ -4951,47 +5049,47 @@ Obsah souboru není v kódování UTF-8. OpenLP.ThemesTab - + Global Theme Globální motiv - + Theme Level Úroveň motivu - + S&ong Level Úroveň &písně - + 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. Použít motiv z každé písně z databáze. Pokud píseň nemá přiřazen motiv, potom se použije motiv služby. Pokud služba nemá motiv, pak se použije globální motiv. - + &Service Level Úroveň &služby - + 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. Použitím motivu ze služby se překryje motiv jednotlivých písní. Pokud služba nemá motiv, tak se použije globální motiv. - + &Global Level &Globální úroveň - + Use the global theme, overriding any themes associated with either the service or the songs. Použitím globálního motivu se překryjí motivy, které jsou přiřazeny službám nebo písním. - + Themes Motivy @@ -5075,245 +5173,245 @@ Obsah souboru není v kódování UTF-8. pt - + Image Obrázek - + Import Import - + Live Naživo - + Live Background Error Chyba v pozadí naživo - + Load Načíst - + Middle Uprostřed - + New Nový - + New Service Nová služba - + New Theme Nový motiv - + No File Selected Singular Nevybrán žádný soubor - + No Files Selected Plural Nevybrány žádné soubory - + No Item Selected Singular Nevybrána žádná položka - + No Items Selected Plural Nevybrány žádné položky - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Náhled - + Replace Background Nahradit pozadí - + Reset Background Obnovit pozadí - + s The abbreviated unit for seconds s - + Save && Preview Uložit a náhled - + Search Hledat - + You must select an item to delete. Je třeba vybrat nějakou položku ke smazání. - + You must select an item to edit. Je třeba vybrat nějakou položku k úpravám. - + Save Service Uložit službu - + Service Služba - + Start %s Spustit %s - + Theme Singular Motiv - + Themes Plural Motivy - + Top Nahoře - + Version Verze - + Delete the selected item. Smazat vybranou položku. - + Move selection up one position. Přesun výběru o jednu pozici výše. - + Move selection down one position. Přesun výběru o jednu pozici níže. - + &Vertical Align: &Svislé zarovnání: - + Finished import. Import dokončen. - + Format: Formát: - + Importing Importuji - + Importing "%s"... Importuji "%s"... - + Select Import Source Vybrat zdroj importu - + Select the import format and the location to import from. Vyberte formát importu a umístění, ze kterého se má importovat. - + 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. Import dat z openlp.org 1.x je vypnuté kvůli chybějícímu Python modulu. Pokud chcete využít tohoto importu dat, je třeba nainstallovat modul "python-sqlite". - + Open %s File Otevřít soubor %s - + %p% %p% - + Ready. Připraven. - + Starting import... Spouštím import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Je třeba specifikovat alespoň jeden %s soubor, ze kterého se bude importovat. - + Welcome to the Bible Import Wizard Vítejte v průvodci importu Bible @@ -5323,7 +5421,7 @@ Obsah souboru není v kódování UTF-8. Vítejte v průvodci exportu písní - + Welcome to the Song Import Wizard Vítejte v průvodci importu písní @@ -5392,7 +5490,7 @@ Obsah souboru není v kódování UTF-8. Duplicate Error - Duplikovat chybu + Duplicitní chyba @@ -5411,53 +5509,53 @@ Obsah souboru není v kódování UTF-8. hod - + Layout style: Styl rozvržení: - + Live Toolbar Nástrojová lišta naživo - + m The abbreviated unit for minutes min - + OpenLP is already running. Do you wish to continue? Aplikace OpenLP je už spuštěna. Přejete si pokračovat? - + Settings Nastavení - + Tools Nástroje - + Unsupported File Nepodporovaný soubor - + Verse Per Slide Verš na snímek - + Verse Per Line Verš na jeden řádek - + View Zobrazit @@ -5472,37 +5570,37 @@ Obsah souboru není v kódování UTF-8. Chyba v syntaxi XML - + View Mode Režim zobrazení - + Open service. Otevřít službu. - + Print Service Tisk služby - + Replace live background. Nahradit pozadí naživo. - + Reset live background. Obnovit pozadí naživo. - + Split a slide into two only if it does not fit on the screen as one slide. Rozdělit snímek na dva jen v případě, že se nevejde na obrazovku jako jeden snímek. - + Welcome to the Bible Upgrade Wizard Vítejte v průvodci aktualizací Biblí @@ -5512,64 +5610,105 @@ Obsah souboru není v kódování UTF-8. Potvrdit smazání - + Play Slides in Loop Přehrát snímky ve smyčce - + Play Slides to End Přehrát snímky ke konci - + Stop Play Slides in Loop Zastavit přehrávání snímků ve smyčce - + Stop Play Slides to End Zastavit přehrávání snímků ke konci - + Next Track Další stopa - + Search Themes... Search bar place holder text - + Hledat motiv... - + Optional &Split - + Volitelné &rozdělení + + + + Invalid Folder Selected + Singular + Vybraná neplatná složka + + + + Invalid File Selected + Singular + Vybraný neplatný soubor + + + + Invalid Files Selected + Plural + Vybrané neplatné soubory + + + + No Folder Selected + Singular + Nevybraná žádná složka + + + + Open %s Folder + Otevřít složku %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Je potřeba upřesnit jeden %s soubor, ze kterého se bude importovat. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Je potřeba upřesnit jednu %s složku, ze které se bude importovat. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 a %2 - + %1, and %2 Locale list separator: end %1 and %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5578,50 +5717,50 @@ Obsah souboru není v kódování UTF-8. 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>Modul prezentace</strong><br />Modul prezentace dovoluje zobrazovat prezentace z několika různých programů. Výběr dostupných prezentačních programů je uživateli přístupný v rozbalovacím menu. - + Presentation name singular Prezentace - + Presentations name plural Prezentace - + Presentations container title Prezentace - + Load a new presentation. Načíst novou prezentaci. - + Delete the selected presentation. Smazat vybranou prezentaci. - + Preview the selected presentation. Náhled vybrané prezentace. - + Send the selected presentation live. Zobrazit vybranou prezentaci naživo. - + Add the selected presentation to the service. Přidat vybranou prezentaci ke službě. @@ -5629,70 +5768,70 @@ Obsah souboru není v kódování UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Vybrat prezentace - + Automatic Automaticky - + Present using: Nyní používající: - + File Exists Soubor existuje - + A presentation with that filename already exists. Prezentace s tímto názvem souboru už existuje. - + This type of presentation is not supported. Tento typ prezentace není podporován. - + Presentations (%s) Prezentace (%s) - + Missing Presentation Chybějící prezentace - - The Presentation %s no longer exists. - Prezentace %s už neexistuje. + + The presentation %s is incomplete, please reload. + Prezentace %s není kompletní. Načtěte ji znovu. - - The Presentation %s is incomplete, please reload. - Prezentace %s není kompletní, prosím načtěte ji znovu. + + The presentation %s no longer exists. + Prezentace %s už neexistuje. PresentationPlugin.PresentationTab - + Available Controllers Dostupné ovládání - + %s (unavailable) %s (nedostupný) - + Allow presentation application to be overridden Povolit překrytí prezentační aplikace @@ -5726,236 +5865,236 @@ Obsah souboru není v kódování UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Dálkové ovládání - + OpenLP 2.0 Stage View OpenLP 2.0 Zobrazení na pódiu - + Service Manager Správce služby - + Slide Controller Ovládání snímku - + Alerts Upozornění - + Search Hledat - + Refresh Obnovit - + Blank Prázdný - + Show Zobrazit - + Prev Předchozí - + Next Další - + Text Text - + Show Alert Zobrazit upozornění - + Go Live Zobrazit naživo - + No Results Žádné hledání - + Options Možnosti - + Add to Service Přidat ke službě - + Home - - - - - Theme - Motiv + Domů - Desktop - + Theme + Motiv - + + Desktop + Plocha + + + Add &amp; Go to Service - + Přidat &amp; Přejít ke službě RemotePlugin.RemoteTab - + Serve on IP address: Poslouchat na IP adresse: - + Port number: Číslo portu: - + Server Settings Nastavení serveru - + Remote URL: URL dálkového ovládání: - + Stage view URL: URL zobrazení na jevišti: - + Display stage time in 12h format Zobrazit čas na pódiu ve 12hodinovém formátu - + Android App Android aplikace - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. - Naskenujte QR kód nebo pro instalaci android aplikace z marketu klepněte na <a href="https://market.android.com/details?id=org.openlp.android">stáhnout</a> + Naskenujte QR kód nebo pro instalaci Android aplikace z marketu klepněte na <a href="https://market.android.com/details?id=org.openlp.android">stáhnout</a>. 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. Sledování použití písní je zapnuto. - + Song usage tracking is inactive. Sledování použití písní je vypnuto. - + display zobrazení - + printed vytisknutý @@ -6016,22 +6155,22 @@ Obsah souboru není v kódování UTF-8. Umístění hlášení - + Output File Location Umístění výstupního souboru - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Vytvoření hlášení - + Report %s has been successfully created. @@ -6040,12 +6179,12 @@ has been successfully created. bylo úspěšně vytvořeno. - + Output Path Not Selected Nevybrána výstupní cesta - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Platné výstupní umístění pro hlášení používání písní není nastaveno. Prosím vyberte existující cestu ve vašem počítači. @@ -6083,82 +6222,82 @@ bylo úspěšně vytvořeno. 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. @@ -6167,26 +6306,26 @@ 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ě @@ -6197,32 +6336,32 @@ Kódování zodpovídá za správnou reprezentaci znaků. Exportuje písně průvodcem exportu. - + Add a new song. Přidat novou píseň. - + Edit the selected song. Upravit vybranou píseň. - + Delete the selected song. Smazat vybranou píseň. - + Preview the selected song. Náhled vybrané písně. - + Send the selected song live. Zobrazit vybranou píseň naživo. - + Add the selected song to the service. Přidat vybranou píseň ke službě. @@ -6250,17 +6389,17 @@ Kódování zodpovídá za správnou reprezentaci znaků. Příjmení: - + You need to type in the first name of the author. Je potřeba zadat křestní jméno autora. - + You need to type in the last name of the author. Je potřeba zadat příjmení autora. - + You have not set a display name for the author, combine the first and last names? Zobrazené jméno autora není zadáno. Má se zkombinovat křestní jméno a příjmení? @@ -6295,12 +6434,12 @@ Kódování zodpovídá za správnou reprezentaci znaků. Meta Data - + Meta data Custom Book Names - + Uživatelské názvy knih @@ -6401,72 +6540,72 @@ 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. - + 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. - + 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. @@ -6496,7 +6635,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. Odstranit &Vše - + Open File(s) Otevřít soubor(y) @@ -6506,7 +6645,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. <strong>Varování:</strong> Nejsou použity všechny sloky. - + The verse order is invalid. There are no verses 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. @@ -6564,12 +6703,12 @@ Kódování zodpovídá za správnou reprezentaci znaků. Select Directory - Vybrat adresář + Vybrat složku Directory: - Adresář: + Složka: @@ -6599,7 +6738,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. You need to specify a directory. - Je potřeba zadat adresář. + Je potřeba zadat složku. @@ -6620,134 +6759,139 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vybrat dokumentové/prezentační soubory - + Song Import Wizard Průvodce importem písní - + 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. 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 - - Filename: - Název souboru: - - - - 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. - Import pro formát OpenLyrics ještě nebyl vyvinut, ale jak můžete vidět, stále to zamýšlíme udělat. Doufáme, že to bude přítomno v další verzi aplikace. - - - + Add Files... Přidat soubory... - + Remove File(s) Odstranit soubory - + Please wait while your songs are imported. Č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 + Soubory SongBeamer - + SongShow Plus Song Files Soubory s písněmi SongShow Plus - + Foilpresenter Song Files Soubory s písněmi Foilpresenter - + Copy Kopírovat - + Save to File Uložit do souboru - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import ze Songs of Fellowship byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import obecných dokumentů/prezentaci byl zakázán, protože aplikace OpenLP nemůže přistupovat k aplikacím OpenOffice nebo LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics nebo písně exportované z OpenLP 2.0 - + OpenLyrics Files Soubory OpenLyrics - + CCLI SongSelect Files - + Soubory CCLI SongSelect - + EasySlides XML File - + XML soubory EasySlides - + EasyWorship Song Database - + Databáze písní EasyWorship + + + + DreamBeam Song Files + Soubory s písněmi DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + Je potřeba upřesnit platnou složku s databází PowerSong 1.0. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Nejprve je nutno převést databázi ZionWorx do textového CSV souboru, jak je vysvětleno v <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">uživatelské dokumentaci</a>. @@ -6766,22 +6910,22 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.MediaItem - + Titles Názvy - + Lyrics Text písně - + CCLI License: CCLI Licence: - + Entire Song Celá píseň @@ -6795,7 +6939,7 @@ Kódování zodpovídá za správnou reprezentaci znaků. - + Maintain the lists of authors, topics and books. Spravovat seznamy autorů, témat a zpěvníků. @@ -6806,29 +6950,29 @@ Kódování zodpovídá za správnou reprezentaci znaků. kopírovat - + Search Titles... - + Hledat název... - + Search Entire Song... - + Hledat celou píseň... - + Search Lyrics... - + Hledat text písně... - + Search Authors... - + Hledat autory... - + Search Song Books... - + Hledat zpěvníky... @@ -6855,6 +6999,19 @@ Kódování zodpovídá za správnou reprezentaci znaků. Exportuji "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + Žádné písně k importu. + + + + Verses not found. Missing "PART" header. + Sloky nenalezeny. Chybějící hlavička "PART". + + SongsPlugin.SongBookForm @@ -6894,12 +7051,12 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.SongImport - + copyright autorská práva - + The following songs could not be imported: Následující písně nemohly být importovány: @@ -6919,118 +7076,110 @@ Kódování zodpovídá za správnou reprezentaci znaků. Soubor nenalezen - - SongsPlugin.SongImportForm - - - Your song import failed. - Import písně selhal. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Nemohu přidat autora. - + This author already exists. Tento autor již existuje. - + Could not add your topic. Nemohu přidat téma. - + This topic already exists. Toto téma již existuje. - + Could not add your book. Nemohu přidat zpěvník. - + This book already exists. Tento zpěvník již existuje. - + Could not save your changes. Nemohu uložit změny. - + Could not save your modified author, because the author already exists. Nemohu uložit upraveného autora, protože tento autor již existuje. - + Could not save your modified topic, because it already exists. Nemohu uložit upravené téma, protože již existuje. - + Delete Author Smazat autora - + Are you sure you want to delete the selected author? Jste si jisti, že chcete smazat vybraného autora? - + This author cannot be deleted, they are currently assigned to at least one song. Nemohu smazat autora, protože je v současné době přiřazen alespoň k jedné písni. - + Delete Topic Smazat téma - + Are you sure you want to delete the selected topic? Jste si jisti, že opravdu chcete smazat vybrané téma? - + This topic cannot be deleted, it is currently assigned to at least one song. Nemohu smazat toto téma, protože je v současné době přiřazeno alespoň k jedné písni. - + Delete Book Smazat zpěvník - + Are you sure you want to delete the selected book? Jste si jisti, že chcete smazat vybraný zpěvník? - + This book cannot be deleted, it is currently assigned to at least one song. Nemohu smazat tento zpěvník, protože je v současné době přiřazen alespoň k jedné písni. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Autor %s již existuje. Přejete si vytvořit písně s autorem %s a použít již existujícího autora %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Téma %s již existuje. Přejete si vytvořit písně s tématem %s a použít již existující téma %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Zpěvník %s již existuje. Přejete si vytvořít písně se zpěvníkem %s a použít již existující zpěvník %s? @@ -7038,29 +7187,29 @@ Kódování zodpovídá za správnou reprezentaci znaků. SongsPlugin.SongsTab - + Songs Mode Režim písně - + Enable search as you type Zapnout hledat během psaní - + Display verses on live tool bar Zobrazit sloky v nástrojové liště naživo - + Update service from song edit Aktualizovat službu při úpravě písně - + Import missing songs from service files - + Import chybějících písní ze souborů služby @@ -7119,4 +7268,17 @@ Kódování zodpovídá za správnou reprezentaci znaků. Ostatní + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Chyba při čtení CSV souboru. + + + + File not valid ZionWorx CSV format. + Soubor není platný ZionWorx CSV formát. + + diff --git a/resources/i18n/da.ts b/resources/i18n/da.ts index 551520e25..437f8b7bc 100644 --- a/resources/i18n/da.ts +++ b/resources/i18n/da.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Meddelelse - + Show an alert message. Vis en meddelelse. - + Alert name singular Meddelelse - + Alerts name plural Meddelelser - + Alerts container title Meddelelser - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Meddelelsesudvidelse</strong><br />Meddelelsesudvidelsen kontrollerer visningen af beskeder fra søndagsskolen på skærmen. @@ -119,32 +119,32 @@ Vil du fortsætte alligevel? AlertsPlugin.AlertsTab - + Font Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarve: - + Background color: Baggrundsfarve: - + Font size: Skriftstørrelse: - + Alert timeout: Varighed af meddelse: @@ -152,510 +152,510 @@ Vil du fortsætte alligevel? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Bibler - + Bibles container title Bibler - + No Book Found Ingen bog fundet - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Ingen matchende bog kunne findes i denne bibel. Check om du har stavet bogens navn rigtigt. - + Import a Bible. Importér en bibel. - + Add a new Bible. Tilføj en ny bibel. - + Edit the selected Bible. Redigér den valgte bibel. - + Delete the selected Bible. Slet den valgte bibel. - + Preview the selected Bible. Forhåndsvis den valgte bibel. - + Send the selected Bible live. Send den valgte bibel live. - + Add the selected Bible to the service. Tilføj den valgte bibel til programmet. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibeludvidelse</strong><br />Bibeludvidelsen gør det muligt at vise bibelvers fra forskellige kilder i løbet af gudstjenesten. - + &Upgrade older Bibles &Opgradér ældre bibler - + Upgrade the Bible databases to the latest format. Opgradér bibel-databaserne til det nyeste format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -709,39 +709,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Fejl med skriftsted - + Web Bible cannot be used Netbibelen kan ikke bruges - + Text Search is not available with Web Bibles. Tekstsøgning virker ikke med netbibler. - + 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. Du indtastede ikke et søgeord. Du kan opdele forskellige søgeord med mellemrum for at søge efter alle søgeordene, og du kan opdele dem med et komma for at søge efter ét af dem. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Der er ikke installeret nogle bibler på nuværende tidspunkt. Benyt import-guiden til at installere én eller flere bibler. - + No Bibles Available Ingen bibler tilgængelige - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -757,128 +757,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Visning af vers - + Only show new chapter numbers Vis kun nye kapitelnumre - + Bible theme: Bibeltema: - + No Brackets Ingen paranteser - + ( And ) ( og ) - + { And } { og } - + [ And ] [ og ] - + Note: Changes do not affect verses already in the service. Bemærk: Ændringer påvirker ikke vers der allerede er tilføjet til programmet. - + Display second Bible verses Vis sekundære bibelvers - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English Dansk - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -890,11 +890,6 @@ search results and on display: Select Book Name Vælg bogens navn - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Det følgende bognavn kan stemmer ikke overens. Vælg det tilsvarende engelske navn fra listen. - Current name: @@ -925,11 +920,16 @@ search results and on display: Apocrypha Apokryfe skrifter + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Du er nødt til først at vælge en bog. @@ -1025,38 +1025,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerer bibelen og indlæser bøger... - + Registering Language... Registrerer sprog... - + Importing %s... Importing <book name>... Importerer %s... - + Download Error Hentningsfejl - + 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. Der opstod en fejl ved hentningen af dit valg af vers. Efterse din internetforbindelse, og hvis fejlen fortsat opstår så overvej at rapportere fejlen. - + Parse Error Fortolkningfejl - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Der opstod et problem med at udpakke dit valg af vers. Hvis denne fejl fortsætter med at opstå, så overvej at rapportere fejlen. @@ -1064,167 +1064,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibel-import guide - + 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. Denne guide vil hjælpe dig med at importere bibler med forskellige formater. Klik på næsteknappen herunder for at begynde processen ved at vælge et format at importere fra. - + Web Download Hentning fra netten - + Location: Placering: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Hentingsmuligheder - + Server: Server: - + Username: Brugernavn: - + Password: Adgangskode: - + Proxy Server (Optional) Proxy server (valgfri) - + License Details Licens detaljer - + Set up the Bible's license details. Indstil bibelens licensdetaljer. - + Version name: Navn på udgave: - + Copyright: Ophavsret: - + Please wait while your Bible is imported. Vent venligst imens din bibel bliver importeret. - + You need to specify a file with books of the Bible to use in the import. Angiv en fil med bøger fra Bibelen der skal importeres. - + You need to specify a file of Bible verses to import. Vælg en fil med bibelvers der skal importeres. - + You need to specify a version name for your Bible. Vælg et udgavenavn til din bibel. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Angiv din bibels ophavsret. Bibler i Public Domain skal markeres som værende sådan. - + Bible Exists Bibel eksisterer - + This Bible already exists. Please import a different Bible or first delete the existing one. Denne bibel eksisterer allerede. Importér en anden bibel, eller slet først den eksisterende bibel. - + Your Bible import failed. Din bibelimport slog fejl. - + CSV File CSV fil - + Bibleserver Bibelserver - + Permissions: Tilladelser: - + Bible file: Bibelfil: - + Books file: Bogfil: - + Verses file: Versfil: - + openlp.org 1.x Bible Files openlp.org 1.x bibelfiler - + Registering Bible... Registrerer bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registrerede bibel. Bemærk venligst at vers hentes på @@ -1260,92 +1260,92 @@ forespørgsel og en internetforbindelse er derfor påkrævet. BiblesPlugin.MediaItem - + Quick Hurtig - + Find: Find: - + Book: Bog: - + Chapter: Kapitel: - + Verse: Vers: - + From: Fra: - + To: Til: - + Text Search Tekstsøgning - + Second: Anden: - + Scripture Reference Skriftsted - + Toggle to keep or clear the previous results. Vælg om du vil beholde eller fjerne de forrige resultater. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Du kan ikke kombinere søgeresultater med enkelte og dobbelte bibelvers. Vil du slette dine søgeresultater og starte en ny søgning? - + Bible not fully loaded. Bibel ikke færdigindlæst. - + Information 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. Den sekundære bibel indeholder ikke alle versene der er i den primære bibel. Kun de vers der kan findes i begge bibler vil blive vist. %d vers er ikke blevet inkluderet blandt resultaterne. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1353,7 +1353,7 @@ forespørgsel og en internetforbindelse er derfor påkrævet. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importerer %s %s... @@ -1362,12 +1362,12 @@ forespørgsel og en internetforbindelse er derfor påkrævet. BiblesPlugin.OsisImport - + Detecting encoding (this may take a few minutes)... Bestemmer indkodning (dette kan tage et par minutter)... - + Importing %s %s... Importing <book name> <chapter>... Importerer %s %s... @@ -1376,148 +1376,148 @@ forespørgsel og en internetforbindelse er derfor påkrævet. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Vælg en mappe til sikkerhedskopiering - + 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 Vælg mappe til sikkerhedskopiering - + 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: Mappe til sikkerhedskopiering: - + There is no need to backup my Bibles Der er ikke brug for at lave backup af mine bibler - + Select Bibles Vælg bibler - + Please select the Bibles to upgrade Vælg de bibler der skal opgraderes - + Upgrading Opgraderer - + Please wait while your Bibles are upgraded. Vent imens dine bibler bliver opgraderet. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Sikkerhedskopieringen lykkedes ikke. For at sikkerhedskopiere dine bibler skal du have tilladelse til at skrive til den givne mappe. - + Upgrading Bible %s of %s: "%s" Failed Opgradering af bibel %s af %s: "%s" Fejlede - + Upgrading Bible %s of %s: "%s" Upgrading ... Opgraderer bibel %s af %s: "%s" Opgraderer ... - + Download Error Hentningsfejl - + To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Opgraderer bibel %s af %s: "%s" Opgraderer %s ... - + Upgrading Bible %s of %s: "%s" Complete Opgraderer bibel %s af %s: "%s" Færdig - + , %s failed , %s slog fejl - + 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. Opgradering slog fejl. - + You need to specify a backup directory for your Bibles. Du er nødt til at vælge en sikkerhedskopi-mappe til dine bibler. - + Starting upgrade... Starter opgradering... - + There are no Bibles that need to be upgraded. Der er ingen bibler der har brug for at blive opdateret. @@ -1591,12 +1591,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Brugerdefineret visning - + Display footer Vis sidefod @@ -1667,7 +1667,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1678,60 +1678,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 Billede - + Images name plural Billeder - + Images container title Billeder - + Load a new image. Indlæs et nyt billede. - + Add a new image. Tilføj et nyt billede. - + Edit the selected image. Redigér det valgte billede. - + Delete the selected image. Slet det valgte billede. - + Preview the selected image. Forhåndsvis det valgte billede. - + Send the selected image live. Send det valgte billede live. - + Add the selected image to the service. Tilføj det valgte billede til programmet. @@ -1739,7 +1739,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Vælg bilag @@ -1747,44 +1747,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Vælg billede(r) - + You must select an image to delete. Du skal vælge et billede som skal slettes. - + You must select an image to replace the background with. - + Missing Image(s) Manglende billede(r) - + The following image(s) no longer exist: %s De følgende billeder eksisterer ikke længere: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De følgende billeder eksisterer ikke længere: %s Vil du tilføje de andre billede alligevel? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1792,17 +1792,17 @@ Vil du tilføje de andre billede alligevel? ImagesPlugin.ImageTab - + Background Color Baggrundsfarve - + Default Color: Standardfarve: - + Visible background for images with aspect ratio different to screen. @@ -1810,60 +1810,60 @@ Vil du tilføje de andre billede alligevel? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <strong>Medieudvidelse</strong><br />Medieudvidelsen gør det muligt at afspille lyd og video. - + Media name singular Medie - + Media name plural Medier - + Media container title Medie - + Load new media. Indlæs nye medier. - + Add new media. Tilføj nye medier. - + Edit the selected media. Redigér de valgte medier. - + Delete the selected media. Slet de valgte medier. - + Preview the selected media. Forhåndsvis de valgte medier. - + Send the selected media live. - + Add the selected media to the service. Tilføj de valgte medier til programmet. @@ -1911,7 +1911,7 @@ Vil du tilføje de andre billede alligevel? - + Unsupported File Ikke-understøttet fil @@ -1929,22 +1929,22 @@ Vil du tilføje de andre billede alligevel? MediaPlugin.MediaTab - + Available Media Players Tilgængelige medieafspillere - + %s (unavailable) %s (utilgængelig) - + Player Order Afspilningsrækkefølge - + Allow media player to be overridden @@ -1952,7 +1952,7 @@ Vil du tilføje de andre billede alligevel? OpenLP - + Image Files Billedfiler @@ -2149,192 +2149,274 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Brugerfladeindstillinger - + 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 Musemarkør - + Hide mouse cursor when over display window Gem musemarkøren når den er over visningsvinduet - + Default Image Standardbillede - + Background color: Baggrundsfarve: - + Image file: Billedfil: - + Open File Åben fil - + Advanced Avanceret - + Preview items when clicked in Media Manager - + Click to select a color. Klik for at vælge en farve. - + Browse for an image file to display. Find en billedfil som skal vises. - + Revert to the default OpenLP logo. Vend tilbage til standard OpenLP logoet. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Annullér + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2371,7 +2453,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Vedhæft fil - + Description characters to enter : %s Antal tegn i beskrivelsen der skal indtastes : %s @@ -2379,24 +2461,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s Platform: %s - + Save Crash Report Gem fejlrapport - + Text files (*.txt *.log *.text) Tekst filer (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2414,7 +2496,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2537,17 +2619,17 @@ Version: %s Standardindstillinger - + Downloading %s... Henter %s... - + Download complete. Click the finish button to start OpenLP. Hentning færdig. Klik på færdig-knappen for at starte OpenLP. - + Enabling selected plugins... Aktiverer valgte udvidelser... @@ -2617,32 +2699,32 @@ Version: %s - + Setting Up And Downloading Sætter op og henter - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Sætter op - + Click the finish button to start OpenLP. Klik på færdig-knappen for at starte OpenLP. - + Download complete. Click the finish button to return to OpenLP. Hentning færdig. Klik på færdig-knappen for at vende tilbage til OpenLP. - + Click the finish button to return to OpenLP. Klik på færdig-knappen for at vende tilbage til OpenLP. @@ -2727,32 +2809,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Opdateringsfejl - + Tag "n" already defined. Mærke "n" er allerede defineret. - + New Tag Nyt mærke - + <HTML here> <HTML her> - + </and here> </and her> - + Tag %s already defined. Mærke %s er allerede defineret. @@ -2760,82 +2842,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Rød - + Black Sort - + Blue Blå - + Yellow Gul - + Green Grøn - + Pink Lyserød - + Orange Orange - + Purple Lilla - + White Hvid - + Superscript Hævet skrift - + Subscript Sænket skrift - + Paragraph Afsnit - + Bold Fed - + Italics Kursiv - + Underline Understreget - + Break Linjeskift @@ -2843,157 +2925,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Generelt - + Monitors Skærme - + Select monitor for output display: - + Display if a single screen - + Application Startup Programopstart - + Show blank screen warning - + Automatically open the last service - + Show the splash screen - + Application Settings Programindstillinger - + Prompt to save before starting a new service - + Automatically preview next item in service - + sec sek - + CCLI Details CCLI detaljer - + SongSelect username: SongSelect brugernavn: - + SongSelect password: SongSelect adgangskode: - + X X - + Y Y - + Height Højde - + Width Bredde - + Check for updates to OpenLP Søg efter opdateringer til OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio Baggrundslyd - + Start background audio paused Start baggrundslyd på pause - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -3001,12 +3083,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Sprog - + Please restart OpenLP to use your new language setting. Genstart OpenLP for at benytte dine nye sprogindstillinger. @@ -3022,438 +3104,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.MainWindow - + &File &Fil - + &Import &Importér - + &Export &Eksportér - + &View &Vis - + M&ode O&psætning - + &Tools &Værktøjer - + &Settings &Indstillinger - + &Language &Sprog - + &Help &Hjælp - + Media Manager Mediehåndtering - + Service Manager - + Theme Manager Temahåndtering - + &New &Ny - + &Open &Åben - + Open an existing service. - + &Save &Gem - + Save the current service to disk. - + Save &As... Gem &som... - + Save Service As Gem program som - + Save the current service under a new name. Gem det nuværende program under et nyt navn. - + E&xit A&fslut - + Quit OpenLP Luk OpenLP - + &Theme &Tema - + &Configure OpenLP... &Indstil OpenLP... - + &Media Manager &Mediehåndtering - + Toggle Media Manager - + Toggle the visibility of the media manager. Skift synligheden af mediehåndteringen. - + &Theme Manager &Temahåndtering - + Toggle Theme Manager - + Toggle the visibility of the theme manager. Skift synligheden af temahåndteringen. - + &Service Manager - + Toggle Service Manager - + Toggle the visibility of the service manager. - + &Preview Panel &Forhåndsvisningspanelet - + Toggle Preview Panel - + Toggle the visibility of the preview panel. Skift synligheden af forhåndsvisningspanelet. - + &Live Panel &Livepanel - + Toggle Live Panel - + Toggle the visibility of the live panel. Skift synligheden af livepanelet. - + &Plugin List - + List the Plugins - + &User Guide - + &About &Om - + More information about OpenLP Mere information om OpenLP - + &Online Help &Online hjælp - + &Web Site &Hjemmeside - + Use the system language, if available. Benyt systemsproget, hvis det er muligt. - + Set the interface language to %s - + Add &Tool... Tilføj &Værktøj... - + Add an application to the list of tools. Tilføj et program til listen over værktøjer. - + &Default &Standard - + Set the view mode back to the default. Sæt visningsopsætningen tilbage til stadard. - + &Setup &Opsætning - + Set the view mode to Setup. Sæt visningsopsætningen til Opsætning. - + &Live &Live - + Set the view mode to Live. Sæt visningsopsætningen til 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 version opdateret - + OpenLP Main Display Blanked - + The Main Display has been blanked out - + Default Theme: %s Standard tema: %s - + English Please add the name of your language here Dansk - + Configure &Shortcuts... Konfigurér g&enveje... - + Close OpenLP Luk OpenLP - + Are you sure you want to close OpenLP? Er du sikker på at du vil lukke OpenLP? - + Open &Data Folder... - + Open the folder where songs, bibles and other data resides. - + &Autodetect &Autodetektér - + Update Theme Images Opdatér temabilleder - + Update the preview images for all themes. - + Print the current service. Udskriv det nuværende program. - + &Recent Files - + L&ock Panels L&ås paneler - + 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 Ryd liste - + Clear the list of recent files. - + Configure &Formatting Tags... - + Export OpenLP settings to a specified *.config file - + Settings Indstillinger - + Import OpenLP settings from a specified *.config file previously exported on this or another machine - + Import settings? Importér indstillinger? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -3462,52 +3544,57 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate - + Open File Åben fil - + OpenLP Export Settings Files (*.conf) - + Import settings Importér indstillinger - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. - + Export Settings File - + OpenLP Export Settings File (*.conf) + + + New Data Directory Error + + OpenLP.Manager - + Database Error Databasefejl - + 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 @@ -3519,74 +3606,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Ingen elementer valgt - + &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. - + You must select one or more items to add. - + No Search Results Ingen søgeresultater - + Invalid File Type Ugyldig filtype - + Invalid File %s. Suffix not supported Ugyldig fil %s. Endelsen er ikke understøttet - + &Clone - + Duplicate files were found on import and were ignored. @@ -3594,12 +3681,12 @@ Endelsen er ikke understøttet OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3741,12 +3828,12 @@ Endelsen er ikke understøttet OpenLP.ScreenList - + Screen Skærm - + primary primær @@ -3754,12 +3841,12 @@ Endelsen er ikke understøttet OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Varighed</strong>: %s @@ -3775,277 +3862,282 @@ Endelsen er ikke understøttet OpenLP.ServiceManager - + Move to &top Flyt til &top - + Move item to the top of the service. Flyt element til toppen af programmet. - + Move &up Flyt &op - + Move item up one position in the service. Flyt element en placering op i programmet. - + Move &down Flyt &ned - + Move item down one position in the service. Flyt element en placering ned i programmet. - + Move to &bottom Flyt til &bunden - + Move item to the end of the service. Flyt element til slutningen af programmet. - + &Delete From Service &Slet fra programmet - + Delete the selected item from the service. Slet det valgte element fra programmet. - + &Add New Item &Tilføj nyt emne - + &Add to Selected Item &Tilføj til det valgte emne - + &Edit Item &Redigér emne - + &Reorder Item &Omrokér element - + &Notes &Noter - + &Change Item Theme - + OpenLP Service Files (*.osz) OpenLP-programfiler (*.osz) - + File is not a valid service. The content encoding is not UTF-8. Fil er ikke et gyldigt program. Indholdet er ikke UTF-8. - + File is not a valid service. Fil er ikke et gyldigt program. - + 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 &Udvid alle - + Expand all the service items. Udvid alle program-elementerne. - + &Collapse all &Sammenfold alle - + Collapse all the service items. Sammenfold alle program-elementerne. - + Open File Åben fil - + Moves the selection down the window. - + Move up Flyt op - + Moves the selection up the window. - + Go Live - + Send the selected item to Live. - + &Start Time &Start tid - + Show &Preview Vis &forhåndsvisning - - Show &Live - Vis &live - - - + Modified Service Modificeret program - + The current service has been modified. Would you like to save this service? Det nuværende program er blevet ændret. Vil du gemme dette program? - + Custom Service Notes: Brugerdefinerede program-noter: - + Notes: Noter: - + Playing time: Afspilningstid: - + Untitled Service Unavngivet program - + File could not be opened because it is corrupt. Fil kunne ikke åbnes da den er korrupt. - + Empty File Tom fil - + This service file does not contain any data. - + Corrupt File Korrupt fil - + Load an existing service. Indlæs et eksisterende program. - + Save this service. Gem dette program. - + Select a theme for the service. Vælg et tema for dette program. - + This file is either corrupt or it is not an OpenLP 2.0 service file. - + Service File Missing - + Slide theme Diastema - + Notes Noter - + Edit Redigér - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4076,12 +4168,12 @@ Indholdet er ikke UTF-8. Genvej - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Genvejen "%s" er allerede tilknyttet til en anden handling, brug en anden genvej. @@ -4116,12 +4208,12 @@ Indholdet er ikke UTF-8. Gendan denne handlings standardgenvej. - + Restore Default Shortcuts Gendan standardgenveje - + Do you want to restore all shortcuts to their defaults? Vil du gendanne alle genveje til deres standardværdier? @@ -4134,172 +4226,172 @@ Indholdet er ikke UTF-8. OpenLP.SlideController - + Hide Gem - + Go To Gå til - + Blank Screen Blank skærm - + Blank to Theme Vis temabaggrund - + Show Desktop Vis skrivebord - + Previous Service - + Next Service - + Escape Item Forlad emne - + Move to previous. Gå til forrige. - + Move to next. Gå til næste. - + Play Slides Afspil dias - + Delay between slides in seconds. Forsinkelse mellem dias i sekunder. - + Move to live. Flyt til live. - + Add to Service. - + Edit and reload song preview. - + Start playing media. Start afspilning af medie. - + Pause audio. Sæt lyd på pause. - + Pause playing media. Sæt afspilning af medie på pause. - + Stop playing media. Stop afspilning af medie. - + Video position. Video position. - + Audio Volume. Lydstyrke. - + Go to "Verse" Gå til "Vers" - + Go to "Chorus" Gå til "Omkvæd" - + Go to "Bridge" Gå til "bro" - + Go to "Pre-Chorus" - + Go to "Intro" - + Go to "Ending" - + Go to "Other" Gå til "anden" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio Baggrundslyd - + Go to next audio track. - + Tracks @@ -4393,32 +4485,32 @@ Indholdet er ikke UTF-8. OpenLP.ThemeForm - + Select Image Vælg billede - + Theme Name Missing Temanavn mangler - + There is no name for this theme. Please enter one. Dette tema har ikke noget navn. Indtast venligst ét. - + Theme Name Invalid Temanavn ugyldigt - + Invalid theme name. Please enter one. Ugyldigt temanavn. Indtast venligst et nyt. - + (approximately %d lines per slide) (cirka %d linjer per dias) @@ -4426,193 +4518,193 @@ Indholdet er ikke UTF-8. OpenLP.ThemeManager - + Create a new theme. Opret et nyt tema. - + Edit Theme Redigér tema - + Edit a theme. Redigér et tema. - + Delete Theme Slet tema - + Delete a theme. Slet et tema. - + Import Theme Importér tema - + Import a theme. Importér et tema. - + Export Theme Eksportér tema - + Export a theme. Eksportér et tema. - + &Edit Theme &Redigér tema - + &Delete Theme &Slet tema - + Set As &Global Default Indstil som &global standard - + %s (default) %s (standard) - + You must select a theme to edit. Vælg det tema det skal redigeres. - + You are unable to delete the default theme. Du kan ikke slette standardtemaet. - + Theme %s is used in the %s plugin. Temaet %s bruges i tilføjelsen %s. - + You have not selected a theme. Du har ikke valgt et tema. - + Save Theme - (%s) Gem tema - (%s) - + Theme Exported Tema eksporteret - + Your theme has been successfully exported. Dit tema er nu blevet eksporteret. - + Theme Export Failed Eksport af tema slog fejl - + Your theme could not be exported due to an error. Dit tema kunne ikke eksporteres på grund af en fejl. - + Select Theme Import File Vælg tema-importfil - + File is not a valid theme. Filen er ikke et gyldigt tema. - + &Copy Theme &Kopiér tema - + &Rename Theme &Omdøb tema - + &Export Theme &Eksportér tema - + You must select a theme to rename. Vælg det tema der skal omdøbes. - + Rename Confirmation Bekræt omdøbning - + Rename %s theme? Omdøb temaet %s? - + You must select a theme to delete. Vælg det tema der skal slettes. - + Delete Confirmation Bekræft sletning - + Delete %s theme? Slet temaet %s? - + Validation Error Fejl - + A theme with this name already exists. Et tema med dette navn eksisterer allerede. - + OpenLP Themes (*.theme *.otz) OpenLP temaer (*.theme *.otz) - + Copy of %s Copy of <theme name> Kopi af %s - + Theme Already Exists @@ -4840,7 +4932,7 @@ Indholdet er ikke UTF-8. Temanavn: - + Edit Theme - %s Redigér tema - %s @@ -4893,47 +4985,47 @@ Indholdet er ikke UTF-8. OpenLP.ThemesTab - + Global Theme Globalt tema - + Theme Level Tema niveau - + S&ong Level S&ang niveau - + 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 &Globalt niveau - + Use the global theme, overriding any themes associated with either the service or the songs. - + Themes Temaer @@ -5017,245 +5109,245 @@ Indholdet er ikke UTF-8. pkt - + Image Billede - + Import Importér - + Live Live - + Live Background Error - + Load Indlæs - + Middle Midt - + New Ny - + New Service Nyt program - + New Theme Nyt tema - + No File Selected Singular Ingen fil valgt - + No Files Selected Plural Ingen filer valgt - + No Item Selected Singular Intet element valgt - + No Items Selected Plural Ingen elementer valgt - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Forhåndsvisning - + Replace Background Erstat baggrund - + Reset Background Nulstil baggrund - + s The abbreviated unit for seconds s - + Save && Preview Gem && forhåndsvis - + Search Søg - + You must select an item to delete. Vælg et element der skal slettes. - + You must select an item to edit. Vælg et element der skal redigeres. - + Save Service Gem program - + Service Program - + Start %s Start %s - + Theme Singular Tema - + Themes Plural Temaer - + Top Top - + Version Udgave - + Delete the selected item. Slet det valgte element. - + Move selection up one position. - + Move selection down one position. - + &Vertical Align: &Justér lodret: - + Finished import. Færdiggjorde import. - + Format: Format: - + Importing Importerer - + Importing "%s"... Importerer "%s"... - + Select Import Source Vælg importkilde - + Select the import format and the location to import from. Vælg importkilden og placeringen der skal importeres fra. - + 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 Åben filen %s - + %p% %p% - + Ready. Klar. - + Starting import... Starter 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 @@ -5265,7 +5357,7 @@ Indholdet er ikke UTF-8. - + Welcome to the Song Import Wizard @@ -5353,53 +5445,53 @@ Indholdet er ikke UTF-8. t - + Layout style: Layoutstil: - + Live Toolbar - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP kører allerede. Vil du fortsætte? - + Settings Indstillinger - + Tools Værktøjer - + Unsupported File Ikke understøttet fil - + Verse Per Slide Vers per dias - + Verse Per Line Vers per linje - + View Vis @@ -5414,37 +5506,37 @@ Indholdet er ikke UTF-8. XML syntaksfejl - + View Mode Visningstilstand - + Open service. Åben program. - + Print Service Udskriv program - + Replace live background. Erstat live-baggrund. - + Reset live background. Nulstil live-baggrund. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5454,64 +5546,105 @@ Indholdet er ikke UTF-8. Bekræft sletning - + Play Slides in Loop Afspil dias i løkke - + Play Slides to End Afspil dias til slut - + Stop Play Slides in Loop Stop afspilning af dias i løkke - + Stop Play Slides to End Stop afspilning af dias til slut - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5520,50 +5653,50 @@ Indholdet er ikke UTF-8. 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 Præsentation - + Presentations name plural Præsentationer - + Presentations container title Præsentationer - + Load a new presentation. Indlæs en ny præsentation. - + Delete the selected presentation. Slet den valgte præsentation. - + Preview the selected presentation. Forhåndsvis den valgte præsentation. - + Send the selected presentation live. - + Add the selected presentation to the service. @@ -5571,70 +5704,70 @@ Indholdet er ikke UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Vælg præsentation(er) - + Automatic Automatisk - + Present using: Præsentér med: - + File Exists Fil eksisterer - + A presentation with that filename already exists. En præsentation med dette filnavn eksisterer allereder. - + This type of presentation is not supported. Denne type præsentation er ikke understøttet. - + Presentations (%s) Præsentationer (%s) - + Missing Presentation Manglende præsentation - - The Presentation %s no longer exists. - Præsentationen %s eksisterer ikke længere. + + The presentation %s is incomplete, please reload. + - - The Presentation %s is incomplete, please reload. - Præsentationen %s er ufuldstændig, prøv at genindlæse. + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) %s (ikke tilgængelig) - + Allow presentation application to be overridden @@ -5668,107 +5801,107 @@ Indholdet er ikke UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 fjernbetjening - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts Meddelelser - + Search Søg - + Refresh Opdatér - + Blank Gør blank - + Show Vis - + Prev Forrige - + Next Næste - + Text Tekst - + Show Alert Vis meddelelse - + Go Live - + No Results Ingen resultater - + Options Indstillinger - + Add to Service Tilføj til program - + Home - + Theme Tema - + Desktop - + Add &amp; Go to Service @@ -5776,42 +5909,42 @@ Indholdet er ikke UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: Port nummer: - + Server Settings Serverindstillinger - + Remote URL: Fjern URL: - + Stage view URL: - + Display stage time in 12h format Vis scenetiden i 12-timer format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5819,85 +5952,85 @@ Indholdet er ikke UTF-8. SongUsagePlugin - + &Song Usage Tracking &Sporing af sangforbrug - + &Delete Tracking Data &Slet sporingsdata - + Delete song usage data up to a specified date. Slet sangforbrugsdata op til en angivet dato. - + &Extract Tracking Data &Udtræk sporingsdata - + Generate a report on song usage. Opret en rapport over sangforbruget. - + Toggle Tracking Slå sporing til/fra - + Toggle the tracking of song usage. Slå sporing af sangforbrug til/fra. - + <strong>SongUsage Plugin</strong><br />This plugin tracks the usage of songs in services. <strong>Sangforbrug-udvidelse</strong><br />Denne udvidelse sporer forbruget af sange i programmer. - + SongUsage name singular Sangforbrug - + SongUsage name plural Sangforbrug - + SongUsage container title Sangforbrug - + Song Usage Sangforbrug - + Song usage tracking is active. Sporing af sangforbrug er slået til. - + Song usage tracking is inactive. Sporing af sangforbrug er ikke slået til. - + display vis - + printed udskrevet @@ -5958,22 +6091,22 @@ Indholdet er ikke UTF-8. Rapportér lokation - + Output File Location Placering af output-fil - + usage_detail_%s_%s.txt forbrugsdetaljer_%s_%s.txt - + Report Creation Oprettelse af rapport - + Report %s has been successfully created. @@ -5982,12 +6115,12 @@ has been successfully created. er blevet oprettet. - + Output Path Not Selected Output-sti er ikke valgt - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. @@ -6025,107 +6158,107 @@ er blevet oprettet. Genindekserer sange... - + Arabic (CP-1256) Arabisk (CP-1256) - + Baltic (CP-1257) Baltisk (CP-1257) - + Central European (CP-1250) Centraleuropæisk (CP-1250) - + Cyrillic (CP-1251) Kyrillisk (CP-1251) - + Greek (CP-1253) Græsk (CP-1253) - + Hebrew (CP-1255) Hebraisk (CP-1255) - + Japanese (CP-932) Japansk (CP-932) - + Korean (CP-949) Koreansk (CP-949) - + Simplified Chinese (CP-936) Simplificeret kinesisk (CP-936) - + Thai (CP-874) Thailandsk (CP-874) - + Traditional Chinese (CP-950) Traditionelt kinesisk (CP-950) - + Turkish (CP-1254) Tyrkisk (CP-1254) - + Vietnam (CP-1258) Vietnamesisk (CP-1258) - + Western European (CP-1252) Vesteuropæisk (CP-1252) - + Character Encoding Tegnkodning - + 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 Sang - + Songs name plural Sange - + Songs container title Sange @@ -6136,32 +6269,32 @@ The encoding is responsible for the correct character representation. Eksportér sange med eksportguiden. - + Add a new song. Tilføj en ny sang. - + Edit the selected song. Redigér den valgte sang. - + Delete the selected song. Slet den valgte sang. - + Preview the selected song. Forhåndsvis den valgte sang. - + Send the selected song live. - + Add the selected song to the service. Tilføj de valgte sange til programmet. @@ -6189,17 +6322,17 @@ The encoding is responsible for the correct character representation. Efternavn: - + You need to type in the first name of the author. Skriv forfatterens fornavn. - + You need to type in the last name of the author. Skriv forfatterens efternavn. - + You have not set a display name for the author, combine the first and last names? Du har ikke valgt et visningsnavn til forfatteren. Kombinér for- og efternavn? @@ -6338,72 +6471,72 @@ The encoding is responsible for the correct character representation. Tema, ophavsret && kommentarer - + Add Author Tilføj forfatter - + This author does not exist, do you want to add them? Denne forfatter eksisterer ikke. Vil du tilføje dem? - + This author is already in the list. Denne forfatter er allerede på listen. - + 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 ikke valgt en gyldig forfatter. Vælg enten en forfatter fra liste, eller indtast en ny forfatter og klik på "Tilføj forfatter til sang"-knappen for at tilføje den nye forfatter. - + Add Topic Tilføj emne - + This topic does not exist, do you want to add it? Dette emne eksisterer ikke. Vil du tilføje det? - + This topic is already in the list. Dette emne er allerede på listen. - + 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 ikke valgt et gyldigt emne. Vælg enten et emne fra listen, eller indtast et nyt emne og klik på "Tilføj emne til sang"-knappen for at tilføje det nye emne. - + You need to type in a song title. Vælg først en sangtitel. - + You need to type in at least one verse. Skriv mindst ét vers. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Rækkefølgen af vers er ikke gyldig. Der ikke noget vers som svarer til %s. Gyldige elementer er %s. - + Add Book Tilføj bog - + This song book does not exist, do you want to add it? Denne sangbog eksisterer ikke. Ønsker du at tilføje den? - + You need to have an author for this song. Du mangler en forfatter til denne sang. @@ -6433,7 +6566,7 @@ The encoding is responsible for the correct character representation. Fjern &alt - + Open File(s) Åben fil(er) @@ -6443,7 +6576,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6557,135 +6690,140 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Vælg dokument-/præsentationfiler - + Song Import Wizard Sangimport guide - + 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. Denne guide vil hjælpe dig med at importere sange fra forskellige formater. Klik på næste-knappen herunder for at starte processen ved at vælge et format du vil importere fra. - + Generic Document/Presentation - - Filename: - Filnavn: - - - - 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. - OpenLyrics-importeringen er ikke blevet udviklet endnu, men som du kan se, har vi stadig planer om at gøre det. Forhåbentligt vil den være klar i næste udgivelse. - - - + Add Files... Tilføj filer... - + Remove File(s) Fjern fil(er) - + Please wait while your songs are imported. Vent imens dine sange bliver importeret. - + OpenLP 2.0 Databases OpenLP 2.0 databaser - + openlp.org v1.x Databases openlp.org v1.x databaser - + Words Of Worship Song Files Words Of Worship sangfiler - - You need to specify at least one document or presentation file to import from. - Du er nødt til at angive mindst en dokument- eller præsentationsfil som du vil importere fra. - - - + Songs Of Fellowship Song Files Songs Of Fellowship sangfiler - + SongBeamer Files SongBeamer filer - + SongShow Plus Song Files SongShow Plus sangfiler - + Foilpresenter Song Files Foilpresenter sangfiler - + Copy Kopiér - + Save to File Gem til fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship-importeringen er blevet deaktiveret på grund af at OpenLP ikke kan oprette forbindelse til OpenOffice, eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics eller OpenLP 2.0 eksporteret sang - + OpenLyrics Files OpenLyrics filer - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6703,22 +6841,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titler - + Lyrics Sangtekst - + CCLI License: CCLI Licens: - + Entire Song @@ -6731,7 +6869,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Vedligehold listen over forfattere, emner og bøger. @@ -6742,27 +6880,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6791,6 +6929,19 @@ The encoding is responsible for the correct character representation. Eksporterer "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6830,12 +6981,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright ophavsret - + The following songs could not be imported: De følgende sange kunne ikke importeres: @@ -6855,118 +7006,110 @@ The encoding is responsible for the correct character representation. Fil ikke fundet - - SongsPlugin.SongImportForm - - - Your song import failed. - Din sangimport slog fejl. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunne ikke tilføje din forfatter. - + This author already exists. Denne forfatter eksisterer allerede. - + Could not add your topic. Kunne ikke tilføje dit emne. - + This topic already exists. Dette emne eksisterer allerede. - + Could not add your book. Kunne ikke tilføje din bog. - + This book already exists. Denne bog eksisterer allerede. - + Could not save your changes. Kunne ikke gemme dine ændringer. - + Could not save your modified author, because the author already exists. Kunne ikke gemme din ændrede forfatter, da denne forfatter allerede eksisterer. - + Could not save your modified topic, because it already exists. Kunne ikke gemme dit ændrede emne, da det allerede eksisterer. - + Delete Author Slet forfatter - + Are you sure you want to delete the selected author? Er du sikker på at du vil slette den valgte forfatter? - + This author cannot be deleted, they are currently assigned to at least one song. Denne forfatter kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Topic Slet emne - + Are you sure you want to delete the selected topic? Er du sikker på at du vil slette det valgte emne? - + This topic cannot be deleted, it is currently assigned to at least one song. Dette emne kan ikke slettes, da den er tilkyttet til mindst én sang. - + Delete Book Slet bog - + Are you sure you want to delete the selected book? Er du sikker på at du vil slette den valgte bog? - + This book cannot be deleted, it is currently assigned to at least one song. Denne bog kan ikke slettes, da den er tilkyttet til mindst én sang. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Forfatteren %s eksisterer allerede. Vil du få sangene med forfatter %s til at benytte den eksisterende forfatter %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Emnet %s eksisterer allerede. Vil du få sangene med emne %s til at benytte det eksisterende emne %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Bogen %s eksisterer allerede. Vil du få sangene med bog %s til at benytte den eksisterende bog %s? @@ -6974,27 +7117,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode Sangtilstand - + Enable search as you type Slå søg-mens-du-skriver til - + Display verses on live tool bar Vis vers på live-værktøjslinjen - + Update service from song edit - + Import missing songs from service files @@ -7055,4 +7198,17 @@ The encoding is responsible for the correct character representation. Anden + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/de.ts b/resources/i18n/de.ts index 5d0d3e9c1..758164ec4 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. @@ -41,7 +41,7 @@ Alert Message - Hinweis + Hinweistext @@ -93,7 +93,7 @@ You have not entered a parameter to be replaced. Do you want to continue anyway? Sie haben keinen Parameter angegeben, der ersetzt werden könnte. -Möchten Sie trotzdem fortfahren? +Möchten Sie dennoch fortfahren? @@ -104,8 +104,8 @@ Möchten Sie trotzdem fortfahren? The alert text does not contain '<>'. Do you want to continue anyway? - Der Hinweistext enthält nicht <>. -Möchten Sie trotzdem fortfahren? + Der Hinweistext enthält nicht '<>'. +Möchten Sie dennoch fortfahren? @@ -119,32 +119,32 @@ Möchten Sie trotzdem fortfahren? AlertsPlugin.AlertsTab - + Font Schrift - + Font name: Schriftart: - + Font color: Schriftfarbe: - + Background color: Hintergrundfarbe: - + Font size: Schriftgröße: - + Alert timeout: Anzeigedauer: @@ -152,510 +152,510 @@ Möchten Sie trotzdem fortfahren? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibeltext - + Bibles name plural Bibeln - + Bibles container title Bibeln - + No Book Found Kein Buch gefunden - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. + Zeige die ausgewählte Bibelverse Live an. - + 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. - + Genesis 1. Mose - + Exodus 2. Mose - + Leviticus 3. Mose - + Numbers 4. Mose - + Deuteronomy 5. Mose - + Joshua Josua - + Judges Richter - + Ruth Rut - + 1 Samuel 1. Samuel - + 2 Samuel 2. Samuel - + 1 Kings 1. Könige - + 2 Kings 2. Könige - + 1 Chronicles 1. Chronik - + 2 Chronicles 2. Chronik - + Ezra Esra - + Nehemiah Nehemia - + Esther Ester - + Job Hiob - + Psalms Psalm - + Proverbs Sprüche - + Ecclesiastes Prediger - + Song of Solomon Hohelied - + Isaiah Jesaja - + Jeremiah Jeremia - + Lamentations Klagelieder - + Ezekiel Hesekiel - + Daniel Daniel - + Hosea Hosea - + Joel Joel - + Amos Amos - + Obadiah Obadja - + Jonah Jona - + Micah Micha - + Nahum Nahum - + Habakkuk Habakuk - + Zephaniah Zefania - + Haggai Haggai - + Zechariah Sacharja - + Malachi Maleachi - + Matthew Matthäus - + Mark Markus - + Luke Lukas - + John Johannes - + Acts Apostelgeschichte - + Romans Römer - + 1 Corinthians 1. Korinther - + 2 Corinthians 2. Korinther - + Galatians Galater - + Ephesians Epheser - + Philippians Philipper - + Colossians Kolosser - + 1 Thessalonians 1. Thessalonicher - + 2 Thessalonians 2. Thessalonicher - + 1 Timothy 1. Timotheus - + 2 Timothy 2. Timotheus - + Titus Titus - + Philemon Philemon - + Hebrews Hebräer - + James Jakobus - + 1 Peter 1. Petrus - + 2 Peter 2. Petrus - + 1 John 1. Johannes - + 2 John 2. Johannes - + 3 John 3. Johannes - + Jude Judas - + Revelation Offenbarung - + Judith Judit - + Wisdom Weisheit - + Tobit Tobit - + Sirach Jesus Sirach - + Baruch Baruch - + 1 Maccabees 1. Makkabäer - + 2 Maccabees 2. Makkabäer - + 3 Maccabees 3. Makkabäer - + 4 Maccabees 4. Makkabäer - + Rest of Daniel Daniel (Spätschrift) - + Rest of Esther Ester (Spätschrift) - + Prayer of Manasses Gebet des Manasse - + Letter of Jeremiah Brief des Jeremia - + Prayer of Azariah Daniel (Asarjas Gebet) - + Susanna Daniel (Susannas Rettung) - + Bel Daniel (Bel) - + 1 Esdras 1. Buch Esdras - + 2 Esdras 2. Buch Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. ,|v|V|Vers|Verse|:;;-|bis;;.|;|+|und;;Ende @@ -693,12 +693,14 @@ Möchten Sie trotzdem fortfahren? The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + Der Buchname "%s" ist nicht korrekt. +Nummern können nur am Anfang benutzt werden +und ein nichtnumerisches Zeichen muss folgen. Duplicate Book Name - + Doppelter Buchname @@ -709,39 +711,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Fehler im Textverweis - + Web Bible cannot be used Für Onlinebibeln nicht verfügbar - + Text Search is not available with Web Bibles. In Onlinebibeln ist Textsuche nicht möglich. - + 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. Es wurde kein Suchbegriff eingegeben. Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ein Leerzeichen getrennt sein. Alternative Suchbegriffe müssen per Komma getrennt sein. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Zurzeit sind keine Bibelübersetzungen installiert. Zur Suche muss eine solche mit dem Importassistent importiert werden. - + No Bibles Available Keine Bibeln verfügbar - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -765,79 +767,79 @@ Buch Kapitel%(verse)sVers%(range)sVers%(list)sKapitel%(verse)sVers BiblesPlugin.BiblesTab - + Verse Display Bibelstellenanzeige - + Only show new chapter numbers Nur neue Kapitelnummern anzeigen - + Bible theme: Bibel-Design: - + No Brackets Keine Klammern - + ( And ) ( und ) - + { And } { und } - + [ And ] [ und ] - + Note: Changes do not affect verses already in the service. Hinweis: -Änderungen beeinflussen keine Verse, welche bereits im Ablauf vorhanden sind. +Änderungen beeinflussen keine Bibelverse, welche bereits im Ablauf vorhanden sind. - + Display second Bible verses Vergleichsbibel anzeigen - + Custom Scripture References Benutzerdefiniertes Bibelstellenformat - + Verse Separator: Verstrenner: - + Range Separator: Bereichstrenner: - + List Separator: Aufzählungstrenner: - + End Mark: Endmarkierung: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -846,7 +848,7 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -855,7 +857,7 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -864,7 +866,7 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -873,29 +875,29 @@ Striche »|« getrennt angegeben werden. Der erste Trenner wird zur Darstellung in OpenLP genutzt. - + English Englisch - + Default Bible Language Standard Bibelsprache - + Book name language in search field, search results and on display: Sprache des Buchnames im Suchfeld, Suchergebnis und Projektionsbildschirm: - + Bible Language Bibelsprache - + Application Language Anwendungssprache @@ -907,11 +909,6 @@ Suchergebnis und Projektionsbildschirm: Select Book Name Buchnamen wählen - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Das folgende Buch konnte intern nicht zugeordnet werden. Bitte wählen Sie den entsprechenden englischen Namen. - Current name: @@ -942,11 +939,16 @@ Suchergebnis und Projektionsbildschirm: Apocrypha Apokryphen + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Der folgende Buchname konnte nicht gefunden werden. Bitte den entsprechenden Namen in der Liste wählen. + BiblesPlugin.BookNameForm - + You need to select a book. Sie müssen ein Buch wählen. @@ -1010,7 +1012,7 @@ Suchergebnis und Projektionsbildschirm: Global Settings - + Globale Einstellung @@ -1037,212 +1039,213 @@ Es ist nicht möglich die Büchernamen anzupassen. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Um die benutzerdefinierten Büchernamen zu nutzen muss im Metadaten Tab "Bibelsprache" ausgewählt werden oder wenn "Globale Einstellung" ausgewählt ist, dann muss in den Bibel-Einstellungen "Bibelsprache" ausgewählt werden. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registriere Bibel und lade Bücher... - + Registering Language... Registriere Sprache... - + Importing %s... Importing <book name>... Importiere »%s«... - + Download Error Download Fehler - + 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. - Beim Herunterladen des Bibeltextes ist ein Fehler aufgetreten. Bitte überprüfen Sie Ihre Internetverbindung. Sollte dieser Fehler dennoch auftreten, so wenden Sie sich bitte an den OpenLP Support. + Beim Herunterladen des Bibeltextes ist ein Fehler aufgetreten. Bitte überprüfen Sie Ihre Internetverbindung. Wenden Sie sich bitte an den OpenLP Support, sollte dieser Fehler weiterhin auftreten. - + Parse Error Formatfehler - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. - Beim Auslesen des Bibeltextes ist ein Fehler aufgetreten. Sollte dieser Fehler wiederholt auftreten, so wenden Sie sich bitte an den OpenLP Support. + Beim Auslesen des Bibeltextes ist ein Fehler aufgetreten. Wenden Sie sich bitte an den OpenLP Support, sollte dieser Fehler wiederholt auftritt. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibel Importassistent - + 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. Dieser Assistent hilft Ihnen Bibeln aus verschiedenen Formaten zu importieren. Um den Assistenten zu starten klicken Sie auf »Weiter«. - + Web Download Onlinebibel - + Location: Quelle: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Übersetzung: - + Download Options Download-Optionen - + Server: Server: - + Username: Benutzername: - + Password: Passwort: - + Proxy Server (Optional) Proxy-Server (optional) - + License Details Lizenzdetails - + Set up the Bible's license details. Eingabe der Urheberrechtsangaben der Bibelübersetzung. - + Version name: Bibelausgabe: - + Copyright: Copyright: - + Please wait while your Bible is imported. Bitte warten Sie während Ihre Bibel importiert wird. - + You need to specify a file with books of the Bible to use in the import. Eine Buchinformations-Datei muss zum Import angegeben werden. - + You need to specify a file of Bible verses to import. Eine Bibeltext-Datei muss zum Import angegeben werden. - + You need to specify a version name for your Bible. - Bitte geben Sie den Namen der Bibelübersetzung ein. + Es wurde kein Suchbegriff eingegeben. +Um nach mehreren Begriffen gleichzeitig zu suchen, müssen die Begriffe durch ein Leerzeichen getrennt sein. Alternative Suchbegriffe müssen per Komma getrennt sein. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Das Copyright muss angegeben werden. Gemeinfreie Bibeln ohne Copyright sind als solche zu kennzeichnen. + Copyright muss angegeben werden. Gemeinfreie Bibeln ohne Copyright sind als solche zu kennzeichnen. - + Bible Exists - Übersetzung bereits vorhanden + Bibelübersetzung bereits vorhanden - + This Bible already exists. Please import a different Bible or first delete the existing one. Diese Bibel existiert bereit. Bitte geben Sie einen anderen Übersetzungsnamen an oder löschen Sie zuerst die Existierende. - + Your Bible import failed. - Der Bibelimport ist fehlgeschlagen. + Das importieren der Bibel ist fehlgeschlagen. - + CSV File CSV-Datei - + Bibleserver Bibleserver.com - + Permissions: Genehmigung: - + Bible file: Bibeldatei: - + Books file: Bücherdatei: - + Verses file: Versedatei: - + openlp.org 1.x Bible Files openlp.org 1.x Bibel-Dateien - + Registering Bible... Registriere Bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registrierung abgeschlossen. @@ -1260,7 +1263,7 @@ werden. Daher ist eine Internetverbindung erforderlich. OpenLP is unable to determine the language of this translation of the Bible. Please select the language from the list below. - OpenLP kann die Sprache dieser Bibeln nicht ermitteln. Bitte wählen Sie die Sprache dieser Bibel aus der Liste aus. + OpenLP kann die Sprache dieser Bibelnübersezung nicht ermitteln. Bitte wählen Sie die Sprache dieser Bibel aus der Liste aus. @@ -1279,92 +1282,92 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.MediaItem - + Quick Schnellsuche - + Find: Suchen: - + Book: Buch: - + Chapter: Kapitel: - + Verse: Vers: - + From: Von: - + To: Bis: - + Text Search Textsuche - + Second: Vergleichstext: - + Scripture Reference Bibelstelle - + Toggle to keep or clear the previous results. Vorheriges Suchergebnis behalten oder verwerfen. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Es ist nicht möglich Einzel- und Zweifach Bibelvers Suchergebnisse zu kombinieren. Sollen die Suchergebnisse gelöscht und eine neue Suche gestartet werden? - + Bible not fully loaded. Bibel wurde nicht vollständig geladen. - + Information Hinweis - + 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. Die Vergleichsbibel enthält nicht alle Verse, die in der Hauptbibel vorhanden sind. Nur die Verse, die in beiden Bibeln vorhanden sind, werden angezeigt. %d Verse sind nicht enthalten. - + Search Scripture Reference... Suche Bibelstelle... - + Search Text... Suche Text... - + Are you sure you want to delete "%s"? Sind Sie sicher, dass Sie "%s" löschen möchten? @@ -1372,7 +1375,7 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... %s %s wird importiert... @@ -1381,12 +1384,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... @@ -1395,149 +1398,149 @@ werden. Daher ist eine Internetverbindung erforderlich. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Ein Backup-Verzeichnis wählen - + Bible Upgrade Wizard Bibelupgradeassistent - + 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. Dieser Assistent hilft Ihnen Ihre Bibeln auf das aktuelle Format umzustellen. Klicken Sie »Weiter« um den Prozess zu starten. - + Select Backup Directory Backup-Verzeichnis wählen - + Please select a backup directory for your Bibles Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln - + 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>. Vorherige Versionen von OpenLP 2.0 können nicht mit den aktualisierten Bibeln umgehen. Sie können eine Backup von ihren Bibeln erstellen. Wie Sie ein Backup wiedereinspielen können Sie in den <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a> lesen. - + Please select a backup location for your Bibles. Bitte wählen Sie ein Backup-Verzeichnis für Ihre Bibeln. - + Backup Directory: Backup-Verzeichnis: - + There is no need to backup my Bibles Es soll kein Backup gemacht werden - + Select Bibles Bibeln wählen - + Please select the Bibles to upgrade Bitte wählen Sie die Bibeln welche aktualisiert werden sollen - + Upgrading Aktualisiere... - + Please wait while your Bibles are upgraded. Bitte warten Sie bis Ihre Bibeln aktualisiert sind. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Das Backup war nicht erfolgreich. Damit das Backup erstellt werden kann brauchen Sie Schreibrechte in dem Verzeichnis. - + Upgrading Bible %s of %s: "%s" Failed Aktualisiere Bibel %s von %s: »%s« Fehlgeschlagen... - + Upgrading Bible %s of %s: "%s" Upgrading ... Aktualisiere Bibel %s von %s: »%s« Aktualisiere... - + Download Error Download Fehler - + To upgrade your Web Bibles an Internet connection is required. Um Onlinebibeln zu aktualisieren ist eine Internetverbindung notwendig. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Aktualisiere Bibel %s von %s: »%s« Aktualisiere »%s«... - + Upgrading Bible %s of %s: "%s" Complete Aktualisiere Bibel %s von %s: »%s« Fertig - + , %s failed , %s fehlgeschlagen - + 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. Aktualisiere Bibeln: %s erfolgreich%s Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen werden. Daher ist eine Internetverbindung erforderlich. - + Upgrading Bible(s): %s successful%s Aktualisiere Bibeln: %s erfolgreich%s - + Upgrade failed. Aktualisierung schlug fehl. - + You need to specify a backup directory for your Bibles. Sie müssen ein Backup-Verzeichnis für Ihre Bibeln angeben. - + Starting upgrade... Beginne mit der Aktualisierung... - + There are no Bibles that need to be upgraded. Es sind keine Bibel für eine Aktualisierung vorhanden. @@ -1611,12 +1614,12 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen CustomPlugin.CustomTab - + Custom Display Sonderfolie Anzeige - + Display footer Fußzeile anzeigen @@ -1687,7 +1690,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Soll die markierte Sonderfolie wirklich gelöscht werden? @@ -1698,60 +1701,60 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen 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>Bilder Erweiterung</strong><br />Die Bilder Erweiterung ermöglicht die Anzeige von Bildern.<br />Eine der besonderen Eigenschaften dieser Erweiterung ist die Möglichkeit, in der Ablaufverwaltung, mehrere Bilder zu einer Gruppe zusammen zu fassen. Dies vereinfacht die die Anzeige mehrerer Bilder. Ebenso kann mit Hilfe der Zeitschleife, sehr einfach eine Diaschau erzeugt werden, welche dann automatisch abläuft. Des weiteren können mit dieser Erweiterung Bilder benutzt werden, um das Hintergrundbild des aktuellen Design zu ersetzen. - + Image name singular Bild - + Images name plural Bilder - + Images container title Bilder - + Load a new image. Lade ein neues Bild. - + Add a new image. Füge eine neues Bild hinzu. - + Edit the selected image. Bearbeite das ausgewählte Bild. - + Delete the selected image. Lösche das ausgewählte Bild. - + Preview the selected image. Zeige das ausgewählte Bild in der Vorschau. - + Send the selected image live. Zeige die ausgewählte Bild Live. - + Add the selected image to the service. Füge das ausgewählte Bild zum Ablauf hinzu. @@ -1759,7 +1762,7 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen ImagePlugin.ExceptionDialog - + Select Attachment Anhang auswählen @@ -1767,44 +1770,44 @@ Bitte beachten Sie, dass Bibeltexte von Onlinebibeln bei Bedarf heruntergeladen ImagePlugin.MediaItem - + Select Image(s) Bilder auswählen - + You must select an image to delete. Das Bild, das entfernt werden soll, muss ausgewählt sein. - + You must select an image to replace the background with. Das Bild, das Sie als Hintergrund setzen möchten, muss ausgewählt sein. - + Missing Image(s) Fehlende Bilder - + The following image(s) no longer exist: %s Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Auf die folgenden Bilder kann nicht mehr zugegriffen werden: %s Wollen Sie die anderen Bilder trotzdem hinzufügen? - + There was a problem replacing your background, the image file "%s" no longer exists. Da auf das Bild »%s« nicht mehr zugegriffen werden kann, konnte es nicht als Hintergrund gesetzt werden. - + There was no display item to amend. Es waren keine Änderungen nötig. @@ -1812,17 +1815,17 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? ImagesPlugin.ImageTab - + Background Color Hintergrundfarbe - + Default Color: Standardfarbe: - + Visible background for images with aspect ratio different to screen. Sichtbarer Hintergrund für Bilder mit einem anderem Seitenverhältnis als der Projektionsbildschirm. @@ -1830,60 +1833,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. @@ -1931,7 +1934,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? Es waren keine Änderungen nötig. - + Unsupported File Nicht unterstütztes Dateiformat @@ -1949,22 +1952,22 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? MediaPlugin.MediaTab - + Available Media Players Verfügbare Medien Player - + %s (unavailable) %s (nicht verfügbar) - + Player Order Player Reihenfolge - + Allow media player to be overridden Überschreiben des Multimediabackends zulassen @@ -1972,7 +1975,7 @@ Wollen Sie die anderen Bilder trotzdem hinzufügen? OpenLP - + Image Files Bilddateien @@ -2179,193 +2182,277 @@ Anteiliges Copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Benutzeroberfläche - + Number of recent files to display: Anzahl zuletzt geöffneter Abläufe: - + Remember active media manager tab on startup Erinnere aktiven Reiter der Medienverwaltung - + Double-click to send items straight to live Objekte bei Doppelklick live anzeigen - + Expand new service items on creation Neue Ablaufelemente bei ausklappen - + Enable application exit confirmation Aktiviere Bestätigung beim Schließen - + Mouse Cursor Mauszeiger - + Hide mouse cursor when over display window Verstecke den Mauszeiger auf dem Bildschrim - + Default Image Standardbild - + Background color: Hintergrundfarbe: - + Image file: Bild-Datei: - + Open File Datei öffnen - + Advanced Erweitert - + Preview items when clicked in Media Manager Elemente in der Vorschau zeigen, wenn sie in der Medienverwaltung angklickt werden - + Click to select a color. Klicken Sie, um eine Farbe aus zu wählen. - + Browse for an image file to display. Wählen Sie die Bild-Datei aus, die angezeigt werden soll. - + Revert to the default OpenLP logo. Standard-Logo wiederherstellen. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Ablauf %Y-%m-%d %H-%M - + Default Service Name Voreingestellter Ablaufname - + Enable default service name Ablaufnamen vorschlagen - + Date and Time: Zeitpunkt: - + Monday Montag - + Tuesday Dienstag - + Wednesday Mittwoch - + Thurdsday Donnerstag - + Friday Freitag - + Saturday Samstag - + Sunday Sonntag - + Now Jetzt - + Time when usual service starts. Übliche Uhrzeit. - + Name: Name: - + Consult the OpenLP manual for usage. Verwendungsdetails sind im Handbuch zu finden. - + Revert to the default service name "%s". Auf den vorgegebenen Ablaufnahmen »%s« zurücksetzen. - + Example: Beispiel: - + X11 X11 - + Bypass X11 Window Manager Fenstermanager X11 umgehen - + Syntax error. Syntaxfehler. + + + Data Location + Pfad für Datenablage: + + + + Current path: + Aktueller Pfad: + + + + Custom path: + Benutzerdefinierter Pfad: + + + + Browse for new data file location. + Pfad für Datenablage wählen. + + + + Set the data location to the default. + Pfad für Datenablage zurücksetzen. + + + + Cancel + Abbruch + + + + Cancel OpenLP data directory location change. + Aktuelle Änderungen verwerfen. + + + + Copy data to new location. + Existierende Daten kopieren. + + + + Copy the OpenLP data files to the new location. + Existierende Daten kopieren. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>Warnung:</strong>Der neue Datenpfad enthält bereits Daten. Diese Daten werden während des Kopiervorganges ersetzt. + + + + Data Directory Error + Fehler im Daten Ordner + + + + Select Data Directory Location + Bitte wählen Sie Pfad des Daten Ordners + + + + Confirm Data Directory Change + Bitte bestätigen Sie die Änderung des Daten Ordners + + + + Reset Data Directory + Daten Ordner zurücksetzen + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Wollen Sie wirklich den Daten Ordner wieder auf den Auslieferungszustand zurücksetzen? + +Dieser Ort wird beim nächsten Start benutzt. + + + + Overwrite Existing Data + Existierende Daten überschreiben + OpenLP.ExceptionDialog @@ -2403,7 +2490,7 @@ dieser Fehler auftrat. Bitte verwenden Sie (wenn möglich) Englisch.Datei einhängen - + Description characters to enter : %s Mindestens noch %s Zeichen eingeben @@ -2411,24 +2498,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 @@ -2459,7 +2546,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2595,17 +2682,17 @@ Version: %s Standardeinstellungen - + Downloading %s... %s wird heruntergeladen... - + Download complete. Click the finish button to start OpenLP. Download vollständig. Klicken Sie »Abschließen« um OpenLP zu starten. - + Enabling selected plugins... Aktiviere ausgewählte Erweiterungen... @@ -2675,32 +2762,32 @@ Version: %s Dieser Assistent wird Ihnen helfen OpenLP für die erste Benutzung zu konfigurieren. Klicken sie »Weiter« um den Assistenten zu starten. - + Setting Up And Downloading Konfiguriere und Herunterladen - + Please wait while OpenLP is set up and your data is downloaded. Bitte warten Sie, während OpenLP eingerichtet wird und die Daten heruntergeladen werden. - + Setting Up Konfiguriere - + Click the finish button to start OpenLP. Klicken Sie »Abschließen« um OpenLP zu starten. - + Download complete. Click the finish button to return to OpenLP. Download vollständig. Klicken Sie »Abschließen« um zurück zu OpenLP zu gelangen. - + Click the finish button to return to OpenLP. Klicken Sie »Abschließen« um zu OpenLP zurück zu gelangen. @@ -2789,32 +2876,32 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.FormattingTagForm - + Update Error Aktualisierungsfehler - + Tag "n" already defined. Tag »n« bereits definiert. - + New Tag Neuer Tag - + <HTML here> <HTML hier> - + </and here> </und hier> - + Tag %s already defined. Tag »%s« bereits definiert. @@ -2822,82 +2909,82 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.FormattingTags - + Red rot - + Black schwarz - + Blue blau - + Yellow gelb - + Green grün - + Pink rosa - + Orange orange - + Purple lila - + White weiß - + Superscript hochgestellt - + Subscript tiefgestellt - + Paragraph Textabsatz - + Bold fett - + Italics kursiv - + Underline unterstrichen - + Break Textumbruch @@ -2905,157 +2992,157 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.GeneralTab - + General Allgemein - + Monitors Bildschirme - + Select monitor for output display: Projektionsbildschirm: - + Display if a single screen Anzeige bei nur einem Bildschirm - + Application Startup Programmstart - + Show blank screen warning Warnung wenn Projektion deaktiviert wurde - + Automatically open the last service Zuletzt benutzten Ablauf beim Start laden - + Show the splash screen Zeige den Startbildschirm - + Application Settings Anwendungseinstellungen - + Prompt to save before starting a new service Geänderte Abläufe nicht ungefragt ersetzen - + Automatically preview next item in service Vorschau des nächsten Ablaufelements - + sec sek - + CCLI Details CCLI-Details - + SongSelect username: SongSelect-Benutzername: - + SongSelect password: SongSelect-Passwort: - + X X - + Y Y - + Height Höhe - + Width Breite - + Check for updates to OpenLP Prüfe nach Aktualisierungen - + Unblank display when adding new live item Neues Element hellt Anzeige automatisch auf - + Timed slide interval: Automatischer Folienwechsel: - + Background Audio Hintergrundmusik - + Start background audio paused Starte Hintergrundmusik pausiert - + Service Item Slide Limits Navigation in Folienkontrollfeld - + Override display position: Anzeigeposition überschreiben: - + Repeat track list Abspielliste wiederholen - + Behavior of next/previous on the last/first slide: Verhalten von "Vorherige/Nächste Folie" bei letzter Folie: - + &Remain on Slide &Halte - + &Wrap around &Umlauf - + &Move to next/previous service item &Nächstes/vorheriges Ablaufelement @@ -3063,12 +3150,12 @@ Um den Einrichtungsassistenten zu unterbrechen (und OpenLP nicht zu starten), bi OpenLP.LanguageManager - + Language Sprache - + Please restart OpenLP to use your new language setting. Bitte starten Sie OpenLP neu, um die neue Spracheinstellung zu verwenden. @@ -3084,287 +3171,287 @@ 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. - + 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/. @@ -3373,108 +3460,108 @@ You can download the latest version from http://openlp.org/. Sie können die letzte Version auf http://openlp.org abrufen. - + 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 - + English Please add the name of your language here Deutsch - + Configure &Shortcuts... Konfiguriere &Tastenkürzel... - + Close OpenLP OpenLP beenden - + Are you sure you want to close OpenLP? Soll OpenLP wirklich beendet werden? - + 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. - + &Recent Files &Zuletzte geöffnete Abläufe - + 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. @@ -3483,43 +3570,43 @@ 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. - + 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... - + Export OpenLP settings to a specified *.config file Exportiere OpenLPs Einstellungen in ein *.config-Datei. - + Settings Einstellungen - + 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. - + Import settings? Importiere Einstellungen? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -3532,45 +3619,50 @@ 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) + + + New Data Directory Error + Fehler im neuen Daten Ordner + 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 @@ -3579,7 +3671,7 @@ Database: %s Datenbank: %s - + OpenLP cannot load your database. Database: %s @@ -3591,74 +3683,74 @@ Datenbank: %s OpenLP.MediaManagerItem - + No Items Selected Keine Elemente ausgewählt. - + &Add to selected Service Item Zum &gewählten Ablaufelement hinzufügen - + You must select one or more items to preview. Zur Vorschau muss mindestens ein Elemente auswählt sein. - + You must select one or more items to send live. Zur Live Anzeige muss mindestens ein Element ausgewählt sein. - + You must select one or more items. Es muss mindestens ein Element ausgewählt sein. - + You must select an existing service item to add to. Sie müssen ein vorhandenes Ablaufelement auswählen. - + Invalid Service Item Ungültiges Ablaufelement - + You must select a %s service item. Sie müssen ein %s-Element im Ablaufs wählen. - + You must select one or more items to add. Sie müssen ein oder mehrer Element auswählen. - + No Search Results Kein Suchergebnis - + Invalid File Type Ungültige Dateiendung - + Invalid File %s. Suffix not supported Ungültige Datei %s. Dateiendung nicht unterstützt. - + &Clone &Klonen - + Duplicate files were found on import and were ignored. Duplikate wurden beim Importieren gefunden und wurden ignoriert. @@ -3666,12 +3758,12 @@ Dateiendung nicht unterstützt. OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Ein <lyrics>-Tag fehlt. - + <verse> tag is missing. Ein <verse>-Tag fehlt. @@ -3813,12 +3905,12 @@ Dateiendung nicht unterstützt. OpenLP.ScreenList - + Screen Bildschirm - + primary Primär @@ -3826,12 +3918,12 @@ Dateiendung nicht unterstützt. OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Anfang</strong>: %s - + <strong>Length</strong>: %s <strong>Spiellänge</strong>: %s @@ -3847,277 +3939,282 @@ Dateiendung nicht unterstützt. OpenLP.ServiceManager - + Move to &top Zum &Anfang schieben - + Move item to the top of the service. Das ausgewählte Element an den Anfang des Ablaufs verschieben. - + Move &up Nach &oben schieben - + Move item up one position in the service. Das ausgewählte Element um eine Position im Ablauf nach oben verschieben. - + Move &down Nach &unten schieben - + Move item down one position in the service. Das ausgewählte Element um eine Position im Ablauf nach unten verschieben. - + Move to &bottom Zum &Ende schieben - + Move item to the end of the service. Das ausgewählte Element an das Ende des Ablaufs verschieben. - + &Delete From Service Vom Ablauf &löschen - + Delete the selected item from the service. Das ausgewählte Element aus dem Ablaufs entfernen. - + &Add New Item &Neues Element hinzufügen - + &Add to Selected Item &Zum gewählten Element hinzufügen - + &Edit Item Element &bearbeiten - + &Reorder Item &Aufnahmeelement - + &Notes &Notizen - + &Change Item Theme &Design des Elements ändern - + OpenLP Service Files (*.osz) OpenLP Ablaufdateien (*.osz) - + 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. - + &Expand all Alle au&sklappen - + Expand all the service items. Alle Ablaufelemente ausklappen. - + &Collapse all Alle ei&nklappen - + Collapse all the service items. Alle Ablaufelemente einklappen. - + Open File Ablauf öffnen - + Moves the selection down the window. Ausgewähltes nach unten schieben - + Move up Nach oben - + Moves the selection up the window. Ausgewähltes nach oben schieben - + Go Live Live - + Send the selected item to Live. Zeige das ausgewählte Element Live. - + &Start Time &Startzeit - + Show &Preview &Vorschau - - Show &Live - &Live - - - + Modified Service Modifizierter Ablauf - + The current service has been modified. Would you like to save this service? Der momentane Ablauf wurde modifiziert. Möchten Sie ihn speichern? - + Custom Service Notes: Notizen zum Ablauf: - + Notes: Notizen: - + Playing time: Spiellänge: - + Untitled Service Unbenannt - + 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 - + Load an existing service. Einen bestehenden Ablauf öffnen. - + Save this service. Den aktuellen Ablauf speichern. - + Select a theme for the service. 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. - + Service File Missing Ablaufdatei fehlt - + Slide theme Element-Design - + Notes Notizen - + Edit Bearbeiten - + Service copy only Ablaufkopie (nicht in der Datenbank) + + + Error Saving File + Fehler beim Speichern der Datei + + + + There was an error saving your file. + Beim Speichern der Datei ist ein Fehler aufgetreten. + OpenLP.ServiceNoteForm @@ -4148,12 +4245,12 @@ Der Inhalt ist nicht in UTF-8 kodiert. Tastenkürzel - + Duplicate Shortcut Belegtes Tastenkürzel - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Das Tastenkürzel »%s« ist bereits einer anderen Aktion zugeordnet. Bitte wählen Sie ein anderes Tastenkürzel. @@ -4188,12 +4285,12 @@ Der Inhalt ist nicht in UTF-8 kodiert. Standard Tastenkürzel dieser Aktion wiederherstellen. - + Restore Default Shortcuts Standard Tastenkürzel wiederherstellen - + Do you want to restore all shortcuts to their defaults? Möchten Sie alle standard Tastenkürzel wiederherstellen? @@ -4206,172 +4303,172 @@ 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 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. Beginne Wiedergabe. - + Pause audio. Pausiere Musik. - + Pause playing media. Pausiere Wiedergabe. - + Stop playing media. Beende Wiedergabe. - + Video position. Videoposition - + Audio Volume. Lautstärke - + 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 »Intro« - + Go to "Ending" Gehe zu »Ende« - + Go to "Other" Gehe zu »Anderes« - + Previous Slide Vorherige Folie - + Next Slide Nächste Folie - + Pause Audio Tonausgabe anhalten - + Background Audio Hintergrundton - + Go to next audio track. Zum nächsten Stück gehen. - + Tracks Stücke @@ -4465,32 +4562,32 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.ThemeForm - + Select Image Bild auswählen - + Theme Name Missing Designname fehlt - + There is no name for this theme. Please enter one. Es wurde kein Designname angegeben. Bitte benennen Sie das Design. - + Theme Name Invalid Designname ungültig - + Invalid theme name. Please enter one. Der Designname ist ungültig. Bitte ändern Sie diesen. - + (approximately %d lines per slide) (ungefähr %d Zeilen pro Folie) @@ -4498,193 +4595,193 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.ThemeManager - + Create a new theme. Erstelle ein neues Design. - + Edit Theme Bearbeite Design - + Edit a theme. Ein bestehendes Design bearbeiten. - + Delete Theme Lösche Design - + Delete a theme. Ein Design löschen. - + Import Theme Importiere Design - + Import a theme. Ein Design aus einer Datei importieren. - + Export Theme Exportiere Design - + Export a theme. Ein Design in eine Datei exportieren. - + &Edit Theme Design &bearbeiten - + &Delete Theme Design &löschen - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Das Design »%s« wird in der »%s« Erweiterung benutzt. - + 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. Diese Datei ist keine gültige OpenLP Designdatei. - + &Copy Theme Design &kopieren - + &Rename Theme Design &umbenennen - + &Export Theme Design &exportieren - + You must select a theme to rename. Es ist kein Design zur Umbenennung ausgewählt. - + Rename Confirmation Umbenennung bestätigen - + Rename %s theme? 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. - + OpenLP Themes (*.theme *.otz) OpenLP Designs (*.theme *.otz) - + Copy of %s Copy of <theme name> Kopie von %s - + Theme Already Exists Design bereits vorhanden @@ -4912,7 +5009,7 @@ Der Inhalt ist nicht in UTF-8 kodiert. Designname: - + Edit Theme - %s Bearbeite Design - %s @@ -4965,47 +5062,47 @@ Der Inhalt ist nicht in UTF-8 kodiert. OpenLP.ThemesTab - + Global Theme Globales Standarddesign - + Theme Level Designstufe - + S&ong Level &Liedstufe - + 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. Das im jeweiligen Lied eingestellte Design wird verwendet. Wenn für ein Lied kein Design festgelegt ist, wird das Ablaufdesign verwendet. Wenn dort auch kein Design festgelegt wurde, wird das Standarddesign benutzt. - + &Service Level &Ablaufstufe - + 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. Das dem Ablauf zugewiesene Design wird genutzt. Das im Lied eingestellte Design wird ignoriert. Wenn dem Ablauf kein Design zugeordnet ist, dann wird das Standarddesign verwendet. - + &Global Level &Globale Stufe - + Use the global theme, overriding any themes associated with either the service or the songs. Das Standarddesign immer verwenden, unabhängig vom Lieddesign oder Ablaufdesign. - + Themes Designs @@ -5089,245 +5186,245 @@ Der Inhalt ist nicht in UTF-8 kodiert. pt - + Image Bild - + Import Import - + Live Live - + Live Background Error Live-Hintergrund Fehler - + Load Öffnen - + Middle mittig - + New Neu - + New Service Neuer Ablauf - + New Theme Neues Design - + No File Selected Singular Keine Datei ausgewählt - + No Files Selected Plural Keine Dateien ausgewählt - + No Item Selected Singular Kein Element ausgewählt - + No Items Selected Plural Keine Elemente ausgewählt - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Vorschau - + Replace Background Live-Hintergrund ersetzen - + Reset Background Hintergrund zurücksetzen - + s The abbreviated unit for seconds s - + Save && Preview Speichern && Vorschau - + Search Suchen - + You must select an item to delete. Sie müssen ein Element zum Löschen auswählen. - + You must select an item to edit. Sie müssen ein Element zum Bearbeiten auswählen. - + Save Service Speicher Ablauf - + Service Ablauf - + Start %s Start %s - + Theme Singular Design - + Themes Plural Designs - + Top oben - + Version Version - + Delete the selected item. Lösche den ausgewählten Eintrag. - + Move selection up one position. Ausgewählten Eintrag nach oben schieben. - + Move selection down one position. Ausgewählten Eintrag nach unten schieben. - + &Vertical Align: &Vertikale Ausrichtung: - + Finished import. Importvorgang abgeschlossen. - + Format: Format: - + Importing Importieren - + Importing "%s"... »%s« wird importiert... - + Select Import Source Importquelle auswählen - + Select the import format and the location to import from. Wählen Sie das Importformat und das Quellverzeichnis aus. - + 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. Der openlp.ort 1.x Importassistent wurde, wegen einem fehlenden Python Modul deaktiviert. Wenn Sie diesen Importassistenten nutzen wollen, dann müssen Sie das »python-sqlite« Modul installieren. - + Open %s File Öffne %s Datei - + %p% %p% - + Ready. Fertig. - + Starting import... Beginne Import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Sie müssen wenigstens eine %s-Datei zum Importieren auswählen. - + Welcome to the Bible Import Wizard Willkommen beim Bibel Importassistenten @@ -5337,7 +5434,7 @@ Der Inhalt ist nicht in UTF-8 kodiert. Willkommen beim Lied Exportassistenten - + Welcome to the Song Import Wizard Willkommen beim Lied Importassistenten @@ -5425,53 +5522,53 @@ Der Inhalt ist nicht in UTF-8 kodiert. h - + Layout style: Folienformat: - + Live Toolbar Live-Ansicht - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP läuft bereits. Möchten Sie trotzdem fortfahren? - + Settings Einstellungen - + Tools Extras - + Unsupported File Nicht unterstütztes Dateiformat - + Verse Per Slide Verse pro Folie - + Verse Per Line Verse pro Zeile - + View Ansicht @@ -5486,37 +5583,37 @@ Der Inhalt ist nicht in UTF-8 kodiert. XML Syntax Fehler - + View Mode Ansichtsmodus - + Open service. Öffne einen Ablauf. - + Print Service Ablauf drucken - + Replace live background. Ersetzen den Live-Hintergrund. - + Reset live background. Setze den Live-Hintergrund zurück. - + Split a slide into two only if it does not fit on the screen as one slide. Teile ein Folie dann, wenn sie als Ganzes nicht auf den Bildschirm passt. - + Welcome to the Bible Upgrade Wizard Willkommen zum Aktualisierungsssistent @@ -5526,64 +5623,105 @@ Der Inhalt ist nicht in UTF-8 kodiert. Löschbestätigung - + Play Slides in Loop Endlosschleife - + Play Slides to End Schleife bis zum Ende - + Stop Play Slides in Loop Halte Endlosschleife an - + Stop Play Slides to End Halte Schleife an - + Next Track Nächstes Stück - + Search Themes... Search bar place holder text Suche Designs... - + Optional &Split Optionale &Teilung + + + Invalid Folder Selected + Singular + Ungültiger Ordner gewählt + + + + Invalid File Selected + Singular + Ungültige Datei ausgewählt + + + + Invalid Files Selected + Plural + Ungültige Dateien gewählt + + + + No Folder Selected + Singular + Kein Ordner ausgewählt + + + + Open %s Folder + Öffne %s Ordner + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Bitte wählen Sie eine %s Datei, welche importiert werden soll. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Bitte wählen Sie wenigstens einen %s Ordner der importiert werden soll. + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 und %2 - + %1, and %2 Locale list separator: end %1, und %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1,%2 @@ -5592,50 +5730,50 @@ Der Inhalt ist nicht in UTF-8 kodiert. 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>Erweiterung Präsentationen</strong><br />Die Erweiterung Präsentationen ermöglicht die Darstellung von Präsentationen, unter Verwendung verschiedener Programme. In einer Auswahlbox kann eines der verfügbaren Programme gewählt werden. - + Presentation name singular Präsentation - + Presentations name plural Präsentationen - + Presentations container title Präsentationen - + Load a new presentation. Lade eine neue Präsentation. - + Delete the selected presentation. Lösche die ausgewählte Präsentation. - + Preview the selected presentation. Zeige die ausgewählte Präsentation in der Vorschau. - + Send the selected presentation live. Zeige die ausgewählte Präsentation Live. - + Add the selected presentation to the service. Füge die ausgewählte Präsentation zum Ablauf hinzu. @@ -5643,70 +5781,70 @@ Der Inhalt ist nicht in UTF-8 kodiert. PresentationPlugin.MediaItem - + Select Presentation(s) Präsentationen auswählen - + Automatic automatisch - + Present using: Anzeigen mit: - + File Exists Datei existiert - + A presentation with that filename already exists. Eine Präsentation mit diesem Dateinamen existiert bereits. - + This type of presentation is not supported. Präsentationsdateien dieses Dateiformats werden nicht unterstützt. - + Presentations (%s) Präsentationen (%s) - + Missing Presentation Fehlende Präsentation - - The Presentation %s no longer exists. - Die Präsentation »%s« existiert nicht mehr. + + The presentation %s is incomplete, please reload. + Die Präsentation %s ist unvollständig, bitte erneut laden. - - The Presentation %s is incomplete, please reload. - Die Präsentation »%s« ist nicht vollständig, bitte neu laden. + + The presentation %s no longer exists. + Die Präsentation %s existiert nicht mehr. PresentationPlugin.PresentationTab - + Available Controllers Verwendete Präsentationsprogramme - + %s (unavailable) %s (nicht verfügbar) - + Allow presentation application to be overridden Überschreiben der Präsentationssoftware zulassen @@ -5740,107 +5878,107 @@ Der Inhalt ist nicht in UTF-8 kodiert. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Fernsteuerung - + OpenLP 2.0 Stage View OpenLP 2.0 Bühnenmonitor - + Service Manager Ablaufverwaltung - + Slide Controller Live-Ansicht - + Alerts Hinweise - + Search Suchen - + Refresh Aktualisieren - + Blank Schwarz - + Show Zeigen - + Prev Vorh. - + Next Nächste - + Text Text - + Show Alert Hinweis zeigen - + Go Live Live - + No Results Kein Suchergebnis - + Options Optionen - + Add to Service Zum Ablauf hinzufügen - + Home Start - + Theme Design - + Desktop Desktop - + Add &amp; Go to Service Hinzufügen & zum Ablauf gehen @@ -5848,42 +5986,42 @@ Der Inhalt ist nicht in UTF-8 kodiert. RemotePlugin.RemoteTab - + Serve on IP address: Verfügbar über IP-Adresse: - + Port number: Port-Nummer: - + Server Settings Server-Einstellungen - + Remote URL: Fernsteuerung: - + Stage view URL: Bühnenmonitor: - + Display stage time in 12h format Nutze 12h Format für den Bühnenmonitor - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Zur Installation der Android app bitte den QR code einlesen oder auf <a href="https://market.android.com/details?id=org.openlp.android">download</a> klicken. @@ -5891,85 +6029,85 @@ Der Inhalt 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 @@ -6030,22 +6168,22 @@ Der Inhalt ist nicht in UTF-8 kodiert. Zielverzeichnis für die Statistiken - + Output File Location Zielverzeichnis - + usage_detail_%s_%s.txt Aufrufprotokoll_%s_%s.txt - + Report Creation Statistik Erstellung - + Report %s has been successfully created. @@ -6054,12 +6192,12 @@ has been successfully created. wurde erfolgreich erstellt. - + Output Path Not Selected Kein Zielverzeichnis angegeben - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Sie haben kein gültiges Zielverzeichnis für die Statistiken angegeben. Bitte geben Sie ein existierendes Verzeichnis an. @@ -6097,82 +6235,82 @@ wurde erfolgreich erstellt. Reindiziere die Liederdatenbank... - + 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 - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -6182,26 +6320,26 @@ Gewöhnlich ist die vorausgewählte Einstellung korrekt. - + 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. - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Lieder @@ -6212,32 +6350,32 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.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. @@ -6265,17 +6403,17 @@ Diese ist für die korrekte Darstellung der Sonderzeichen verantwortlich.Nachname: - + You need to type in the first name of the author. Der Vornamen des Autors muss angegeben werden. - + You need to type in the last name of the author. Der Nachname des Autors muss angegeben werden. - + You have not set a display name for the author, combine the first and last names? Es wurde kein Anzeigename für den Autor angegeben. Soll der Vor- und Nachname kombiniert werden? @@ -6416,72 +6554,72 @@ 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? - + This author is already in the list. Dieser Autor ist bereits vorhanden. - + 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? - + This topic is already in the list. Dieses Thema ist bereits vorhanden. - + 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«. - + 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. - + 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«. - + 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 have an author for this song. Das Lied benötigt mindestens einen Autor. @@ -6511,7 +6649,7 @@ Easy Worship] &Alle Entfernen - + Open File(s) Datei(en) öffnen @@ -6521,7 +6659,7 @@ Easy Worship] <strong>Achtung:</strong> Es werden nicht alle Verse verwendet. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Ungültige Versfolge. Es gibt keine passenden Verse für %s. Gültige Einträge sind %s. @@ -6635,135 +6773,140 @@ Easy Worship] SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Präsentationen/Textdokumente auswählen - + Song Import Wizard Lied Importassistent - + 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. Dieser Assistent hilft Ihnen Liedtexte aus verschiedenen Formaten zu importieren. Klicken Sie auf »Weiter« um das Quellformat auszuwählen, aus dem Sie importieren möchten. - + Generic Document/Presentation Präsentation/Textdokument - - Filename: - Dateiname: - - - - 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. - Leider können noch keine OpenLyric Lieder importiert werden, aber vielleicht klappts ja in der nächsten Version. - - - + Add Files... Hinzufügen... - + Remove File(s) Entfernen - + Please wait while your songs are imported. Die Liedtexte werden importiert. Bitte warten. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Songs Of Fellowship Song Dateien - + SongBeamer Files SongBeamer Dateien - + SongShow Plus Song Files SongShow Plus Song Dateien - + Foilpresenter Song Files Foilpresenter Lied-Dateien - + Copy Kopieren - + Save to File In Datei speichern - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Der Songs of Fellowship importer wurde deaktiviert, weil OpenLP nicht OpenOffice oder LibreOffice öffnen konnte. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 - + CCLI SongSelect Files CLI SongSelect Dateien - + EasySlides XML File EasySlides XML Datei - + EasyWorship Song Database EasyWorship Lieddatenbank + + + DreamBeam Song Files + DreamBeam Lied Dateien + + + + You need to specify a valid PowerSong 1.0 database folder. + Bitte wählen sie einen gültigen PowerSong 1.0 Datenbank Ordner. + + + + ZionWorx (CSV) + ZionWorx(CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Bitte konvertieren Sie zuerst die ZionWorx Datenbank in eine CSV Text Datei, wie beschrieben im <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + SongsPlugin.MediaFilesForm @@ -6781,22 +6924,22 @@ Easy Worship] SongsPlugin.MediaItem - + Titles Titel - + Lyrics Liedtext - + CCLI License: CCLI-Lizenz: - + Entire Song Ganzes Lied @@ -6809,7 +6952,7 @@ Easy Worship] - + Maintain the lists of authors, topics and books. Autoren, Themen und Bücher verwalten. @@ -6820,27 +6963,27 @@ Easy Worship] Kopie - + Search Titles... Suche Titel... - + Search Entire Song... Suche im ganzem Lied... - + Search Lyrics... Suche Liedtext... - + Search Authors... Suche Autoren... - + Search Song Books... Suche Liederbücher... @@ -6869,6 +7012,19 @@ Easy Worship] Exportiere »%s«... + + SongsPlugin.PowerSongImport + + + No songs to import. + Keine Lieder zu importieren. + + + + Verses not found. Missing "PART" header. + Es wurden keine Verse gefunden. "PART" Kopfzeile fehlt. + + SongsPlugin.SongBookForm @@ -6908,12 +7064,12 @@ Easy Worship] SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: Die folgenden Lieder konnten nicht importiert werden: @@ -6933,118 +7089,110 @@ Easy Worship] Datei nicht gefunden - - SongsPlugin.SongImportForm - - - Your song import failed. - Importvorgang fehlgeschlagen. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Der Autor konnte nicht hinzugefügt werden. - + This author already exists. Der Autor existiert bereits in der Datenbank. - + Could not add your topic. Das Thema konnte nicht hinzugefügt werden. - + This topic already exists. Das Thema existiert bereits in der Datenbank. - + Could not add your book. Das Liederbuch konnte nicht hinzugefügt werden. - + This book already exists. Das Liederbuch existiert bereits in der Datenbank. - + Could not save your changes. Die Änderungen konnten nicht gespeichert werden. - + Could not save your modified author, because the author already exists. Der geänderte Autor konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Could not save your modified topic, because it already exists. Das geänderte Thema konnte nicht gespeichert werden, da es bereits in der Datenbank existiert. - + Delete Author Autor löschen - + Are you sure you want to delete the selected author? Soll der ausgewählte Autor wirklich gelöscht werden? - + This author cannot be deleted, they are currently assigned to at least one song. Der Autor konnte nicht gelöscht werden, da er mindestens einem Lied zugeordnet ist. - + Delete Topic Thema löschen - + Are you sure you want to delete the selected topic? Soll das ausgewählte Thema wirklich gelöscht werden? - + This topic cannot be deleted, it is currently assigned to at least one song. Das Thema konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - + Delete Book Liederbuch löschen - + Are you sure you want to delete the selected book? Soll das ausgewählte Liederbuch wirklich gelöscht werden? - + This book cannot be deleted, it is currently assigned to at least one song. Das Liederbuch konnte nicht gelöscht werden, da es mindestens einem Lied zugeordnet ist. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Der Autor »%s« existiert bereits. Sollen Lieder von »%s« »%s« als Autor setzen? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Das Thema »%s« existiert bereits. Sollen Lieder zum Thema »%s« das Thema »%s« verwenden? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Das Liederbuch »%s« existiert bereits. Sollen Lieder aus »%s« dem Buch »%s« zugeordnet werden? @@ -7052,27 +7200,27 @@ Easy Worship] SongsPlugin.SongsTab - + Songs Mode Lieder-Einstellungen - + Enable search as you type Aktiviere Vorschlagssuche (search as you type) - + Display verses on live tool bar Versauswahl in der Live-Symbolleiste zeigen - + Update service from song edit Lieder im Ablauf nach Bearbeitung aktualisieren - + Import missing songs from service files Lieder aus Abläufen in die Datenbank importieren @@ -7133,4 +7281,17 @@ Easy Worship] Anderes + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Fehler beim Lesen der CSV Datei. + + + + File not valid ZionWorx CSV format. + Die Datei hat kein gültiges ZionWorx CSV Format. + + diff --git a/resources/i18n/el.ts b/resources/i18n/el.ts index 797ca2833..f43389b0d 100644 --- a/resources/i18n/el.ts +++ b/resources/i18n/el.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,510 +152,510 @@ Do you want to continue anyway? 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. Αναβάθμιση της βάσης δεδομένων Βίβλων στην τελευταία μορφή. - + Genesis Γένεση - + Exodus Έξοδος - + Leviticus Λευιτικό - + Numbers Αριθμοί - + Deuteronomy Δευτερονόμιο - + Joshua Ιησούς του Ναυή - + Judges Κριτές - + Ruth Ρουθ - + 1 Samuel 1 Σαμουήλ - + 2 Samuel 2 Σαμουήλ - + 1 Kings 1 Βασιλέων - + 2 Kings 2 Βασιλέων - + 1 Chronicles 1 Χρονικών - + 2 Chronicles 2 Χρονικών - + Ezra Έσδρας - + Nehemiah Νεεμίας - + Esther Εσθήρ - + Job Ιώβ - + Psalms Ψαλμοί - + Proverbs Παροιμίες - + Ecclesiastes Εκκλησιαστής - + Song of Solomon Άσμα Ασμάτων - + Isaiah Ησαΐας - + Jeremiah Ιερεμίας - + Lamentations Θρήνοι - + Ezekiel Ιεζεκιήλ - + Daniel Δανιήλ - + Hosea Ωσηέ - + Joel Ιωήλ - + Amos Αμώς - + Obadiah Αβδιού - + Jonah Ιωνάς - + Micah Μιχαίας - + Nahum Ναούμ - + Habakkuk Αββακούμ - + Zephaniah Σοφονίας - + Haggai Αγγαίος - + Zechariah Ζαχαρίας - + Malachi Μαλαχίας - + Matthew Ματθαίος - + Mark Μάρκος - + Luke Λουκάς - + John Ιωάννης - + Acts Πράξεις - + Romans Ρωμαίους - + 1 Corinthians 1 Κορινθίους - + 2 Corinthians 2 Κορινθίους - + Galatians Γαλάτες - + Ephesians Εφεσίους - + Philippians Φιλιππησίους - + Colossians Κολοσσαείς - + 1 Thessalonians 1 Θεσσαλονικείς - + 2 Thessalonians 2 Θεσσαλονικείς - + 1 Timothy 1 Τιμόθεο - + 2 Timothy 2 Τιμόθεο - + Titus Τίτο - + Philemon Φιλήμονα - + Hebrews Εβραίους - + James Ιακώβου - + 1 Peter 1 Πέτρου - + 2 Peter 2 Πέτρου - + 1 John 1 Ιωάννου - + 2 John 2 Ιωάννου - + 3 John 3 Ιωάννου - + Jude Ιούδα - + Revelation Αποκάλυψη - + Judith Ιουδίθ - + Wisdom Σοφία Σολομώντος - + Tobit Τωβίτ - + Sirach Σοφία Σειράχ - + Baruch Βαρούχ - + 1 Maccabees 1 Μακκαβαίων - + 2 Maccabees 2 Μακκαβαίων - + 3 Maccabees 3 Μακκαβαίων - + 4 Maccabees 4 Μακκαβαίων - + Rest of Daniel Υπόλοιπο Δανιήλ - + Rest of Esther Υπόλοιπο Εσθήρ - + Prayer of Manasses Προσευχή του Μανασσή - + Letter of Jeremiah Επιστολή του Ιερεμία - + Prayer of Azariah Προσευχή Αζαρίου - + Susanna Σουσάννα - + Bel Βηλ - + 1 Esdras 1 Έσδρας - + 2 Esdras 2 Έσδρας - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verse|verses;;-|to;;,|and;;end @@ -666,82 +666,84 @@ Do you want to continue anyway? 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. - Πρέπει να ορίσετε τα πνευματικά δικαιώματα της Βίβλου σας. Οι Βίβλοι στον δημόσιο τομέα πρέπει να δηλώνονται ως τέτοιες. + Πρέπει να θέσετε πνευματικά δικαιώματα για την Βίβλο σας. Οι Βίβλοι στο Δημόσιο Domain πρέπει να σημειώνονται ως δημόσιες. Bible Exists - Η Βίβλος Υπάρχει + Υπάρχουσα Βίβλος This Bible already exists. Please import a different Bible or first delete the existing one. - Η Βίβλος ήδη υπάρχει. Παρακαλούμε να εισάγετε μια διαφορετική Βίβλο ή να διαγράψετε πρώτα την ήδη υπάρχουσα. + Αυτή η Βίβλος υπάρχει ήδη. Παρακαλούμε εισάγετε μια διαφορετική Βίβλο ή πρώτα διαγράψτε την ήδη υπάρχουσα. You need to specify a book name for "%s". - + Πρέπει να ορίσετε όνομα βιβλίου για το "%s". The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + Το όνομα βιβλίου "%s" δεν είναι σωστό. +Οι αριθμοί μπορούν να χρησιμοποιηθούν μόνο στην αρχή και πρέπει να +ακολουθούνται από έναν ή παραπάνω μη αριθμητικούς χαρακτήρες. Duplicate Book Name - + Αντίγραφο Ονομασίας Βιβλίου The Book Name "%s" has been entered more than once. - + Η Ονομασία Βιβλίου "%s" έχει εισαχθεί πάνω από μία φορές. 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. Δεν υπάρχουν εγκατεστημένες Βίβλοι. Χρησιμοποιήστε τον Οδηγό Εισαγωγής για να εγκαταστήσετε μία η περισσότερες Βίβλους. - + No Bibles Available Βίβλοι Μη Διαθέσιμοι - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 Εμφάνιση εδαφίων δεύτερης Βίβλου - + Custom Scripture References Εξατομικευμένες Βιβλικές Παραπομπές - + Verse Separator: Διαχωριστής Εδαφίων: - + Range Separator: Διαχωριστής Εύρους: - + List Separator: Διαχωριστής Λίστας: - + End Mark: Σήμανση Τέλους - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ Please clear this edit line to use the default value. Παρακαλώ σβήστε αυτή την γραμμή για χρήση της προκαθορισμένης τιμής. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ Please clear this edit line to use the default value. Παρακαλώ σβήστε αυτή την γραμμή για χρήση της προκαθορισμένης τιμής. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ Please clear this edit line to use the default value. Παρακαλώ σβήστε αυτή την γραμμή για χρήση της προκαθορισμένης τιμής. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ Please clear this edit line to use the default value. Παρακαλώ σβήστε αυτή την γραμμή για χρήση της προκαθορισμένης τιμής. - + English Αγγλικά - + Default Bible Language - + Προεπιλεγμένη Γλώσσα Βίβλου - + Book name language in search field, search results and on display: - + Γλώσσα ονομασίας βιβλίου στο πεδίο αναζήτησης, +στα αποτελέσματα αναζήτησης και στην εμφάνιση: - + Bible Language - + Γλώσσα Βίβλου - + Application Language - + Γλώσσα Εφαρμογής @@ -905,11 +908,6 @@ search results and on display: Select Book Name Επιλέξτε Όνομα Βιβλίου - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Το ακόλουθο όνομα βιβλίου δεν βρέθηκε εσωτερικά. Παρακαλούμε επιλέξτε το αντίστοιχο αγγλικό όνομα από την λίστα. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Απόκρυφα + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Το ακόλουθο όνομα βιβλίου δεν βρέθηκε εσωτερικά. Παρακαλούμε επιλέξτε το αντίστοιχο αγγλικό όνομα από την λίστα. + BiblesPlugin.BookNameForm - + You need to select a book. Πρέπει να επιλέξετε ένα βιβλίο. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Συντάκτης Βίβλου License Details - Λεπτομέρειες Άδειας + Λεπτομέρειες Άδειας Version name: - Όνομα έκδοσης: + Όνομα έκδοσης: Copyright: - Πνευματικά Δικαιώματα: + Πνευματικά Δικαιώματα: Permissions: - Άδειες: + Άδειες: Default Bible Language - + Προεπιλεγμένη Γλώσσα Βίβλου Book name language in search field, search results and on display: - + Γλώσσα ονομασίας βιβλίου στο πεδίο αναζήτησης, στα αποτελέσματα αναζήτησης και στην εμφάνιση: Global Settings - + Καθολικές Ρυθμίσεις Bible Language - + Γλώσσα Βίβλου Application Language - + Γλώσσα Εφαρμογής English - Αγγλικά + Αγγλικά This is a Web Download Bible. It is not possible to customize the Book Names. - + Αυτή είναι μία Βίβλος Κατεβασμένη από το Internet. +Δεν είναι δυνατή η τροποποίηση των ονομάτων των Βιβλίων. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Για χρήση των παραμετροποιημένων ονομάτων βιβλίων, η "Γλώσσα Βίβλου" πρέπει να έχει επιλεχθεί στην καρτέλα Meta Data, ή αν έχει επιλεχθεί το "Καθολικές Ρυθμίσεις", στην σελίδα Βίβλων του μενού Ρύθμιση του OpenLP. 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. Υπήρξε πρόβλημα κατά την εξαγωγή των επιλεγμένων εδαφίων σας. Αν αυτό το σφάλμα επανεμφανιστεί σκεφτείτε να κάνετε μια αναφορά σφάλματος. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. 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. Η Βίβλος καταχωρήθηκε. Σημειώστε ότι τα εδάφια θα κατέβουν @@ -1275,100 +1279,100 @@ demand and thus an internet connection is required. 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 εδάφια δεν έχουν συμπεριληφθεί στα αποτελέσματα. - + Search Scripture Reference... - + Αναζήτηση Αναφοράς Βίβλου... - + Search Text... - + Αναζήτηση Κειμένου... - + Are you sure you want to delete "%s"? - + Είστε σίγουροι ότι θέλετε να διαγράψετε το "%s" ; BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Εισαγωγή %s %s... @@ -1377,12 +1381,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... @@ -1391,149 +1395,149 @@ demand and thus an internet connection is required. 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. Δεν υπάρχουν Βίβλοι που χρειάζονται αναβάθμιση. @@ -1607,12 +1611,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Εξατομικευμένη Προβολή - + Display footer Προβολή υποσέλιδου @@ -1683,7 +1687,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Είστε σίγουροι ότι θέλετε να διαγράψετε την %n επιλεγμένη εξατομικευμένη διαφάνεια; @@ -1694,60 +1698,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Προβολή της επιλεγμένης εικόνας σε λειτουργία. @@ -1755,7 +1759,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Επιλογή Επισυναπτόμενου @@ -1763,44 +1767,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Δεν υπήρξε κανένα αντικείμενο προς απεικόνιση για διόρθωση. @@ -1808,78 +1812,78 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color Χρώμα Φόντου - + Default Color: Προκαθορισμένο Χρώμα: - + Visible background for images with aspect ratio different to screen. - + Ορατό φόντο για εικόνες με διαφορετικές αναλογίες από την οθόνη. 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. Προσθήκη επιλεγμένων πολυμέσων σε λειτουργία. @@ -1927,7 +1931,7 @@ Do you want to add the other images anyway? Δεν υπήρξε αντικείμενο προς προβολή για διόρθωση. - + Unsupported File Μη υποστηριζόμενο Αρχείο @@ -1945,22 +1949,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players Διαθέσιμα Προγράμματα Αναπαραγωγής - + %s (unavailable) %s (μη διαθέσιμο) - + Player Order Σειρά Αναπαραγωγής - + Allow media player to be overridden Επιτρέψτε την παράκαμψη του προγράμματος αναπαραγωγής πολυμέσων @@ -1968,7 +1972,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Αρχεία Εικόνων @@ -2172,192 +2176,276 @@ Portions copyright © 2004-2012 %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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Λειτουργία %Y-%m-%d %H-%M - + Default Service Name Προκαθορισμένη Ονομασία Λειτουργίας - + Enable default service name Ενεργοποίηση Προκαθορισμένης Ονομασίας Λειτουργίας - + Date and Time: Ημερομηνία και Ώρα: - + Monday Δευτέρα - + Tuesday Τρίτη - + Wednesday Τετάρτη - + Thurdsday Πέμπτη - + Friday Παρασκευή - + Saturday Σάββατο - + Sunday Κυριακή - + Now Τώρα - + Time when usual service starts. Συνήθης ώρα έναρξης λειτουργίας. - + Name: Όνομα: - + Consult the OpenLP manual for usage. Συμβουλευτείτε το εγχειρίδιο του OpenLP για την χρήση. - + Revert to the default service name "%s". Επαναφορά στο προκαθορισμένο όνομα λειτουργίας "%s" - + Example: Παράδειγμα: - + X11 X11 - + Bypass X11 Window Manager Παράκαμψη Διαχειριστή Παραθύρων X11 - + Syntax error. Σφάλμα Σύνταξης. + + + Data Location + Τοποθεσία Δεδομένων + + + + Current path: + Τρέχουσα τοποθεσία: + + + + Custom path: + Παραμετροποιημένη τοποθεσία: + + + + Browse for new data file location. + Άνοιγμα περιηγητή για νέα τοποθεσία αρχείων δεδομένων. + + + + Set the data location to the default. + Ορίστε την τοποθεσία δεδομένων στην προκαθορισμένη τοποθεσία. + + + + Cancel + Ακύρωση + + + + Cancel OpenLP data directory location change. + Ακυρώστε την αλλαγή τοποθεσίας του φακέλου δεδομένων του OpenLP. + + + + Copy data to new location. + Αντιγραφή δεδομένων σε νέα τοποθεσία. + + + + Copy the OpenLP data files to the new location. + Αντιγραφή των αρχείων δεδομένων του OpenLP στην νέα τοποθεσία. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>ΠΡΟΣΟΧΗ:</strong> Η τοποθεσία του νέου φακέλου δεδομένων περιέχει τα αρχεία δεδομένων του OpenLP. Τα αρχεία αυτά θα αντικατασταθούν κατά την αντιγραφή. + + + + Data Directory Error + Σφάλμα Φακέλου Δεδομένων + + + + Select Data Directory Location + Επιλογή Τοποθεσίας Φακέλου Δεδομένων + + + + Confirm Data Directory Change + Επιβεβαίωση Αλλαγής Φακέλου Δεδομένων + + + + Reset Data Directory + Επαναφορά Φακέλου Δεδομένων + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Είστε σίγουροι ότι θέλετε να αλλάξετε την τοποθεσία του φακέλου δεδομένων του OpenLP στην προκαθορισμένη τοποθεσία; + +Η τοποθεσία αυτή θα χρησιμοποιηθεί αφού κλείσετε το OpenLP. + + + + Overwrite Existing Data + Αντικατάσταση Υπάρχοντων Δεδομένων + OpenLP.ExceptionDialog @@ -2394,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Επισύναψη Αρχείου - + Description characters to enter : %s Χαρακτήρες περιγραφής προς εισαγωγή: %s @@ -2402,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s Πλατφόρμα: %s - + Save Crash Report Αποθήκευση Αναφοράς Σφάλματος - + Text files (*.txt *.log *.text) Αρχεία κειμένου (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2450,7 +2538,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2587,17 +2675,17 @@ Version: %s Προκαθορισμένες Ρυθμίσεις - + Downloading %s... Λήψη %s... - + Download complete. Click the finish button to start OpenLP. Η λήψη ολοκληρώθηκε. Κάντε κλικ στο κουμπί τερματισμού για να ξεκινήσετε το OpenLP. - + Enabling selected plugins... Ενεργοποίηση των επιλεγμένων Πρόσθετων... @@ -2667,32 +2755,32 @@ Version: %s Αυτός ο οδηγός θα σας βοηθήσει να διαμορφώσετε το 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. @@ -2711,14 +2799,18 @@ 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. Click 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), click the Cancel button now. - + + +Για πλήρη ακύρωση του Οδηγού Πρώτης Χρήσης (και μη εκκίνηση του OpenLP), πιέστε το πλήκτρο Άκυρο τώρα. @@ -2777,32 +2869,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Σφάλμα Ενημέρωσης - + Tag "n" already defined. Η ετικέτα "n" έχει ήδη οριστεί. - + New Tag Νέα Ετικέτα - + <HTML here> <HTML εδώ> - + </and here> </και εδώ> - + Tag %s already defined. Η ετικέτα %s έχει ήδη οριστεί. @@ -2810,82 +2902,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Κόκκινο - + Black Μαύρο - + Blue Μπλε - + Yellow Κίτρινο - + Green Πράσινο - + Pink Ροζ - + Orange Πορτοκαλί - + Purple Μωβ - + White Άσπρο - + Superscript Εκθέτης - + Subscript Δείκτης - + Paragraph Παράγραφος - + Bold Έντονη γραφή - + Italics Πλάγια γραφή - + Underline Υπογράμμιση - + Break Διακοπή @@ -2893,170 +2985,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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: - + X X - + Y Y - + Height Ύψος - + Width Πλάτος - + Check for updates to OpenLP Έλεγχος για ενημερώσεις του OpenLP - + Unblank display when adding new live item Απευθείας προβολή όταν προστίθεται νέο αντικείμενο - + Timed slide interval: Χρονικό διάστημα διαφάνειας: - + Background Audio Ήχος Υπόβαθρου - + Start background audio paused Εκκίνηση του ήχου υπόβαθρου σε παύση - + Service Item Slide Limits Όρια Διαφάνειας Αντικειμένου Λειτουργίας - + Override display position: Αγνόηση θέσης εμφάνισης: - + Repeat track list Επανάληψη λίστας κομματιών - + Behavior of next/previous on the last/first slide: - + Συμπεριφορά επόμενης/προηγούμενης κατά την τελευταία/πρώτη διαφάνεια: - + &Remain on Slide - + &Παραμονή στην Διαφάνεια - + &Wrap around - + &Περιτύλιξη - + &Move to next/previous service item - + &Μετακίνηση στην επόμενο/προηγούμενο στοιχείο λειτουργίας OpenLP.LanguageManager - + Language Γλώσσα - + Please restart OpenLP to use your new language setting. Παρακαλούμε επανεκκινήστε το OpenLP για να ενεργοποιηθεί η νέα γλώσσα. @@ -3072,287 +3164,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 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/. @@ -3361,108 +3453,108 @@ 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 Η Κύρια Οθόνη εκκενώθηκε - + 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. @@ -3471,43 +3563,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and Η επαντεκτέλεσή του μπορεί να επιφέρει αλλαγές στις τρέχουσες ρυθμίσεις του 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. @@ -3520,45 +3612,50 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate Η εισαγωγή λανθασμένων ρυθμίσεων μπορεί να προκαλέσει εσφαλμένη συμπεριφορά ή ανώμαλο τερματισμό του 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) + + + New Data Directory Error + Σφάλμα Νέου Φακέλου Δεδομένων + 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 @@ -3567,7 +3664,7 @@ Database: %s Βάση Δεδομένων: %s - + OpenLP cannot load your database. Database: %s @@ -3579,74 +3676,74 @@ Database: %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. Κατά την εισαγωγή των αρχείων βρέθηκαν διπλά αρχεία που αγνοήθηκαν. @@ -3654,12 +3751,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Η ετικέτα <lyrics> απουσιάζει. - + <verse> tag is missing. Η ετικέτα <verse> απουσιάζει. @@ -3801,12 +3898,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Οθόνη - + primary Πρωτεύων @@ -3814,12 +3911,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Έναρξη</strong>: %s - + <strong>Length</strong>: %s <strong>Διάρκεια</strong>: %s @@ -3835,277 +3932,282 @@ Suffix not supported 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 Επεξεργασία αντιγράφου μόνο + + + Error Saving File + Σφάλμα Αποθήκευσης Αρχείου + + + + There was an error saving your file. + Υπήρξε σφάλμα κατά την αποθήκευση του αρχείου σας. + OpenLP.ServiceNoteForm @@ -4136,12 +4238,12 @@ The content encoding is not UTF-8. Συντόμευση - + Duplicate Shortcut Αντίγραφο Συντόμευσης - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Η συντόμευση "%s" έχει ήδη ανατεθεί σε άλλη ενέργεια, παρακαλούμε χρησιμοποιήστε διαφορετική συντόμευση. @@ -4176,12 +4278,12 @@ The content encoding is not UTF-8. Αποκατάσταση της προκαθορισμένης συντόμευσης αυτής της ενέργειας. - + Restore Default Shortcuts Αποκατάσταση Προκαθορισμένων Συντομεύσεων - + Do you want to restore all shortcuts to their defaults? Θέλετε να αποκαταστήσετε όλες τις συντομεύσεις στις προκαθορισμένες; @@ -4194,172 +4296,172 @@ The content encoding is not UTF-8. 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. Θέση Video. - + Audio Volume. Ένταση Ήχου. - + Go to "Verse" Πήγαινε στην "Στροφή" - + Go to "Chorus" Πήγαινε στην "Επωδό" - + Go to "Bridge" Πήγαινε στην "Γέφυρα" - + Go to "Pre-Chorus" Πήγαινε στην "Προ-Επωδό" - + Go to "Intro" Πήγαινε στην "Εισαγωγή" - + Go to "Ending" Πήγαινε στο"Τέλος" - + Go to "Other" Πήγαινε στο "Άλλο" - + Previous Slide Προηγούμενη Διαφάνεια - + Next Slide Επόμενη Διαφάνεια - + Pause Audio Κομμάτι σε Αναμονή - + Background Audio Κομμάτι Φόντου - + Go to next audio track. Μετάβαση στο επόμενο κομμάτι. - + Tracks Κομμάτια @@ -4453,32 +4555,32 @@ The content encoding is not UTF-8. 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 γραμμές ανά διαφάνεια) @@ -4486,193 +4588,193 @@ The content encoding is not UTF-8. 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 - + Theme Already Exists Ήδη Υπαρκτό Θέμα @@ -4900,7 +5002,7 @@ The content encoding is not UTF-8. Όνομα θέματος: - + Edit Theme - %s Επεξεργασία Θέματος - %s @@ -4953,47 +5055,47 @@ The content encoding is not UTF-8. 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 Θέματα @@ -5077,245 +5179,245 @@ The content encoding is not UTF-8. 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 Καλωσορίσατε στον Οδηγό Εισαγωγής Βίβλου @@ -5325,7 +5427,7 @@ The content encoding is not UTF-8. Καλωσορίσατε στον Οδηγό Εξαγωγής Ύμνου - + Welcome to the Song Import Wizard Καλωσορίσατε στον Οδηγό Εισαγωγής Ύμνου @@ -5413,53 +5515,53 @@ The content encoding is not UTF-8. ω - + 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 Προβολή @@ -5474,37 +5576,37 @@ The content encoding is not UTF-8. Συντακτικό λάθος XML - + View Mode Λειτουργία Προβολής - + Open service. Άνοιγμα λειτουργίας. - + Print Service Εκτύπωση Λειτουργίας - + Replace live background. Αντικατάσταση του προβαλλόμενου φόντου. - + Reset live background. Επαναφορά προβαλλόμενου φόντου. - + Split a slide into two only if it does not fit on the screen as one slide. Διαίρεση μιας διαφάνειας σε δύο μόνο αν δεν χωρά στην οθόνη ως μια διαφάνεια. - + Welcome to the Bible Upgrade Wizard Καλωσορίσατε στον Οδηγό Αναβάθμισης Βίβλου @@ -5514,64 +5616,105 @@ The content encoding is not UTF-8. Επιβεβαίωση Διαγραφής - + Play Slides in Loop Αναπαραγωγή Διαφανειών Κυκλικά - + Play Slides to End Αναπαραγωγή Διαφανειών έως Τέλους - + Stop Play Slides in Loop Τερματισμός Κυκλικής Αναπαραγωγής Διαφανειών - + Stop Play Slides to End Τερματισμός Αναπαραγωγής Διαφανειών έως Τέλους - + Next Track Επόμενο Κομμάτι - + Search Themes... Search bar place holder text - + Αναζήτηση Θεμάτων... - + Optional &Split - + Προαιρετικός &Διαχωρισμός + + + + Invalid Folder Selected + Singular + Επιλέχθηκε Ακατάλληλος Φάκελος + + + + Invalid File Selected + Singular + Επιλέχθηκε Ακατάλληλο Αρχείο + + + + Invalid Files Selected + Plural + Επιλέχθηκαν Ακατάλληλα Αρχεία + + + + No Folder Selected + Singular + Δεν Επιλέχτηκε Φάκελος + + + + Open %s Folder + Άνοιγμα %s Φακέλου + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Πρέπει να καθορίσετε ένα %s αρχείο από το οποίο να γίνει εισαγωγή. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Πρέπει να καθορίσετε έναν %s φάκελο από τον οποίο θα γίνει εισαγωγή. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 και %2 - + %1, and %2 Locale list separator: end %1, και %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5580,50 +5723,50 @@ The content encoding is not UTF-8. 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. Πρόσθεση της επιλεγμένης παρουσίασης στην λειτουργία. @@ -5631,70 +5774,70 @@ The content encoding is not UTF-8. 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 είναι ατελής, παρακαλούμε φορτώστε την ξανά. - - The Presentation %s is incomplete, please reload. - Η Παρουσίαση %s είναι ημιτελής, παρακαλούμε επαναφορτώστε. + + The presentation %s no longer exists. + Η παρουσίαση %s δεν υπάρχει πλέον. PresentationPlugin.PresentationTab - + Available Controllers Διαθέσιμοι Ελεγκτές - + %s (unavailable) %s (μη διαθέσιμο) - + Allow presentation application to be overridden Επιτρέψτε την παράκαμψη του προγράμματος παρουσίασης @@ -5728,150 +5871,150 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote Τηλεχειρισμός OpenLP 2.0 - + OpenLP 2.0 Stage View Προβολή Πίστας OpenLP 2.0 - + Service Manager Διαχειριστής Λειτουργίας - + Slide Controller Ελεγκτής Διαφανειών - + Alerts Ειδοποιήσεις - + Search Αναζήτηση - + Refresh Ανανέωση - + Blank Κενή - + Show Προβολή - + Prev Προήγ - + Next Επόμ - + Text Κείμενο - + Show Alert Εμφάνιση Ειδοποίησης - + Go Live Μετάβαση σε Προβολή - + No Results Κανένα Αποτέλεσμα - + Options Επιλογές - + Add to Service Προσθήκη στην Λειτουργία - + Home - - - - - Theme - Θέμα + Αρχική Σελίδα - Desktop - + Theme + Θέμα - + + Desktop + Επιφάνεια Εργασίας + + + Add &amp; Go to Service - + Προσθήκη &amp; Μετάβαση στην Λειτουργία RemotePlugin.RemoteTab - + Serve on IP address: Εξυπηρέτηση στην διεύθυνση IP: - + Port number: Αριθμός θύρας: - + Server Settings Επιλογές Εξυπηρετητή - + Remote URL: Απομακρυσμένη URL: - + Stage view URL: URL Προβολής πίστας: - + Display stage time in 12h format Εμφάνιση χρόνου πίστας σε 12ωρη μορφή - + Android App Εφαρμογή Android - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Σκανάρετε τον κώδικα QR ή κάντε κλικ στο <a href="https://market.android.com/details?id=org.openlp.android">download</a> για να εγκαταστήσετε την εφαρμογή για Android από το Κατάστημα. @@ -5879,85 +6022,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 εκτυπώθηκε @@ -6018,22 +6161,22 @@ The content encoding is not UTF-8. Αναφέρατε Τοποθεσία - + Output File Location Τοποθεσία Εξαγωγής Αρχείου - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Δημιουργία Αναφοράς - + Report %s has been successfully created. @@ -6042,12 +6185,12 @@ 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. Δεν θέσατε έγκυρη τοποθεσία για την εξαγωγή της αναφοράς χρήσης ύμνων. Παρακαλούμε επιλέξτε μια υπάρχουσα τοποθεσία στον υπολογιστή σας. @@ -6085,82 +6228,82 @@ has been successfully created. Ανακατομή Ύμνων... - + 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. @@ -6169,26 +6312,26 @@ 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 Ύμνοι @@ -6199,32 +6342,32 @@ The encoding is responsible for the correct character representation. Εξαγωγή ύμνων με χρήση του οδηγού εξαγωγής. - + 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. Προσθήκη του επιλεγμένου ύμνου στην λειτουργία. @@ -6252,17 +6395,17 @@ The encoding is responsible for the correct character representation. Επίθετο: - + 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? Δεν δηλώσατε εμφανιζομενο όνομα συγγραφέα, να συνδυαστούν όνομα και επίθετο; @@ -6297,12 +6440,12 @@ The encoding is responsible for the correct character representation. Meta Data - + Meta Data Custom Book Names - + Παραμετροποιημένα Ονόματα Βιβλίων @@ -6403,72 +6546,72 @@ 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. Πρέπει να πληκτρολογήσετε τουλάχιστον ένα εδάφιο. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Η σειρά των εδαφίων δεν είναι έγκυρη. Δεν υπάρχει εδάφιο αντίστοιχο στο %s. Έγκυρες καταχωρήσεις είναι οι %s. - + Add Book Προσθήκη Βιβλίου - + This song book does not exist, do you want to add it? Αυτό το βιβλίο ύμνων δεν υπάρχει, θέλετε να το προσθέσετε; - + You need to have an author for this song. Πρέπει να έχετε έναν συγγραφέα για αυτόν τον ύμνο. @@ -6498,7 +6641,7 @@ The encoding is responsible for the correct character representation. &Αφαίρεση Όλων - + Open File(s) Άνοιγμα Αρχείου(-ων) @@ -6508,7 +6651,7 @@ The encoding is responsible for the correct character representation. <strong>Προειδοποίηση:</strong> Δεν χρησιμοποιούνται όλα τα εδάφια. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Η σειρά εδαφίων είναι ακατάλληλη. Δεν υπάρχουν εδάφια που να αντιστοιχούν στο %s. Κατάλληλες καταχωρήσεις είναι %s. @@ -6622,134 +6765,139 @@ The encoding is responsible for the correct character representation. 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. - Το OpenLyrics δεν έχει ακόμη αναπτυχθεί, αλλά όπως βλέπετε, επιδιώκουμε να το πραγματοποιήσουμε. Ελπίζουμε να είναι διαθέσιμο στην επόμενη έκδοση. - - - + Add Files... Προσθήκη Αρχειων... - + Remove File(s) Αφαιρεση Αρχείων - + Please wait while your songs are imported. Παρακαλούμε περιμένετε όσο οι ύμνοι σας εισάγονται. - + OpenLP 2.0 Databases Βάσεις Δεδομένων OpenLP 2.0 - + openlp.org v1.x Databases Βάσεις Δεδομένων openlp.org v 1.x - + Words Of Worship Song Files Αρχεία Ύμνων Words Of Worship - - 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 - + Copy Αντιγραφή - + Save to File Αποθήκευση στο Αρχείο - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Η εισαγωγή αρχείων τύπου Songs of Fellowship έχει απενεργοποιηθεί επειδή το OpenLP δεν έχει προσβαση στο OpenOffice ή το Libreoffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Η εισαγωγή αρχείων γενικού τύπου έχει απενεργοποιηθεί επειδή το OpenLP δεν έχει προσβαση στο OpenOffice ή το Libreoffice. - + OpenLyrics or OpenLP 2.0 Exported Song Ύμνος εξηγμένος από το OpenLyrics ή το OpenLP 2.0 - + OpenLyrics Files Αρχεία OpenLyrics - + CCLI SongSelect Files - + Αρχεία CCLI SongSelect - + EasySlides XML File - + Αρχείο EasySlides XML - + EasyWorship Song Database - + Βάση Δεδομένων Ύμνων EasyWorship + + + + DreamBeam Song Files + Αρχεία Ύμνων DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + Πρέπει να καθορίσετε έναν έγκυρο φάκελο βάσης δεδομένων του PowerSong 1.0. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Πρώτα μετατρέψτε την βάση δεδομένων του ZionWorx σε αρχείο κειμένου CSV, όπως περιγράφεται στο <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. @@ -6768,22 +6916,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Τίτλοι - + Lyrics Στίχοι - + CCLI License: Άδεια CCLI: - + Entire Song Ολόκληρος Ύμνος @@ -6796,7 +6944,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Διατήρηση της λίστας συγγραφέων, θεμάτων και βιβλίων. @@ -6807,29 +6955,29 @@ The encoding is responsible for the correct character representation. αντιγραφή - + Search Titles... - + Αναζήτηση Τίτλων... - + Search Entire Song... - + Αναζήτηση Ολόκληρου Ύμνου... - + Search Lyrics... - + Αναζήτηση Στίχων... - + Search Authors... - + Αναζήτηση Συγγραφέων... - + Search Song Books... - + Αναζήτηση Βιβλίων Ύμνων... @@ -6856,6 +7004,19 @@ The encoding is responsible for the correct character representation. Εξαγωγή "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + Κανένας ύμνος προς εισαγωγή. + + + + Verses not found. Missing "PART" header. + Δεν βρέθηκαν εδάφια. Απουσιάζει η κεφαλίδα "PART". + + SongsPlugin.SongBookForm @@ -6895,12 +7056,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright πνευματικά δικαιώματα - + The following songs could not be imported: Τα ακόλουθα τραγούδια δεν εισήχθηκαν: @@ -6920,118 +7081,110 @@ The encoding is responsible for the correct character representation. Το αρχείο δεν βρέθηκε - - 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; @@ -7039,29 +7192,29 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode Λειτουργία Ύμνων - + Enable search as you type Ενεργοποίηση αναζήτησης κατά την πληκτρολόγηση - + Display verses on live tool bar Προβολή των εδαφίων στην εργαλειοθήκη προβολής - + Update service from song edit Ενημέρωση λειτουργίας από την επεξεργασία ύμνων - + Import missing songs from service files - + Εισαγωγή απόντων ύμνων από αρχεία λειτουργίας @@ -7120,4 +7273,17 @@ The encoding is responsible for the correct character representation. Άλλο + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Σφάλμα κατά την ανάγνωση του αρχείου CSV. + + + + File not valid ZionWorx CSV format. + Το αρχείο δεν έχει την κατάλληλη μορφή του ZionWorx CSV. + + diff --git a/resources/i18n/en.ts b/resources/i18n/en.ts index a9e0973a7..b9e5b7ec9 100644 --- a/resources/i18n/en.ts +++ b/resources/i18n/en.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,510 +152,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Genesis - + Exodus Exodus - + Leviticus Leviticus - + Numbers Numbers - + Deuteronomy Deuteronomy - + Joshua Joshua - + Judges Judges - + Ruth Ruth - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Kings - + 2 Kings 2 Kings - + 1 Chronicles 1 Chronicles - + 2 Chronicles 2 Chronicles - + Ezra Ezra - + Nehemiah Nehemiah - + Esther Esther - + Job Job - + Psalms Psalms - + Proverbs Proverbs - + Ecclesiastes Ecclesiastes - + Song of Solomon Song of Solomon - + Isaiah Isaiah - + Jeremiah Jeremiah - + Lamentations Lamentations - + Ezekiel Ezekiel - + Daniel Daniel - + Hosea Hosea - + Joel Joel - + Amos Amos - + Obadiah Obadiah - + Jonah Jonah - + Micah Micah - + Nahum Nahum - + Habakkuk Habakkuk - + Zephaniah Zephaniah - + Haggai Haggai - + Zechariah Zechariah - + Malachi Malachi - + Matthew Matthew - + Mark Mark - + Luke Luke - + John John - + Acts Acts - + Romans Romans - + 1 Corinthians 1 Corinthians - + 2 Corinthians 2 Corinthians - + Galatians Galatians - + Ephesians Ephesians - + Philippians Philippians - + Colossians Colossians - + 1 Thessalonians 1 Thessalonians - + 2 Thessalonians 2 Thessalonians - + 1 Timothy 1 Timothy - + 2 Timothy 2 Timothy - + Titus Titus - + Philemon Philemon - + Hebrews Hebrews - + James James - + 1 Peter 1 Peter - + 2 Peter 2 Peter - + 1 John 1 John - + 2 John 2 John - + 3 John 3 John - + Jude Jude - + Revelation Revelation - + Judith Judith - + Wisdom Wisdom - + Tobit Tobit - + Sirach Sirach - + Baruch Baruch - + 1 Maccabees 1 Maccabees - + 2 Maccabees 2 Maccabees - + 3 Maccabees 3 Maccabees - + 4 Maccabees 4 Maccabees - + Rest of Daniel Rest of Daniel - + Rest of Esther Rest of Esther - + Prayer of Manasses Prayer of Manasses - + Letter of Jeremiah Letter of Jeremiah - + Prayer of Azariah Prayer of Azariah - + Susanna Susanna - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verse|verses;;-|to;;,|and;;end @@ -711,39 +711,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. 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. 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. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -766,79 +766,79 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - + Note: Changes do not affect verses already in the service. Note: Changes do not affect verses already in the service. - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - + Verse Separator: Verse Separator: - + Range Separator: Range Separator: - + List Separator: List Separator: - + End Mark: End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -847,7 +847,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -856,7 +856,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -865,7 +865,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -874,29 +874,29 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language Default Bible Language - + Book name language in search field, search results and on display: Book name language in search field, search results and on display: - + Bible Language Bible Language - + Application Language Application Language @@ -908,11 +908,6 @@ search results and on display: Select Book Name Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Current name: @@ -943,11 +938,16 @@ search results and on display: Apocrypha Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + The following book name cannot be matched up internally. Please select the corresponding name from the list. + BiblesPlugin.BookNameForm - + You need to select a book. You need to select a book. @@ -1044,38 +1044,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error 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. 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 Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1083,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard 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. 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 Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details License Details - + Set up the Bible's license details. Set up the Bible's license details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. 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 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 file of Bible verses to import. - + You need to specify a version name for your Bible. 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. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + openlp.org 1.x Bible Files openlp.org 1.x Bible Files - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registered Bible. Please note, that verses will be downloaded on @@ -1279,92 +1279,92 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Quick - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + Second: Second: - + Scripture Reference Scripture Reference - + Toggle to keep or clear the previous results. 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? 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. Bible not fully loaded. - + Information 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. 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. - + Search Scripture Reference... Search Scripture Reference... - + Search Text... Search Text... - + Are you sure you want to delete "%s"? Are you sure you want to delete "%s"? @@ -1372,7 +1372,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importing %s %s... @@ -1381,12 +1381,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... @@ -1395,149 +1395,149 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Select a Backup Directory - + Bible Upgrade Wizard 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. 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 Select Backup Directory - + Please select a backup directory for your Bibles 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>. 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. Please select a backup location for your Bibles. - + Backup Directory: Backup Directory: - + There is no need to backup my Bibles There is no need to backup my Bibles - + Select Bibles Select Bibles - + Please select the Bibles to upgrade Please select the Bibles to upgrade - + Upgrading Upgrading - + Please wait while your Bibles are upgraded. 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. 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 Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Download Error - + To upgrade your Web Bibles an Internet connection is required. To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Upgrading Bible %s of %s: "%s" Complete Upgrading Bible %s of %s: "%s" Complete - + , %s failed , %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 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 Upgrading Bible(s): %s successful%s - + Upgrade failed. Upgrade failed. - + You need to specify a backup directory for your Bibles. You need to specify a backup directory for your Bibles. - + Starting upgrade... Starting upgrade... - + There are no Bibles that need to be upgraded. There are no Bibles that need to be upgraded. @@ -1611,12 +1611,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Custom Display - + Display footer Display footer @@ -1687,7 +1687,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the %n selected custom slide(s)? @@ -1698,60 +1698,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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>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 Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1759,7 +1759,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1767,44 +1767,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Select Image(s) - + You must select an image to delete. You must select an image to delete. - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %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? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1812,17 +1812,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color Background Color - + Default Color: Default Color: - + Visible background for images with aspect ratio different to screen. Visible background for images with aspect ratio different to screen. @@ -1830,60 +1830,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. @@ -1931,7 +1931,7 @@ Do you want to add the other images anyway? There was no display item to amend. - + Unsupported File Unsupported File @@ -1949,22 +1949,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players Available Media Players - + %s (unavailable) %s (unavailable) - + Player Order Player Order - + Allow media player to be overridden Allow media player to be overridden @@ -1972,7 +1972,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files @@ -2176,192 +2176,276 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings UI Settings - + Number of recent files to display: Number of recent files to display: - + Remember active media manager tab on startup Remember active media manager tab on startup - + Double-click to send items straight to live Double-click to send items straight to live - + Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - + Default Image Default Image - + Background color: Background color: - + Image file: Image file: - + Open File Open File - + Advanced Advanced - + Preview items when clicked in Media Manager Preview items when clicked in Media Manager - + Click to select a color. Click to select a color. - + Browse for an image file to display. Browse for an image file to display. - + Revert to the default OpenLP logo. Revert to the default OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Service %Y-%m-%d %H-%M - + Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Thurdsday Thurdsday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - + Revert to the default service name "%s". Revert to the default service name "%s". - + Example: Example: - + X11 X11 - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. + + + Data Location + Data Location + + + + Current path: + Current path: + + + + Custom path: + Custom path: + + + + Browse for new data file location. + Browse for new data file location. + + + + Set the data location to the default. + Set the data location to the default. + + + + Cancel + Cancel + + + + Cancel OpenLP data directory location change. + Cancel OpenLP data directory location change. + + + + Copy data to new location. + Copy data to new location. + + + + Copy the OpenLP data files to the new location. + Copy the OpenLP data files to the new location. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + Data Directory Error + Data Directory Error + + + + Select Data Directory Location + Select Data Directory Location + + + + Confirm Data Directory Change + Confirm Data Directory Change + + + + Reset Data Directory + Reset Data Directory + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + Overwrite Existing Data + Overwrite Existing Data + OpenLP.ExceptionDialog @@ -2398,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Attach File - + Description characters to enter : %s Description characters to enter : %s @@ -2406,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2454,7 +2538,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2590,17 +2674,17 @@ Version: %s Default Settings - + Downloading %s... Downloading %s... - + Download complete. Click the finish button to start OpenLP. Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... Enabling selected plugins... @@ -2670,32 +2754,32 @@ Version: %s This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Click the finish button to start OpenLP. Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. Click the finish button to return to OpenLP. @@ -2784,32 +2868,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Update Error - + Tag "n" already defined. Tag "n" already defined. - + New Tag New Tag - + <HTML here> <HTML here> - + </and here> </and here> - + Tag %s already defined. Tag %s already defined. @@ -2817,82 +2901,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Red - + Black Black - + Blue Blue - + Yellow Yellow - + Green Green - + Pink Pink - + Orange Orange - + Purple Purple - + White White - + Superscript Superscript - + Subscript Subscript - + Paragraph Paragraph - + Bold Bold - + Italics Italics - + Underline Underline - + Break Break @@ -2900,157 +2984,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - + Automatically open the last service Automatically open the last service - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - + Automatically preview next item in service Automatically preview next item in service - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - + Unblank display when adding new live item Unblank display when adding new live item - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: Behavior of next/previous on the last/first slide: - + &Remain on Slide &Remain on Slide - + &Wrap around &Wrap around - + &Move to next/previous service item &Move to next/previous service item @@ -3058,12 +3142,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3079,287 +3163,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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/. @@ -3368,108 +3452,108 @@ 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 - + English Please add the name of your language here English - + 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. - + &Recent Files &Recent Files - + 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. @@ -3478,43 +3562,43 @@ 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. - + 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. @@ -3527,45 +3611,50 @@ 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) + + + New Data Directory Error + New Data Directory Error + 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 @@ -3574,7 +3663,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -3586,74 +3675,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - + You must select a %s service item. You must select a %s service item. - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - + Invalid File %s. Suffix not supported Invalid File %s. Suffix not supported - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -3661,12 +3750,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -3808,12 +3897,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Screen - + primary primary @@ -3821,12 +3910,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Length</strong>: %s @@ -3842,277 +3931,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top Move to &top - + Move item to the top of the service. Move item to the top of the service. - + Move &up Move &up - + Move item up one position in the service. Move item up one position in the service. - + Move &down Move &down - + Move item down one position in the service. Move item down one position in the service. - + Move to &bottom Move to &bottom - + Move item to the end of the service. Move item to the end of the service. - + &Delete From Service &Delete From Service - + Delete the selected item from the service. Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &Change Item Theme - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) - + 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 - + &Expand all &Expand all - + Expand all the service items. Expand all the service items. - + &Collapse all &Collapse all - + Collapse all the service items. Collapse all the service items. - + Open File Open File - + Moves the selection down the window. Moves the selection down the window. - + Move up Move up - + Moves the selection up the window. Moves the selection up the window. - + Go Live Go Live - + Send the selected item to Live. Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - - Show &Live - Show &Live - - - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? - + Custom Service Notes: Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: - + Untitled Service Untitled 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 - + Load an existing service. Load an existing service. - + Save this service. Save this service. - + Select a theme for the service. 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. - + Service File Missing Service File Missing - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only + + + Error Saving File + Error Saving File + + + + There was an error saving your file. + There was an error saving your file. + OpenLP.ServiceNoteForm @@ -4143,12 +4237,12 @@ The content encoding is not UTF-8. Shortcut - + Duplicate Shortcut Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4183,12 +4277,12 @@ The content encoding is not UTF-8. Restore the default shortcut of this action. - + Restore Default Shortcuts Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? Do you want to restore all shortcuts to their defaults? @@ -4201,172 +4295,172 @@ 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 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. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks @@ -4460,32 +4554,32 @@ The content encoding is not UTF-8. OpenLP.ThemeForm - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -4493,193 +4587,193 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + 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. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Copy of %s - + Theme Already Exists Theme Already Exists @@ -4907,7 +5001,7 @@ The content encoding is not UTF-8. Theme name: - + Edit Theme - %s Edit Theme - %s @@ -4960,47 +5054,47 @@ The content encoding is not UTF-8. OpenLP.ThemesTab - + Global Theme Global Theme - + Theme Level Theme Level - + S&ong 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. 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 &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. 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 &Global Level - + Use the global theme, overriding any themes associated with either the service or the songs. Use the global theme, overriding any themes associated with either the service or the songs. - + Themes Themes @@ -5084,245 +5178,245 @@ The content encoding is not UTF-8. pt - + Image Image - + Import Import - + Live Live - + Live Background Error Live Background Error - + Load Load - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Preview - + Replace Background Replace Background - + Reset Background Reset Background - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Save Service Save Service - + Service Service - + Start %s Start %s - + Theme Singular Theme - + Themes Plural Themes - + Top Top - + Version Version - + Delete the selected item. Delete the selected item. - + Move selection up one position. Move selection up one position. - + Move selection down one position. Move selection down one position. - + &Vertical Align: &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source Select Import Source - + Select the import format and the location to import from. 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. 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -5332,7 +5426,7 @@ The content encoding is not UTF-8. Welcome to the Song Export Wizard - + Welcome to the Song Import Wizard Welcome to the Song Import Wizard @@ -5420,53 +5514,53 @@ The content encoding is not UTF-8. h - + Layout style: Layout style: - + Live Toolbar Live Toolbar - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Settings Settings - + Tools Tools - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + View View @@ -5481,37 +5575,37 @@ The content encoding is not UTF-8. XML syntax error - + View Mode View Mode - + Open service. Open service. - + Print Service Print Service - + Replace live background. Replace live background. - + Reset live background. Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard Welcome to the Bible Upgrade Wizard @@ -5521,64 +5615,105 @@ The content encoding is not UTF-8. Confirm Delete - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Next Track Next Track - + Search Themes... Search bar place holder text Search Themes... - + Optional &Split Optional &Split + + + Invalid Folder Selected + Singular + Invalid Folder Selected + + + + Invalid File Selected + Singular + Invalid File Selected + + + + Invalid Files Selected + Plural + Invalid Files Selected + + + + No Folder Selected + Singular + No Folder Selected + + + + Open %s Folder + Open %s Folder + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + You need to specify one %s file to import from. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + You need to specify one %s folder to import from. + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 and %2 - + %1, and %2 Locale list separator: end %1, and %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5587,50 +5722,50 @@ The content encoding is not UTF-8. 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>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 Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -5638,70 +5773,70 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Select Presentation(s) - + Automatic Automatic - + Present using: Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - + Presentations (%s) Presentations (%s) - + Missing Presentation Missing Presentation - - The Presentation %s no longer exists. - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden @@ -5735,107 +5870,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Stage View - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Refresh Refresh - + Blank Blank - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + No Results No Results - + Options Options - + Add to Service Add to Service - + Home Home - + Theme Theme - + Desktop Desktop - + Add &amp; Go to Service Add &amp; Go to Service @@ -5843,42 +5978,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: Serve on IP address: - + Port number: Port number: - + Server Settings Server Settings - + Remote URL: Remote URL: - + Stage view URL: Stage view URL: - + Display stage time in 12h format Display stage time in 12h format - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5886,85 +6021,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 @@ -6025,22 +6160,22 @@ The content encoding is not UTF-8. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -6049,12 +6184,12 @@ has been successfully created. has been successfully created. - + Output Path Not Selected 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. You have not set a valid output location for your song usage report. Please select an existing path on your computer. @@ -6092,82 +6227,82 @@ has been successfully created. Reindexing 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. @@ -6176,26 +6311,26 @@ 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. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs @@ -6206,32 +6341,32 @@ The encoding is responsible for the correct character representation.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. @@ -6259,17 +6394,17 @@ The encoding is responsible for the correct character representation.Last name: - + You need to type in the first name of the author. You need to type in the first name of the author. - + You need to type in the last 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? You have not set a display name for the author, combine the first and last names? @@ -6410,72 +6545,72 @@ 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. - + 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. - + 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. @@ -6505,7 +6640,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -6515,7 +6650,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> Not all of the verses are in use. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6629,135 +6764,140 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files - + Song Import Wizard 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. 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 - - Filename: - 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. - 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... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File Save to File - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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. The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files OpenLyrics Files - + CCLI SongSelect Files CCLI SongSelect Files - + EasySlides XML File EasySlides XML File - + EasyWorship Song Database EasyWorship Song Database + + + DreamBeam Song Files + DreamBeam Song Files + + + + You need to specify a valid PowerSong 1.0 database folder. + You need to specify a valid PowerSong 1.0 database folder. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + SongsPlugin.MediaFilesForm @@ -6775,22 +6915,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song @@ -6803,7 +6943,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. @@ -6814,27 +6954,27 @@ The encoding is responsible for the correct character representation.copy - + Search Titles... Search Titles... - + Search Entire Song... Search Entire Song... - + Search Lyrics... Search Lyrics... - + Search Authors... Search Authors... - + Search Song Books... Search Song Books... @@ -6863,6 +7003,19 @@ The encoding is responsible for the correct character representation.Exporting "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + No songs to import. + + + + Verses not found. Missing "PART" header. + Verses not found. Missing "PART" header. + + SongsPlugin.SongBookForm @@ -6902,12 +7055,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: The following songs could not be imported: @@ -6927,118 +7080,110 @@ The encoding is responsible for the correct character representation.File not found - - SongsPlugin.SongImportForm - - - Your song import failed. - Your song import failed. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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? The author %s already exists. Would you like to make songs with author %s use the existing author %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -7046,27 +7191,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode Songs Mode - + Enable search as you type Enable search as you type - + Display verses on live tool bar Display verses on live tool bar - + Update service from song edit Update service from song edit - + Import missing songs from service files Import missing songs from service files @@ -7127,4 +7272,17 @@ The encoding is responsible for the correct character representation.Other + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Error reading CSV file. + + + + File not valid ZionWorx CSV format. + File not valid ZionWorx CSV format. + + diff --git a/resources/i18n/en_GB.ts b/resources/i18n/en_GB.ts index 35f9572d2..262afefb6 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,510 +152,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Genesis - + Exodus Exodus - + Leviticus Leviticus - + Numbers Numbers - + Deuteronomy Deuteronomy - + Joshua Joshua - + Judges Judges - + Ruth Ruth - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Kings - + 2 Kings 2 Kings - + 1 Chronicles 1 Chronicles - + 2 Chronicles 2 Chronicles - + Ezra Ezra - + Nehemiah Nehemiah - + Esther Esther - + Job Job - + Psalms Psalms - + Proverbs Proverbs - + Ecclesiastes Ecclesiastes - + Song of Solomon Song of Solomon - + Isaiah Isaiah - + Jeremiah Jeremiah - + Lamentations Lamentations - + Ezekiel Ezekiel - + Daniel Daniel - + Hosea Hosea - + Joel Joel - + Amos Amos - + Obadiah Obadiah - + Jonah Jonah - + Micah Micah - + Nahum Nahum - + Habakkuk Habakkuk - + Zephaniah Zephaniah - + Haggai Haggai - + Zechariah Zechariah - + Malachi Malachi - + Matthew Matthew - + Mark Mark - + Luke Luke - + John John - + Acts Acts - + Romans Romans - + 1 Corinthians 1 Corinthians - + 2 Corinthians 2 Corinthians - + Galatians Galatians - + Ephesians Ephesians - + Philippians Philippians - + Colossians Colossians - + 1 Thessalonians 1 Thessalonians - + 2 Thessalonians 2 Thessalonians - + 1 Timothy 1 Timothy - + 2 Timothy 2 Timothy - + Titus Titus - + Philemon Philemon - + Hebrews Hebrews - + James James - + 1 Peter 1 Peter - + 2 Peter 2 Peter - + 1 John 1 John - + 2 John 2 John - + 3 John 3 John - + Jude Jude - + Revelation Revelation - + Judith Judith - + Wisdom Wisdom - + Tobit Tobit - + Sirach Sirach - + Baruch Baruch - + 1 Maccabees 1 Maccabees - + 2 Maccabees 2 Maccabees - + 3 Maccabees 3 Maccabees - + 4 Maccabees 4 Maccabees - + Rest of Daniel Rest of Daniel - + Rest of Esther Rest of Esther - + Prayer of Manasses Prayer of Manasses - + Letter of Jeremiah Letter of Jeremiah - + Prayer of Azariah Prayer of Azariah - + Susanna Susanna - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verse|verses;;-|to;;,|and;;end @@ -666,82 +666,84 @@ Do you want to continue anyway? You need to specify a version name for your Bible. - You need to specify a version name for your Bible. + 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. - You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Bible Exists - Bible Exists + Bible Exists This Bible already exists. Please import a different Bible or first delete the existing one. - This Bible already exists. Please import a different Bible or first delete the existing one. + This Bible already exists. Please import a different Bible or first delete the existing one. You need to specify a book name for "%s". - + You need to specify a book name for "%s". The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + The book name "%s" is not correct. +Numbers can only be used at the beginning and must +be followed by one or more non-numeric characters. Duplicate Book Name - + Duplicate Book Name The Book Name "%s" has been entered more than once. - + The Book Name "%s" has been entered more than once. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. 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. 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. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - + Note: Changes do not affect verses already in the service. Note: Changes do not affect verses already in the service. - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - + Verse Separator: Verse Separator: - + Range Separator: Range Separator: - + List Separator: List Separator: - + End Mark: End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language - + Default Bible Language - + Book name language in search field, search results and on display: - + Book name language in search field, +search results and on display: - + Bible Language - + Bible Language - + Application Language - + Application Language @@ -905,11 +908,6 @@ search results and on display: Select Book Name Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + The following book name cannot be matched up internally. Please select the corresponding name from the list. + BiblesPlugin.BookNameForm - + You need to select a book. You need to select a book. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Bible Editor License Details - License Details + License Details Version name: - Version name: + Version name: Copyright: - Copyright: + Copyright: Permissions: - Permissions: + Permissions: Default Bible Language - + Default Bible Language Book name language in search field, search results and on display: - + Book name language in search field, search results and on display: Global Settings - + Global Settings Bible Language - + Bible Language Application Language - + Application Language English - + English This is a Web Download Bible. It is not possible to customize the Book Names. - + This is a Web Download Bible. +It is not possible to customize the Book Names. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error 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. 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 Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard 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. 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 Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details License Details - + Set up the Bible's license details. Set up the Bible's license details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. 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 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 file of Bible verses to import. - + You need to specify a version name for your Bible. 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. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + openlp.org 1.x Bible Files openlp.org 1.x Bible Files - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registered Bible. Please note, that verses will be downloaded on @@ -1275,100 +1279,100 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Quick - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + Second: Second: - + Scripture Reference Scripture Reference - + Toggle to keep or clear the previous results. 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? 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. Bible not fully loaded. - + Information 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. 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. - + Search Scripture Reference... - + Search Scripture Reference... - + Search Text... - + Search Text... - + Are you sure you want to delete "%s"? - + Are you sure you want to delete "%s"? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importing %s %s... @@ -1377,12 +1381,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... @@ -1391,149 +1395,149 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Select a Backup Directory - + Bible Upgrade Wizard 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. 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 Select Backup Directory - + Please select a backup directory for your Bibles 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>. 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. Please select a backup location for your Bibles. - + Backup Directory: Backup Directory: - + There is no need to backup my Bibles There is no need to backup my Bibles - + Select Bibles Select Bibles - + Please select the Bibles to upgrade Please select the Bibles to upgrade - + Upgrading Upgrading - + Please wait while your Bibles are upgraded. 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. 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 Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Download Error - + To upgrade your Web Bibles an Internet connection is required. To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Upgrading Bible %s of %s: "%s" Complete Upgrading Bible %s of %s: "%s" Complete - + , %s failed , %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 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 Upgrading Bible(s): %s successful%s - + Upgrade failed. Upgrade failed. - + You need to specify a backup directory for your Bibles. You need to specify a backup directory for your Bibles. - + Starting upgrade... Starting upgrade... - + There are no Bibles that need to be upgraded. There are no Bibles that need to be upgraded. @@ -1607,12 +1611,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Custom Display - + Display footer Display footer @@ -1683,7 +1687,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the %n selected custom slide(s)? @@ -1694,60 +1698,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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>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 Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1755,7 +1759,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1763,44 +1767,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Select Image(s) - + You must select an image to delete. You must select an image to delete. - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %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? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1808,78 +1812,78 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color Background Color - + Default Color: Default Color: - + Visible background for images with aspect ratio different to screen. - + Visible background for images with aspect ratio different to screen. 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. @@ -1927,7 +1931,7 @@ Do you want to add the other images anyway? There was no display item to amend. - + Unsupported File Unsupported File @@ -1945,22 +1949,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players Available Media Players - + %s (unavailable) %s (unavailable) - + Player Order Player Order - + Allow media player to be overridden Allow media player to be overridden @@ -1968,7 +1972,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files @@ -2172,192 +2176,276 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings UI Settings - + Number of recent files to display: Number of recent files to display: - + Remember active media manager tab on startup Remember active media manager tab on startup - + Double-click to send items straight to live Double-click to send items straight to live - + Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - + Default Image Default Image - + Background color: Background colour: - + Image file: Image file: - + Open File Open File - + Advanced Advanced - + Preview items when clicked in Media Manager Preview items when clicked in Media Manager - + Click to select a color. Click to select a colour. - + Browse for an image file to display. Browse for an image file to display. - + Revert to the default OpenLP logo. Revert to the default OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Service %Y-%m-%d %H-%M - + Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Thurdsday Thurdsday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - + Revert to the default service name "%s". Revert to the default service name "%s". - + Example: Example: - + X11 X11 - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. + + + Data Location + Data Location + + + + Current path: + Current path: + + + + Custom path: + Custom path: + + + + Browse for new data file location. + Browse for new data file location. + + + + Set the data location to the default. + Set the data location to the default. + + + + Cancel + Cancel + + + + Cancel OpenLP data directory location change. + Cancel OpenLP data directory location change. + + + + Copy data to new location. + Copy data to new location. + + + + Copy the OpenLP data files to the new location. + Copy the OpenLP data files to the new location. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + Data Directory Error + Data Directory Error + + + + Select Data Directory Location + Select Data Directory Location + + + + Confirm Data Directory Change + Confirm Data Directory Change + + + + Reset Data Directory + Reset Data Directory + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + Overwrite Existing Data + Overwrite Existing Data + OpenLP.ExceptionDialog @@ -2394,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Attach File - + Description characters to enter : %s Description characters to enter : %s @@ -2402,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2538,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2586,17 +2674,17 @@ Version: %s Default Settings - + Downloading %s... Downloading %s... - + Download complete. Click the finish button to start OpenLP. Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... Enabling selected plugins... @@ -2666,32 +2754,32 @@ Version: %s This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Click the finish button to start OpenLP. Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. Click the finish button to return to OpenLP. @@ -2710,14 +2798,18 @@ 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. Click 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. - + 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. Click 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), click the Cancel button now. - + + +To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. @@ -2776,32 +2868,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Update Error - + Tag "n" already defined. Tag "n" already defined. - + New Tag New Tag - + <HTML here> <HTML here> - + </and here> </and here> - + Tag %s already defined. Tag %s already defined. @@ -2809,82 +2901,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Red - + Black Black - + Blue Blue - + Yellow Yellow - + Green Green - + Pink Pink - + Orange Orange - + Purple Purple - + White White - + Superscript Superscript - + Subscript Subscript - + Paragraph Paragraph - + Bold Bold - + Italics Italics - + Underline Underline - + Break Break @@ -2892,170 +2984,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - + Automatically open the last service Automatically open the last service - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - + Automatically preview next item in service Automatically preview next item in service - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - + Unblank display when adding new live item Unblank display when adding new live item - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Remain on Slide - + &Wrap around - + &Wrap around - + &Move to next/previous service item - + &Move to next/previous service item OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3071,287 +3163,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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/. @@ -3359,108 +3451,108 @@ 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 - + English Please add the name of your language here 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. - + &Recent Files &Recent Files - + 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. @@ -3469,43 +3561,43 @@ 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. - + 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. @@ -3518,45 +3610,50 @@ 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) + + + New Data Directory Error + New Data Directory Error + 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 @@ -3565,7 +3662,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -3577,74 +3674,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - + You must select a %s service item. You must select a %s service item. - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - + Invalid File %s. Suffix not supported Invalid File %s. Suffix not supported - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -3652,12 +3749,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -3799,12 +3896,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Screen - + primary primary @@ -3812,12 +3909,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Length</strong>: %s @@ -3833,277 +3930,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top Move to &top - + Move item to the top of the service. Move item to the top of the service. - + Move &up Move &up - + Move item up one position in the service. Move item up one position in the service. - + Move &down Move &down - + Move item down one position in the service. Move item down one position in the service. - + Move to &bottom Move to &bottom - + Move item to the end of the service. Move item to the end of the service. - + &Delete From Service &Delete From Service - + Delete the selected item from the service. Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &Change Item Theme - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) - + 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 - + &Expand all &Expand all - + Expand all the service items. Expand all the service items. - + &Collapse all &Collapse all - + Collapse all the service items. Collapse all the service items. - + Open File Open File - + Moves the selection down the window. Moves the selection down the window. - + Move up Move up - + Moves the selection up the window. Moves the selection up the window. - + Go Live Go Live - + Send the selected item to Live. Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - - Show &Live - Show &Live - - - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? - + Custom Service Notes: Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: - + Untitled Service Untitled 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 - + Load an existing service. Load an existing service. - + Save this service. Save this service. - + Select a theme for the service. 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. - + Service File Missing Service File Missing - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only + + + Error Saving File + Error Saving File + + + + There was an error saving your file. + There was an error saving your file. + OpenLP.ServiceNoteForm @@ -4134,12 +4236,12 @@ The content encoding is not UTF-8. Shortcut - + Duplicate Shortcut Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4174,12 +4276,12 @@ The content encoding is not UTF-8. Restore the default shortcut of this action. - + Restore Default Shortcuts Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? Do you want to restore all shortcuts to their defaults? @@ -4192,172 +4294,172 @@ 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 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. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks @@ -4451,32 +4553,32 @@ The content encoding is not UTF-8. OpenLP.ThemeForm - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -4484,193 +4586,193 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + 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. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Copy of %s - + Theme Already Exists Theme Already Exists @@ -4898,7 +5000,7 @@ The content encoding is not UTF-8. Theme name: - + Edit Theme - %s Edit Theme - %s @@ -4951,47 +5053,47 @@ The content encoding is not UTF-8. OpenLP.ThemesTab - + Global Theme Global Theme - + Theme Level Theme Level - + S&ong 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. 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 &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. 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 &Global Level - + Use the global theme, overriding any themes associated with either the service or the songs. Use the global theme, overriding any themes associated with either the service or the songs. - + Themes Themes @@ -5075,245 +5177,245 @@ The content encoding is not UTF-8. pt - + Image Image - + Import Import - + Live Live - + Live Background Error Live Background Error - + Load Load - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Preview - + Replace Background Replace Background - + Reset Background Reset Background - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Save Service Save Service - + Service Service - + Start %s Start %s - + Theme Singular Theme - + Themes Plural Themes - + Top Top - + Version Version - + Delete the selected item. Delete the selected item. - + Move selection up one position. Move selection up one position. - + Move selection down one position. Move selection down one position. - + &Vertical Align: &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source Select Import Source - + Select the import format and the location to import from. 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. 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -5323,7 +5425,7 @@ The content encoding is not UTF-8. Welcome to the Song Export Wizard - + Welcome to the Song Import Wizard Welcome to the Song Import Wizard @@ -5411,53 +5513,53 @@ The content encoding is not UTF-8. h - + Layout style: Layout style: - + Live Toolbar Live Toolbar - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Settings Settings - + Tools Tools - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + View View @@ -5472,37 +5574,37 @@ The content encoding is not UTF-8. XML syntax error - + View Mode View Mode - + Open service. Open service. - + Print Service Print Service - + Replace live background. Replace live background. - + Reset live background. Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard Welcome to the Bible Upgrade Wizard @@ -5512,64 +5614,105 @@ The content encoding is not UTF-8. Confirm Delete - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Next Track Next Track - + Search Themes... Search bar place holder text - + Search Themes... - + Optional &Split - + Optional &Split + + + + Invalid Folder Selected + Singular + Invalid Folder Selected + + + + Invalid File Selected + Singular + Invalid File Selected + + + + Invalid Files Selected + Plural + Invalid Files Selected + + + + No Folder Selected + Singular + No Folder Selected + + + + Open %s Folder + Open %s Folder + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + You need to specify one %s file to import from. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + You need to specify one %s folder to import from. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 and %2 - + %1, and %2 Locale list separator: end %1, and %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5578,50 +5721,50 @@ The content encoding is not UTF-8. 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>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 Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -5629,70 +5772,70 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Select Presentation(s) - + Automatic Automatic - + Present using: Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - + Presentations (%s) Presentations (%s) - + Missing Presentation Missing Presentation - - The Presentation %s no longer exists. - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden @@ -5726,150 +5869,150 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Stage View - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Refresh Refresh - + Blank Blank - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + No Results No Results - + Options Options - + Add to Service Add to Service - + Home - - - - - Theme - Theme + Home - Desktop - + Theme + Theme - + + Desktop + Desktop + + + Add &amp; Go to Service - + Add &amp; Go to Service RemotePlugin.RemoteTab - + Serve on IP address: Serve on IP address: - + Port number: Port number: - + Server Settings Server Settings - + Remote URL: Remote URL: - + Stage view URL: Stage view URL: - + Display stage time in 12h format Display stage time in 12h format - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5877,85 +6020,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 @@ -6016,22 +6159,22 @@ The content encoding is not UTF-8. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -6040,12 +6183,12 @@ has been successfully created. has been successfully created. - + Output Path Not Selected 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. You have not set a valid output location for your song usage report. Please select an existing path on your computer. @@ -6083,82 +6226,82 @@ has been successfully created. Reindexing 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. @@ -6167,26 +6310,26 @@ 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. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs @@ -6197,32 +6340,32 @@ The encoding is responsible for the correct character representation.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. @@ -6250,17 +6393,17 @@ The encoding is responsible for the correct character representation.Last name: - + You need to type in the first name of the author. You need to type in the first name of the author. - + You need to type in the last 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? You have not set a display name for the author, combine the first and last names? @@ -6295,12 +6438,12 @@ The encoding is responsible for the correct character representation. Meta Data - + Meta Data Custom Book Names - + Custom Book Names @@ -6401,72 +6544,72 @@ 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. - + 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. - + 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. @@ -6496,7 +6639,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -6506,7 +6649,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> Not all of the verses are in use. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6620,134 +6763,139 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files - + Song Import Wizard 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. 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 - - Filename: - 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. - 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... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File Save to File - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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. The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files OpenLyrics Files - + CCLI SongSelect Files - + CCLI SongSelect Files - + EasySlides XML File - + EasySlides XML File - + EasyWorship Song Database - + EasyWorship Song Database + + + + DreamBeam Song Files + DreamBeam Song Files + + + + You need to specify a valid PowerSong 1.0 database folder. + You need to specify a valid PowerSong 1.0 database folder. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. @@ -6766,22 +6914,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song @@ -6794,7 +6942,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. @@ -6805,29 +6953,29 @@ The encoding is responsible for the correct character representation.copy - + Search Titles... - + Search Titles... - + Search Entire Song... - + Search Entire Song... - + Search Lyrics... - + Search Lyrics... - + Search Authors... - + Search Authors... - + Search Song Books... - + Search Song Books... @@ -6854,6 +7002,19 @@ The encoding is responsible for the correct character representation.Exporting "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + No songs to import. + + + + Verses not found. Missing "PART" header. + Verses not found. Missing "PART" header. + + SongsPlugin.SongBookForm @@ -6893,12 +7054,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: The following songs could not be imported: @@ -6918,118 +7079,110 @@ The encoding is responsible for the correct character representation.File not found - - SongsPlugin.SongImportForm - - - Your song import failed. - Your song import failed. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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? The author %s already exists. Would you like to make songs with author %s use the existing author %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -7037,29 +7190,29 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode Songs Mode - + Enable search as you type Enable search as you type - + Display verses on live tool bar Display verses on live tool bar - + Update service from song edit Update service from song edit - + Import missing songs from service files - + Import missing songs from service files @@ -7118,4 +7271,17 @@ The encoding is responsible for the correct character representation.Other + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Error reading CSV file. + + + + File not valid ZionWorx CSV format. + File not valid ZionWorx CSV format. + + diff --git a/resources/i18n/en_ZA.ts b/resources/i18n/en_ZA.ts index a5d7a3fe1..4616070a6 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,510 +152,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found No Book Found - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Genesis - + Exodus Exodus - + Leviticus Leviticus - + Numbers Numbers - + Deuteronomy Deuteronomy - + Joshua Joshua - + Judges Judges - + Ruth Ruth - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Kings - + 2 Kings 2 Kings - + 1 Chronicles 1 Chronicles - + 2 Chronicles 2 Chronicles - + Ezra Ezra - + Nehemiah Nehemiah - + Esther Esther - + Job Job - + Psalms Psalms - + Proverbs Proverbs - + Ecclesiastes Ecclesiastes - + Song of Solomon Song of Solomon - + Isaiah Isaiah - + Jeremiah Jeremiah - + Lamentations Lamentations - + Ezekiel Ezekiel - + Daniel Daniel - + Hosea Hosea - + Joel Joel - + Amos Amos - + Obadiah Obadiah - + Jonah Jonah - + Micah Micah - + Nahum Nahum - + Habakkuk Habakkuk - + Zephaniah Zephaniah - + Haggai Haggai - + Zechariah Zechariah - + Malachi Malachi - + Matthew Matthew - + Mark Mark - + Luke Luke - + John John - + Acts Acts - + Romans Romans - + 1 Corinthians 1 Corinthians - + 2 Corinthians 2 Corinthians - + Galatians Galatians - + Ephesians Ephesians - + Philippians Philippians - + Colossians Colossians - + 1 Thessalonians 1 Thessalonians - + 2 Thessalonians 2 Thessalonians - + 1 Timothy 1 Timothy - + 2 Timothy 2 Timothy - + Titus Titus - + Philemon Philemon - + Hebrews Hebrews - + James James - + 1 Peter 1 Peter - + 2 Peter 2 Peter - + 1 John 1 John - + 2 John 2 John - + 3 John 3 John - + Jude Jude - + Revelation Revelation - + Judith Judith - + Wisdom Wisdom - + Tobit Tobit - + Sirach Sirach - + Baruch Baruch - + 1 Maccabees 1 Maccabees - + 2 Maccabees 2 Maccabees - + 3 Maccabees 3 Maccabees - + 4 Maccabees 4 Maccabees - + Rest of Daniel Rest of Daniel - + Rest of Esther Rest of Esther - + Prayer of Manasses Prayer of Manasses - + Letter of Jeremiah Letter of Jeremiah - + Prayer of Azariah Prayer of Azariah - + Susanna Susanna - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verse|verses;;-|to;;,|and;;end @@ -709,39 +709,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Scripture Reference Error - + Web Bible cannot be used Web Bible cannot be used - + Text Search is not available with Web Bibles. 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. 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. There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +764,79 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Verse Display - + Only show new chapter numbers Only show new chapter numbers - + Bible theme: Bible theme: - + No Brackets No Brackets - + ( And ) ( And ) - + { And } { And } - + [ And ] [ And ] - + Note: Changes do not affect verses already in the service. Note: Changes do not affect verses already in the service. - + Display second Bible verses Display second Bible verses - + Custom Scripture References Custom Scripture References - + Verse Separator: Verse Separator: - + Range Separator: Range Separator: - + List Separator: List Separator: - + End Mark: End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +845,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +854,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +863,7 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,28 +872,28 @@ They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -905,11 +905,6 @@ search results and on display: Select Book Name Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Current name: @@ -940,11 +935,16 @@ search results and on display: Apocrypha Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. You need to select a book. @@ -1040,38 +1040,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registering Bible and loading books... - + Registering Language... Registering Language... - + Importing %s... Importing <book name>... Importing %s... - + Download Error 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. 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 Parse Error - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1079,167 +1079,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard 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. 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 Download - + Location: Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible: - + Download Options Download Options - + Server: Server: - + Username: Username: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Optional) - + License Details License Details - + Set up the Bible's license details. Set up the Bible's license details. - + Version name: Version name: - + Copyright: Copyright: - + Please wait while your Bible is imported. 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 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 file of Bible verses to import. - + You need to specify a version name for your Bible. 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. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - + Bible Exists Bible Exists - + This Bible already exists. Please import a different Bible or first delete the existing one. This Bible already exists. Please import a different Bible or first delete the existing one. - + Your Bible import failed. Your Bible import failed. - + CSV File CSV File - + Bibleserver Bibleserver - + Permissions: Permissions: - + Bible file: Bible file: - + Books file: Books file: - + Verses file: Verses file: - + openlp.org 1.x Bible Files openlp.org 1.x Bible Files - + Registering Bible... Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Registered Bible. Please note, that verses will be downloaded on @@ -1275,92 +1275,92 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Quick - + Find: Find: - + Book: Book: - + Chapter: Chapter: - + Verse: Verse: - + From: From: - + To: To: - + Text Search Text Search - + Second: Second: - + Scripture Reference Scripture Reference - + Toggle to keep or clear the previous results. 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? 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. Bible not fully loaded. - + Information 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. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1368,7 +1368,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importing %s %s... @@ -1377,12 +1377,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... @@ -1391,149 +1391,149 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Select a Backup Directory - + Bible Upgrade Wizard 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. 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 Select Backup Directory - + Please select a backup directory for your Bibles 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>. 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. Please select a backup location for your Bibles. - + Backup Directory: Backup Directory: - + There is no need to backup my Bibles There is no need to backup my Bibles - + Select Bibles Select Bibles - + Please select the Bibles to upgrade Please select the Bibles to upgrade - + Upgrading Upgrading - + Please wait while your Bibles are upgraded. 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. 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 Upgrading Bible %s of %s: "%s" Failed - + Upgrading Bible %s of %s: "%s" Upgrading ... Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Download Error - + To upgrade your Web Bibles an Internet connection is required. To upgrade your Web Bibles an Internet connection is required. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Upgrading Bible %s of %s: "%s" Upgrading %s ... - + Upgrading Bible %s of %s: "%s" Complete Upgrading Bible %s of %s: "%s" Complete - + , %s failed , %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 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 Upgrading Bible(s): %s successful%s - + Upgrade failed. Upgrade failed. - + You need to specify a backup directory for your Bibles. You need to specify a backup directory for your Bibles. - + Starting upgrade... Starting upgrade... - + There are no Bibles that need to be upgraded. There are no Bibles that need to be upgraded. @@ -1607,12 +1607,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Custom Display - + Display footer Display footer @@ -1683,7 +1683,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Are you sure you want to delete the selected custom slide? @@ -1694,60 +1694,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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>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 Image - + Images name plural Images - + Images container title Images - + Load a new image. Load a new image. - + Add a new image. Add a new image. - + Edit the selected image. Edit the selected image. - + Delete the selected image. Delete the selected image. - + Preview the selected image. Preview the selected image. - + Send the selected image live. Send the selected image live. - + Add the selected image to the service. Add the selected image to the service. @@ -1755,7 +1755,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Select Attachment @@ -1763,44 +1763,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) Select Image(s) - + You must select an image to delete. You must select an image to delete. - + You must select an image to replace the background with. You must select an image to replace the background with. - + Missing Image(s) Missing Image(s) - + The following image(s) no longer exist: %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? The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. There was no display item to amend. @@ -1808,17 +1808,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color Background Colour - + Default Color: Default Colour: - + Visible background for images with aspect ratio different to screen. @@ -1826,60 +1826,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. @@ -1927,7 +1927,7 @@ Do you want to add the other images anyway? There was no display item to amend. - + Unsupported File Unsupported File @@ -1945,22 +1945,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players Available Media Players - + %s (unavailable) %s (unavailable) - + Player Order Player Order - + Allow media player to be overridden Allow media player to be overridden @@ -1968,7 +1968,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Image Files @@ -2172,192 +2172,274 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings UI Settings - + Number of recent files to display: Number of recent files to display: - + Remember active media manager tab on startup Remember active media manager tab on startup - + Double-click to send items straight to live Double-click to send items straight to live - + Expand new service items on creation Expand new service items on creation - + Enable application exit confirmation Enable application exit confirmation - + Mouse Cursor Mouse Cursor - + Hide mouse cursor when over display window Hide mouse cursor when over display window - + Default Image Default Image - + Background color: Background colour: - + Image file: Image file: - + Open File Open File - + Advanced Advanced - + Preview items when clicked in Media Manager Preview items when clicked in Media Manager - + Click to select a color. Click to select a colour. - + Browse for an image file to display. Browse for an image file to display. - + Revert to the default OpenLP logo. Revert to the default OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Service %Y-%m-%d %H-%M - + Default Service Name Default Service Name - + Enable default service name Enable default service name - + Date and Time: Date and Time: - + Monday Monday - + Tuesday Tuesday - + Wednesday Wednesday - + Thurdsday Thurdsday - + Friday Friday - + Saturday Saturday - + Sunday Sunday - + Now Now - + Time when usual service starts. Time when usual service starts. - + Name: Name: - + Consult the OpenLP manual for usage. Consult the OpenLP manual for usage. - + Revert to the default service name "%s". Revert to the default service name "%s". - + Example: Example: - + X11 X11 - + Bypass X11 Window Manager Bypass X11 Window Manager - + Syntax error. Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Cancel + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2394,7 +2476,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Attach File - + Description characters to enter : %s Description characters to enter : %s @@ -2402,24 +2484,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2532,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2586,17 +2668,17 @@ Version: %s Default Settings - + Downloading %s... Downloading %s... - + Download complete. Click the finish button to start OpenLP. Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... Enabling selected plugins... @@ -2666,32 +2748,32 @@ Version: %s This wizard will help you to configure OpenLP for initial use. Click the next button below to start. - + Setting Up And Downloading Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. Please wait while OpenLP is set up and your data is downloaded. - + Setting Up Setting Up - + Click the finish button to start OpenLP. Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. Click the finish button to return to OpenLP. @@ -2776,32 +2858,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Update Error - + Tag "n" already defined. Tag "n" already defined. - + New Tag New Tag - + <HTML here> <HTML here> - + </and here> </and here> - + Tag %s already defined. Tag %s already defined. @@ -2809,82 +2891,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Red - + Black Black - + Blue Blue - + Yellow Yellow - + Green Green - + Pink Pink - + Orange Orange - + Purple Purple - + White White - + Superscript Superscript - + Subscript Subscript - + Paragraph Paragraph - + Bold Bold - + Italics Italics - + Underline Underline - + Break Break @@ -2892,157 +2974,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General General - + Monitors Monitors - + Select monitor for output display: Select monitor for output display: - + Display if a single screen Display if a single screen - + Application Startup Application Startup - + Show blank screen warning Show blank screen warning - + Automatically open the last service Automatically open the last service - + Show the splash screen Show the splash screen - + Application Settings Application Settings - + Prompt to save before starting a new service Prompt to save before starting a new service - + Automatically preview next item in service Automatically preview next item in service - + sec sec - + CCLI Details CCLI Details - + SongSelect username: SongSelect username: - + SongSelect password: SongSelect password: - + X X - + Y Y - + Height Height - + Width Width - + Check for updates to OpenLP Check for updates to OpenLP - + Unblank display when adding new live item Unblank display when adding new live item - + Timed slide interval: Timed slide interval: - + Background Audio Background Audio - + Start background audio paused Start background audio paused - + Service Item Slide Limits Service Item Slide Limits - + Override display position: Override display position: - + Repeat track list Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -3050,12 +3132,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Language - + Please restart OpenLP to use your new language setting. Please restart OpenLP to use your new language setting. @@ -3071,287 +3153,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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/. @@ -3360,108 +3442,108 @@ 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 - + English Please add the name of your language here 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. - + &Recent Files &Recent Files - + 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. @@ -3470,43 +3552,43 @@ 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. - + 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. @@ -3519,45 +3601,50 @@ 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) + + + New Data Directory Error + + 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 @@ -3566,7 +3653,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -3578,74 +3665,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected No Items Selected - + &Add to selected Service Item &Add to selected Service Item - + You must select one or more items to preview. 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 send live. - + You must select one or more items. You must select one or more items. - + You must select an existing service item to add to. You must select an existing service item to add to. - + Invalid Service Item Invalid Service Item - + You must select a %s service item. You must select a %s service item. - + You must select one or more items to add. You must select one or more items to add. - + No Search Results No Search Results - + Invalid File Type Invalid File Type - + Invalid File %s. Suffix not supported Invalid File %s. Suffix not supported - + &Clone &Clone - + Duplicate files were found on import and were ignored. Duplicate files were found on import and were ignored. @@ -3653,12 +3740,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics> tag is missing. - + <verse> tag is missing. <verse> tag is missing. @@ -3800,12 +3887,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Screen - + primary primary @@ -3813,12 +3900,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Length</strong>: %s @@ -3834,277 +3921,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top Move to &top - + Move item to the top of the service. Move item to the top of the service. - + Move &up Move &up - + Move item up one position in the service. Move item up one position in the service. - + Move &down Move &down - + Move item down one position in the service. Move item down one position in the service. - + Move to &bottom Move to &bottom - + Move item to the end of the service. Move item to the end of the service. - + &Delete From Service &Delete From Service - + Delete the selected item from the service. Delete the selected item from the service. - + &Add New Item &Add New Item - + &Add to Selected Item &Add to Selected Item - + &Edit Item &Edit Item - + &Reorder Item &Reorder Item - + &Notes &Notes - + &Change Item Theme &Change Item Theme - + OpenLP Service Files (*.osz) OpenLP Service Files (*.osz) - + 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 - + &Expand all &Expand all - + Expand all the service items. Expand all the service items. - + &Collapse all &Collapse all - + Collapse all the service items. Collapse all the service items. - + Open File Open File - + Moves the selection down the window. Moves the selection down the window. - + Move up Move up - + Moves the selection up the window. Moves the selection up the window. - + Go Live Go Live - + Send the selected item to Live. Send the selected item to Live. - + &Start Time &Start Time - + Show &Preview Show &Preview - - Show &Live - Show &Live - - - + Modified Service Modified Service - + The current service has been modified. Would you like to save this service? The current service has been modified. Would you like to save this service? - + Custom Service Notes: Custom Service Notes: - + Notes: Notes: - + Playing time: Playing time: - + Untitled Service Untitled 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 - + Load an existing service. Load an existing service. - + Save this service. Save this service. - + Select a theme for the service. 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. - + Service File Missing Service File Missing - + Slide theme Slide theme - + Notes Notes - + Edit Edit - + Service copy only Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4135,12 +4227,12 @@ The content encoding is not UTF-8. Shortcut - + Duplicate Shortcut Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4175,12 +4267,12 @@ The content encoding is not UTF-8. Restore the default shortcut of this action. - + Restore Default Shortcuts Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? Do you want to restore all shortcuts to their defaults? @@ -4193,172 +4285,172 @@ 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 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. Pause playing media. - + Stop playing media. Stop playing media. - + Video position. Video position. - + Audio Volume. Audio Volume. - + Go to "Verse" Go to "Verse" - + Go to "Chorus" Go to "Chorus" - + Go to "Bridge" Go to "Bridge" - + Go to "Pre-Chorus" Go to "Pre-Chorus" - + Go to "Intro" Go to "Intro" - + Go to "Ending" Go to "Ending" - + Go to "Other" Go to "Other" - + Previous Slide Previous Slide - + Next Slide Next Slide - + Pause Audio Pause Audio - + Background Audio Background Audio - + Go to next audio track. Go to next audio track. - + Tracks Tracks @@ -4452,32 +4544,32 @@ The content encoding is not UTF-8. OpenLP.ThemeForm - + Select Image Select Image - + Theme Name Missing Theme Name Missing - + There is no name for this theme. Please enter one. There is no name for this theme. Please enter one. - + Theme Name Invalid Theme Name Invalid - + Invalid theme name. Please enter one. Invalid theme name. Please enter one. - + (approximately %d lines per slide) (approximately %d lines per slide) @@ -4485,193 +4577,193 @@ The content encoding is not UTF-8. OpenLP.ThemeManager - + Create a new theme. Create a new theme. - + Edit Theme Edit Theme - + Edit a theme. Edit a theme. - + Delete Theme Delete Theme - + Delete a theme. Delete a theme. - + Import Theme Import Theme - + Import a theme. Import a theme. - + Export Theme Export Theme - + Export a theme. Export a theme. - + &Edit Theme &Edit Theme - + &Delete Theme &Delete Theme - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Theme %s is used in the %s plugin. - + 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. File is not a valid theme. - + &Copy Theme &Copy Theme - + &Rename Theme &Rename Theme - + &Export Theme &Export Theme - + You must select a theme to rename. You must select a theme to rename. - + Rename Confirmation Rename Confirmation - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Copy of %s - + Theme Already Exists Theme Already Exists @@ -4899,7 +4991,7 @@ The content encoding is not UTF-8. Theme name: - + Edit Theme - %s Edit Theme - %s @@ -4952,47 +5044,47 @@ The content encoding is not UTF-8. OpenLP.ThemesTab - + Global Theme Global Theme - + Theme Level Theme Level - + S&ong 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. 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 &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. 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 &Global Level - + Use the global theme, overriding any themes associated with either the service or the songs. Use the global theme, overriding any themes associated with either the service or the songs. - + Themes Themes @@ -5076,245 +5168,245 @@ The content encoding is not UTF-8. pt - + Image Image - + Import Import - + Live Live - + Live Background Error Live Background Error - + Load Load - + Middle Middle - + New New - + New Service New Service - + New Theme New Theme - + No File Selected Singular No File Selected - + No Files Selected Plural No Files Selected - + No Item Selected Singular No Item Selected - + No Items Selected Plural No Items Selected - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Preview - + Replace Background Replace Background - + Reset Background Reset Background - + s The abbreviated unit for seconds s - + Save && Preview Save && Preview - + Search Search - + You must select an item to delete. You must select an item to delete. - + You must select an item to edit. You must select an item to edit. - + Save Service Save Service - + Service Service - + Start %s Start %s - + Theme Singular Theme - + Themes Plural Themes - + Top Top - + Version Version - + Delete the selected item. Delete the selected item. - + Move selection up one position. Move selection up one position. - + Move selection down one position. Move selection down one position. - + &Vertical Align: &Vertical Align: - + Finished import. Finished import. - + Format: Format: - + Importing Importing - + Importing "%s"... Importing "%s"... - + Select Import Source Select Import Source - + Select the import format and the location to import from. 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. 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 Open %s File - + %p% %p% - + Ready. Ready. - + Starting import... Starting import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong You need to specify at least one %s file to import from. - + Welcome to the Bible Import Wizard Welcome to the Bible Import Wizard @@ -5324,7 +5416,7 @@ The content encoding is not UTF-8. Welcome to the Song Export Wizard - + Welcome to the Song Import Wizard Welcome to the Song Import Wizard @@ -5412,53 +5504,53 @@ The content encoding is not UTF-8. h - + Layout style: Layout style: - + Live Toolbar Live Toolbar - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP is already running. Do you wish to continue? - + Settings Settings - + Tools Tools - + Unsupported File Unsupported File - + Verse Per Slide Verse Per Slide - + Verse Per Line Verse Per Line - + View View @@ -5473,37 +5565,37 @@ The content encoding is not UTF-8. XML syntax error - + View Mode View Mode - + Open service. Open service. - + Print Service Print Service - + Replace live background. Replace live background. - + Reset live background. Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard Welcome to the Bible Upgrade Wizard @@ -5513,64 +5605,105 @@ The content encoding is not UTF-8. Confirm Delete - + Play Slides in Loop Play Slides in Loop - + Play Slides to End Play Slides to End - + Stop Play Slides in Loop Stop Play Slides in Loop - + Stop Play Slides to End Stop Play Slides to End - + Next Track Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 and %2 - + %1, and %2 Locale list separator: end %1, and %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5579,50 +5712,50 @@ The content encoding is not UTF-8. 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>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 Presentation - + Presentations name plural Presentations - + Presentations container title Presentations - + Load a new presentation. Load a new presentation. - + Delete the selected presentation. Delete the selected presentation. - + Preview the selected presentation. Preview the selected presentation. - + Send the selected presentation live. Send the selected presentation live. - + Add the selected presentation to the service. Add the selected presentation to the service. @@ -5630,70 +5763,70 @@ The content encoding is not UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Select Presentation(s) - + Automatic Automatic - + Present using: Present using: - + File Exists File Exists - + A presentation with that filename already exists. A presentation with that filename already exists. - + This type of presentation is not supported. This type of presentation is not supported. - + Presentations (%s) Presentations (%s) - + Missing Presentation Missing Presentation - - The Presentation %s no longer exists. - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. + - - The Presentation %s is incomplete, please reload. - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers Available Controllers - + %s (unavailable) %s (unavailable) - + Allow presentation application to be overridden Allow presentation application to be overridden @@ -5727,107 +5860,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Stage View - + Service Manager Service Manager - + Slide Controller Slide Controller - + Alerts Alerts - + Search Search - + Refresh Refresh - + Blank Blank - + Show Show - + Prev Prev - + Next Next - + Text Text - + Show Alert Show Alert - + Go Live Go Live - + No Results No Results - + Options Options - + Add to Service Add to Service - + Home - + Theme Theme - + Desktop - + Add &amp; Go to Service @@ -5835,42 +5968,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: Serve on IP address: - + Port number: Port number: - + Server Settings Server Settings - + Remote URL: Remote URL: - + Stage view URL: Stage view URL: - + Display stage time in 12h format Display stage time in 12h format - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5878,85 +6011,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 @@ -6017,22 +6150,22 @@ The content encoding is not UTF-8. Report Location - + Output File Location Output File Location - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation Report Creation - + Report %s has been successfully created. @@ -6041,12 +6174,12 @@ has been successfully created. has been successfully created. - + Output Path Not Selected 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. You have not set a valid output location for your song usage report. Please select an existing path on your computer. @@ -6084,82 +6217,82 @@ has been successfully created. Reindexing 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. @@ -6168,26 +6301,26 @@ 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. - + Song name singular Song - + Songs name plural Songs - + Songs container title Songs @@ -6198,32 +6331,32 @@ The encoding is responsible for the correct character representation.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. @@ -6251,17 +6384,17 @@ The encoding is responsible for the correct character representation.Last name: - + You need to type in the first name of the author. You need to type in the first name of the author. - + You need to type in the last 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? You have not set a display name for the author, combine the first and last names? @@ -6402,72 +6535,72 @@ 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. - + 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. - + 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. @@ -6497,7 +6630,7 @@ The encoding is responsible for the correct character representation.Remove &All - + Open File(s) Open File(s) @@ -6507,7 +6640,7 @@ The encoding is responsible for the correct character representation.<strong>Warning:</strong> Not all of the verses are in use. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6621,135 +6754,140 @@ The encoding is responsible for the correct character representation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Select Document/Presentation Files - + Song Import Wizard 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. 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 - - Filename: - 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. - 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... Add Files... - + Remove File(s) Remove File(s) - + Please wait while your songs are imported. Please wait while your songs are imported. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Songs Of Fellowship Song Files - + SongBeamer Files SongBeamer Files - + SongShow Plus Song Files SongShow Plus Song Files - + Foilpresenter Song Files Foilpresenter Song Files - + Copy Copy - + Save to File Save to File - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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. The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics or OpenLP 2.0 Exported Song - + OpenLyrics Files OpenLyrics Files - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6767,22 +6905,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titles - + Lyrics Lyrics - + CCLI License: CCLI License: - + Entire Song Entire Song @@ -6795,7 +6933,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. Maintain the lists of authors, topics and books. @@ -6806,27 +6944,27 @@ The encoding is responsible for the correct character representation.copy - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6855,6 +6993,19 @@ The encoding is responsible for the correct character representation.Exporting "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6894,12 +7045,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: The following songs could not be imported: @@ -6919,118 +7070,110 @@ The encoding is responsible for the correct character representation.File not found - - SongsPlugin.SongImportForm - - - Your song import failed. - Your song import failed. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Could not add your author. - + This author already exists. This author already exists. - + Could not add your topic. Could not add your topic. - + This topic already exists. This topic already exists. - + Could not add your book. Could not add your book. - + This book already exists. This book already exists. - + Could not save your changes. Could not save your changes. - + Could not save your modified author, because the author already exists. Could not save your modified author, because the author already exists. - + Could not save your modified topic, because it already exists. Could not save your modified topic, because it already exists. - + Delete Author Delete Author - + Are you sure you want to delete the selected 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. This author cannot be deleted, they are currently assigned to at least one song. - + Delete Topic Delete Topic - + Are you sure you want to delete the selected 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. This topic cannot be deleted, it is currently assigned to at least one song. - + Delete Book Delete Book - + Are you sure you want to delete the selected 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. 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? The author %s already exists. Would you like to make songs with author %s use the existing author %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -7038,27 +7181,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode Songs Mode - + Enable search as you type Enable search as you type - + Display verses on live tool bar Display verses on live tool bar - + Update service from song edit Update service from song edit - + Import missing songs from service files @@ -7119,4 +7262,17 @@ The encoding is responsible for the correct character representation.Other + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/es.ts b/resources/i18n/es.ts index 12377da37..ea5d12366 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. <strong>Complemento de Alertas</strong><br />El complemento de alertas controla la visualización de mensajes de guardería. @@ -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,510 +152,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Biblias - + Bibles container title Biblias - + No Book Found Libro no encontrado - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. No se encontró el libro en esta Biblia. Revise que el nombre del libro esté escrito 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. - Previsualizar la Biblia seleccionada. + Vista Previa de 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 formato más reciente. - + Genesis Génesis - + Exodus Éxodo - + Leviticus Levítico - + Numbers Números - + Deuteronomy Deuteronomio - + Joshua Josué - + Judges Jueces - + Ruth Rut - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Reyes - + 2 Kings 2 Reyes - + 1 Chronicles 1 Crónicas - + 2 Chronicles 2 Crónicas - + Ezra Esdras - + Nehemiah Nehemías - + Esther Ester - + Job Job - + Psalms Salmos - + Proverbs Proverbios - + Ecclesiastes Eclesiastés - + Song of Solomon Cantares - + Isaiah Isaías - + Jeremiah Jeremías - + Lamentations Lamentaciones - + Ezekiel Ezequiel - + Daniel Daniel - + Hosea Oseas - + Joel Joel - + Amos Amós - + Obadiah Abdías - + Jonah Jonás - + Micah Miqueas - + Nahum Nahúm - + Habakkuk Habacuc - + Zephaniah Sofonías - + Haggai Hageo - + Zechariah Zacarías - + Malachi Malaquías - + Matthew Mateo - + Mark Marcos - + Luke Lucas - + John Juan - + Acts Hechos - + Romans Romanos - + 1 Corinthians 1 Corintios - + 2 Corinthians 2 Corintios - + Galatians Gálatas - + Ephesians Efesios - + Philippians Filipenses - + Colossians Colosenses - + 1 Thessalonians 1 Tesalonicenses - + 2 Thessalonians 2 Tesalonicenses - + 1 Timothy 1 Timoteo - + 2 Timothy 2 Timoteo - + Titus Tito - + Philemon Filemón - + Hebrews Hebreos - + James Santiago - + 1 Peter 1 Pedro - + 2 Peter 2 Pedro - + 1 John 1 Juan - + 2 John 2 Juan - + 3 John 3 Juan - + Jude Judas - + Revelation Apocalipsis - + Judith Judit - + Wisdom Sabiduría - + Tobit Tobit - + Sirach Sirácida - + Baruch Baruc - + 1 Maccabees 1 Macabeos - + 2 Maccabees 2 Macabeos - + 3 Maccabees 3 Macabeos - + 4 Maccabees 4 Macabeos - + Rest of Daniel - + Resto de Daniel - + Rest of Esther Resto de Ester - + Prayer of Manasses Oración de Manasés - + Letter of Jeremiah Epístola de Jeremías - + Prayer of Azariah Oración de Azarías - + Susanna Susana - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|versículo|versículos;;-|hasta;;,|y;;fin @@ -666,82 +666,84 @@ Do you want to continue anyway? You need to specify a version name for your Bible. - Debe ingresar un nombre para la versión de esta Biblia. + Debe especificar un nombre para la versión de su Biblia. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Debe establecer los derechos de autor de su Biblia. Si es de Dominio Público debe indicarlo. + Debe ingresar la información copyright para su Biblia. Las Biblias de Dominio Público se deben marca como tal. Bible Exists - Ya existe la Biblia + Ya existe la Biblia This Bible already exists. Please import a different Bible or first delete the existing one. - Ya existe esta Biblia. Por favor importe una diferente o borre la anterior antes de continuar. + Ya existe esta Biblia. Por favor importe una diferente o borre la anterior antes de continuar. You need to specify a book name for "%s". - + Debe especificar un nombre de libro para "%s" The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + El nombre de libro "%s" no es correcto. +Solo se pueden utilizar números al principio +y seguido de caracteres no numéricos. Duplicate Book Name - + Nombre de Libro Duplicado The Book Name "%s" has been entered more than once. - + El Nombre de Libro "%s" se ha ingresado más de una vez. BiblesPlugin.BibleManager - + Scripture Reference Error Error de Referencia Bíblica - + Web Bible cannot be used No se puede usar la Biblia Web - + Text Search is not available with Web Bibles. La búsqueda no esta disponible para Biblias 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. No ingreso una palabra clave a buscar. Puede separar palabras clave por un espacio para buscar todas las palabras clave y puede separar conr una coma para buscar una de ellas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. No existen Bilbias instaladas. Puede usar el Asistente de Importación para instalar una o varias más. - + No Bibles Available Biblias no Disponibles - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -751,85 +753,92 @@ Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. - + OpenLP no admite esta referencia bíblica o es inválida. Por favor consulte el manual o asegúrese que tenga una estructura similar a alguno de los siguientes patrones: + +Libro Capítulo +Libro Capítulo%(range)sCapítulo +Libro Capítulo%(verse)sVersículo%(range)sVersículo +Libro Capítulo%(verse)sVersículo%(range)sVersículo%(list)sVersículo%(range)sVersículo +Libro Capítulo%(verse)sVersículo%(range)sVersículo%(list)sCapítulo%(verse)sVersículo%(range)sVersículo +Libro Capítulo%(verse)sVersículo%(range)sCapítulo%(verse)sVersículo BiblesPlugin.BiblesTab - + Verse Display Visualización de versículos - + Only show new chapter numbers Solo mostrar números para capítulos nuevos - + Bible theme: Tema: - + No Brackets Sin paréntesis - + ( And ) ( Y ) - + { And } { Y } - + [ And ] [ Y ] - + Note: Changes do not affect verses already in the service. Nota: Los cambios no se aplican a elementos en el servcio. - + Display second Bible verses Mostrar versículos secundarios - + Custom Scripture References Referencias Bíblicas Personalizadas - + Verse Separator: Separador de Versículos: - + Range Separator: Separador de Rango: - + List Separator: Separador de Lista: - + End Mark: Marca de Final: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -838,7 +847,7 @@ Tienen que estar separados por un marcador vertical " | ". Borre el contenido del campo para usar el valor predeterminado. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -847,7 +856,7 @@ Tienen que estar separados por un marcador vertical " | ". Borre el contenido del campo para usar el valor predeterminado. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -856,7 +865,7 @@ Tienen que estar separados por un marcador vertical " | ". Borre el contenido del campo para usar el valor predeterminado. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -865,30 +874,30 @@ Tienen que estar separados por un marcador vertical " | ". Borre el contenido del campo para usar el valor predeterminado. - + English Inglés - + Default Bible Language - + Idioma de Biblia Predeterminado - + Book name language in search field, search results and on display: - + Idioma de lo Libros en búsqueda, resultados y pantalla: - + Bible Language - + Idioma de la Biblia - + Application Language - + Idioma de la aplicación @@ -898,11 +907,6 @@ search results and on display: Select Book Name Seleccione Nombre de Libro - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - El siguiente nombre no se encontró internamente. Por favor seleccione de la lista el correspondiente nombre en inglés. - Current name: @@ -933,11 +937,16 @@ search results and on display: Apocrypha Apócrifos + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + El siguiente nombre no se encontró internamente. Por favor seleccione de la lista el correspondiente nombre en inglés. + BiblesPlugin.BookNameForm - + You need to select a book. Debe seleccionar un libro. @@ -966,105 +975,106 @@ search results and on display: Bible Editor - + Editor de Biblias License Details - Detalles de Licencia + Detalles de Licencia Version name: - Nombre de la versión: + Nombre de versión: Copyright: - Derechos de autor: + Copyright: Permissions: - Permisos: + Permisos: Default Bible Language - + Idioma Predeterminado Book name language in search field, search results and on display: - + Idioma de Libros en la busqueda, resultados y pantalla. Global Settings - + Preferencia Globales Bible Language - + Idioma de la Biblia Application Language - + Idioma de la aplicación English - + Inglés This is a Web Download Bible. It is not possible to customize the Book Names. - + Esta es una Biblia de Descarga Web. +No es posible personalizar los Nombres de Libros. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Para utilizar nombres de libro personalizados, debe seleccionar el "Idioma de la Biblia" en la pestaña de Meta Datos o, en la página Biblias en Configurar OpenLP si se utilizó "Preferencias Globales". BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrando Biblia y cargando libros... - + Registering Language... Registrando Idioma... - + Importing %s... Importing <book name>... Importando %s... - + Download Error Error de Descarga - + 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. Hubo un problema al descargar los versículos seleccionados. Por favor revise la conexión a internet y si el error persiste considere reportar esta falla. - + Parse Error Error de Análisis - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Hubo un problema al extraer los versículos seleccionados. Si el error persiste considere reportar esta falla. @@ -1072,167 +1082,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Asistente para Biblias - + 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. Este asistente le ayudará a importar Biblias en una variedad de formatos. Haga clic en el botón siguiente para empezar el proceso seleccionando un formato a importar. - + Web Download Descarga Web - + Location: Ubicación: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Opciones de Descarga - + Server: Servidor: - + Username: Usuario: - + Password: Contraseña: - + Proxy Server (Optional) Servidor Proxy (Opcional) - + License Details Detalles de Licencia - + Set up the Bible's license details. Establezca los detalles de licencia de la Biblia. - + Version name: Nombre de la versión: - + Copyright: Derechos de autor: - + Please wait while your Bible is imported. Por favor, espere mientras que la Biblia es importada. - + You need to specify a file with books of the Bible to use in the import. Debe especificar un archivo que contenga los libros de la Biblia para importar. - + You need to specify a file of Bible verses to import. Debe especificar un archivo que contenga los versículos de la Biblia para importar. - + You need to specify a version name for your Bible. Debe ingresar un nombre para la versión de esta Biblia. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Debe establecer los derechos de autor de su Biblia. Si es de Dominio Público debe indicarlo. - + Bible Exists Ya existe la Biblia - + This Bible already exists. Please import a different Bible or first delete the existing one. Ya existe esta Biblia. Por favor importe una diferente o borre la anterior antes de continuar. - + Your Bible import failed. La importación de su Biblia falló. - + CSV File Archivo CSV - + Bibleserver Servidor - + Permissions: Permisos: - + Bible file: Archivo de biblia: - + Books file: Archivo de libros: - + Verses file: Archivo de versículos: - + openlp.org 1.x Bible Files Archivos de Biblia openlp.org 1.x - + Registering Bible... Registrando Biblia... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Biblia registrada. Note que los versículos se descargarán según @@ -1268,100 +1278,100 @@ sea necesario, por lo que debe contar con una conexión a internet. BiblesPlugin.MediaItem - + Quick Rápida - + Find: Buscar: - + Book: Libro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: Desde: - + To: Hasta: - + Text Search Buscar texto - + Second: Paralela: - + Scripture Reference Referencia Bíblica - + Toggle to keep or clear the previous results. - Alterna entre mantener o limpiar resultados previos. + Alterna entre conservar o borrar los resultados previos. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? No puede mezclar busquedas individuales y dobles. ¿Desea borrar los resultados y abrir una busqueda nueva? - + Bible not fully loaded. Biblia incompleta. - + Information Información - + 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. La Biblia secundaria no contiene todos los versículos de la Biblia principal. Solo se muestran los versículos comunes. Versículos %d no se incluyen en los resultados. - + Search Scripture Reference... Buscar Referencia Bíblica... - + Search Text... Buscar Texto... - + Are you sure you want to delete "%s"? - + ¿Desea realmente borrar "%s"? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importando %s %s... @@ -1370,12 +1380,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... @@ -1384,149 +1394,149 @@ sea necesario, por lo que debe contar con una conexión a internet. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Seleccione un Directorio de Respaldo - + Bible Upgrade Wizard Asistente para Actualizar Biblias - + 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. Este asistente le ayudará a actualizar sus Bilias desde versiones anteriores a OpenLP 2. Presione siguiente para iniciar el proceso. - + Select Backup Directory Directorio de Respaldo - + Please select a backup directory for your Bibles Por favor seleccione un directorio de respaldo para sus Biblias - + 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>. Las versiones anteriores a OpenLP 2.0 no pueden utilizar las Biblias actualizadas. Se creará un respaldo de sus Biblias actuales en caso que tenga que utilizar una versión anterior del programa. Las instrucciones para resturar los archivos están en nuestro <a href="http://wiki.openlp.org/faq">FAQ</a>. - + Please select a backup location for your Bibles. Por favor seleccione una ubicación para los respaldos. - + Backup Directory: Directorio de Respaldo: - + There is no need to backup my Bibles No es necesario respaldar mis Biblias - + Select Bibles Seleccione Biblias - + Please select the Bibles to upgrade Por favor seleccione las Biblias a actualizar - + Upgrading Actualizando - + Please wait while your Bibles are upgraded. Por favor espere mientras sus Biblias son actualizadas. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. El respaldo no fue exitoso. Para respaldar sus Biblias debe tener permisos de escritura en el directorio seleccionado. - + Upgrading Bible %s of %s: "%s" Failed Actualizando Biblia %s de %s: "%s" Fallidas - + Upgrading Bible %s of %s: "%s" Upgrading ... Actualizando Biblia %s de %s: "%s" Actualizando... - + Download Error Error de Descarga - + To upgrade your Web Bibles an Internet connection is required. Para actualizar sus Biblias se requiere de una conexión a internet. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Actualizando Biblia %s de %s: "%s" Actualizando %s... - + Upgrading Bible %s of %s: "%s" Complete Actualizando Biblia %s de %s: "%s" Completado - + , %s failed , %s fallidas - + 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. Actualizando Biblia(s): %s exitosas%s Note que los versículos se descargarán según sea necesario, por lo que debe contar con una conexión a internet. - + Upgrading Bible(s): %s successful%s Actualizando Biblia(s): %s exitosas%s - + Upgrade failed. Actualización fallida. - + You need to specify a backup directory for your Bibles. Debe especificar un directorio de respaldo para sus Biblias. - + Starting upgrade... Iniciando actualización... - + There are no Bibles that need to be upgraded. Las Biblias ya se encuentran actualizadas. @@ -1584,7 +1594,7 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c Preview the selected custom slide. - Previsualizar diapositiva seleccionada. + Vista Previa de la diapositiva seleccionada. @@ -1600,12 +1610,12 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c CustomPlugin.CustomTab - + Custom Display - Pantalla Personal + Pantalla Personalizada - + Display footer Mostrar pie de página @@ -1676,71 +1686,71 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? - ¿Desea realmente borrar la diapositiva seleccionada? - ¿Desea realmente borrar las %n diapositivas seleccionadas? + ¿Desea borrar la diapositiva seleccionada? + ¿Desea borrar las %n diapositivas seleccionadas? 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>Complemento de Imagen</strong><br />El complemento de imagen permite proyectar imágenes.<br />Una de sus características, es que permite agrupar imagenes para facilitar su proyección. Este plugin puede utilizar el "bulce de tiempo" de OpenLP para crear una presentación que avance automáticamente. Aparte, las imágenes de este plugin se pueden utilizar para reemplazar la imagen de fondo del tema en actual. - + Image name singular Imagen - + Images name plural Imágenes - + Images container title Imágenes - + Load a new image. Cargar una imagen nueva. - + Add a new image. Agregar una imagen nueva. - + Edit the selected image. Editar la imagen seleccionada. - + Delete the selected image. Eliminar la imagen seleccionada. - + Preview the selected image. - Previsualizar la imagen seleccionada. + Vista Previa de la imagen seleccionada. - + Send the selected image live. Proyectar la imagen seleccionada. - + Add the selected image to the service. Agregar esta imagen al servicio. @@ -1748,7 +1758,7 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c ImagePlugin.ExceptionDialog - + Select Attachment Seleccionar Anexo @@ -1756,44 +1766,44 @@ Note que los versículos se descargarán según sea necesario, por lo que debe c ImagePlugin.MediaItem - + Select Image(s) Seleccionar Imagen(es) - + You must select an image to delete. Debe seleccionar una imagen para eliminar. - + You must select an image to replace the background with. Debe seleccionar una imagen para reemplazar el fondo. - + Missing Image(s) Imágen(es) faltante - + The following image(s) no longer exist: %s La siguiente imagen(es) ya no esta disponible: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? La siguiente imagen(es) ya no esta disponible: %s ¿Desea agregar las demás imágenes? - + There was a problem replacing your background, the image file "%s" no longer exists. Ocurrió un problema al reemplazar el fondo, el archivo "%s" ya no existe. - + There was no display item to amend. No se encontraron elementos para corregir. @@ -1801,17 +1811,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color Color de fondo - + Default Color: Color predeterminado: - + Visible background for images with aspect ratio different to screen. Fondo visible para canciones con aspecto diferente al de la pantalla. @@ -1819,60 +1829,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. - Previsualizar el medio seleccionado. + Vista Previa del medio seleccionado. - + Send the selected media live. Proyectar el medio seleccionado. - + Add the selected media to the service. Agregar este medio al servicio. @@ -1920,9 +1930,9 @@ Do you want to add the other images anyway? Ningún elemento para corregir. - + Unsupported File - Archivo no válido + Archivo Inválido @@ -1938,30 +1948,30 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players Reproductores disponibles - + %s (unavailable) %s (no disponible) - + Player Order Orden de Reproductores - + Allow media player to be overridden - Permitir ignorar el reproductor multimedia + Permitir tomar control sobre el reproductor multimedia OpenLP - + Image Files Archivos de Imagen @@ -2005,12 +2015,12 @@ Debe actualizar las Biblias actuales. 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. - Este es un programa gratuito; usted puede distribuirlo y/o modificarlo bajo los términos de GNU General Public License según la publicación de Free Software Foundation; versión 2 de la Licencia. + Este es un programa gratuito; usted puede distribuirlo y/o modificarlo bajo los términos de la GNU General Public License según la publicación de Free Software Foundation; versión 2 de la Licencia. 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. - 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. + Este programa se distribuye con la esperanza de que sea útil, pero SIN NINGUNA GARANTÍA, incluso sin la garantía implícita de COMERCIALIZACIÓN o IDONEIDAD PARA UN PROPÓSITO PARTICULAR. Véase más abajo para más detalles. @@ -2165,192 +2175,276 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Preferencias de Interface - + Number of recent files to display: Archivos recientes a mostrar: - + Remember active media manager tab on startup Recordar la última pestaña de medios utilizada - + Double-click to send items straight to live Doble-click para proyectar directamente - + Expand new service items on creation Expandir elementos nuevos del servicio al crearlos - + Enable application exit confirmation Preguntar antes de cerrar la aplicación - + Mouse Cursor Cursor del Ratón - + Hide mouse cursor when over display window Ocultar el cursor en la pantalla principal - + Default Image Imagen predeterminada - + Background color: Color de fondo: - + Image file: Archivo: - + Open File Abrir Archivo - + Advanced Avanzado - + Preview items when clicked in Media Manager - Previsualizar elementos al hacer click en el Adminstrador de Medios + Vista Previa al seleccionar elementos del Adminstrador de Medios - + Click to select a color. Click para seleccionar color. - + Browse for an image file to display. Buscar un archivo de imagen para mostrar. - + Revert to the default OpenLP logo. Volver al logo predeterminado de OpenLP. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Servicio %Y-%m-%d %H-%M - + Default Service Name Nombre de Servicio Predeterminado - + Enable default service name Habilitar el - + Date and Time: Fecha y Hora: - + Monday Lunes - + Tuesday Martes - + Wednesday Miércoles - + Thurdsday Jueves - + Friday Viernes - + Saturday Sábado - + Sunday Domingo - + Now Hoy - + Time when usual service starts. Hora usual de inicio del servicio. - + Name: Nombre: - + Consult the OpenLP manual for usage. Consulte el manual de OpenLP para su uso. - + Revert to the default service name "%s". Volver al nombre de servicio predeterminado "%s" - + Example: Ejemplo: - + X11 X11 - + Bypass X11 Window Manager No usar el Administrador de Ventanas de X11 - + Syntax error. Error de Sintaxis. + + + Data Location + Ubicación de Datos + + + + Current path: + Ubicación actual: + + + + Custom path: + Ubicación nueva: + + + + Browse for new data file location. + Buscar una nueva ubicación para los datos. + + + + Set the data location to the default. + Restablecer la ubicación original para los datos. + + + + Cancel + Cancelar + + + + Cancel OpenLP data directory location change. + Cancelar el cambio del directorio de datos de OpenLP. + + + + Copy data to new location. + Copiar datos a nueva ubicación. + + + + Copy the OpenLP data files to the new location. + Copiar los datos de OpenLP a un nuevo directorio. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>ADVERTENCIA:</strong> El nuevo directorio contiene archivos de datos de OpenLP. Estos archivos serán reemplazados durante la copia. + + + + Data Directory Error + Error en Directorio de Datos + + + + Select Data Directory Location + Seleccione Ubicación de Datos + + + + Confirm Data Directory Change + Confirme Cambio de Directorio + + + + Reset Data Directory + Reestablecer Directorio de Datos + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + ¿Desea cambiar la ubicación predeterminada del directorio de datos de OpenLP? + +Esta ubicación se utilizará luego de cerrar OpenLP. + + + + Overwrite Existing Data + Sobrescribir los Datos Actuales + OpenLP.ExceptionDialog @@ -2387,7 +2481,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Adjuntar Archivo - + Description characters to enter : %s Caracteres restantes: %s @@ -2395,24 +2489,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2443,7 +2537,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2580,17 +2674,17 @@ Version: %s Configuración Predeterminada - + Downloading %s... Descargando %s... - + Download complete. Click the finish button to start OpenLP. Descarga completa. Presione finalizar para iniciar OpenLP. - + Enabling selected plugins... Habilitando complementos seleccionados... @@ -2660,32 +2754,32 @@ Version: %s Este asistente configurará OpenLP para su uso inicial. Presione el botón Siguiente para iniciar. - + Setting Up And Downloading Configurando & Descargando - + Please wait while OpenLP is set up and your data is downloaded. Por favor espere mientras OpenLP se configura e importa los datos. - + Setting Up Configurando - + Click the finish button to start OpenLP. Presione finalizar para iniciar OpenLP. - + Download complete. Click the finish button to return to OpenLP. Descarga completa. Presione finalizar para iniciar OpenLP. - + Click the finish button to return to OpenLP. Presione finalizar para iniciar OpenLP. @@ -2774,32 +2868,32 @@ Para detener el Asistente Inicial (y no iniciar OpenLP), presione Cancelar ahora OpenLP.FormattingTagForm - + Update Error Error de Actualización - + Tag "n" already defined. Etiqueta "n" ya definida. - + New Tag Etiqueta nueva - + <HTML here> <HTML aquí> - + </and here> </and aquí> - + Tag %s already defined. Etiqueta %s ya definida. @@ -2807,82 +2901,82 @@ Para detener el Asistente Inicial (y no iniciar OpenLP), presione Cancelar ahora OpenLP.FormattingTags - + Red Rojo - + Black Negro - + Blue Azul - + Yellow Amarillo - + Green Verde - + Pink Rosado - + Orange Anaranjado - + Purple Morado - + White Blanco - + Superscript Superíndice - + Subscript Subíndice - + Paragraph Párrafo - + Bold Negrita - + Italics Cursiva - + Underline Subrayado - + Break Salto @@ -2890,157 +2984,157 @@ Para detener el Asistente Inicial (y no iniciar OpenLP), presione Cancelar ahora OpenLP.GeneralTab - + General General - + Monitors Monitores - + Select monitor for output display: Seleccionar monitor para proyectar: - + Display if a single screen Mostar si solo hay una pantalla - + Application Startup Inicio de la Aplicación - + Show blank screen warning Mostrar advertencia de pantalla en blanco - + Automatically open the last service Abrir automáticamente el último servicio - + Show the splash screen Mostrar pantalla de bienvenida - + Application Settings Configuración del Programa - + Prompt to save before starting a new service Ofrecer guardar antes de abrir un servicio nuevo - + Automatically preview next item in service - Vista previa automática del siguiente elemento de servicio + Vista previa automática del siguiente elemento en el servicio - + sec seg - + CCLI Details Detalles de CCLI - + SongSelect username: Usuario SongSelect: - + SongSelect password: Contraseña SongSelect: - + X X - + Y Y - + Height Altura - + Width Ancho - + Check for updates to OpenLP Buscar actualizaciones para OpenLP - + Unblank display when adding new live item Mostar proyección al agregar un elemento nuevo - + Timed slide interval: Intervalo de diapositivas: - + Background Audio Audio de Fondo - + Start background audio paused Iniciar audio de fondo en pausa - + Service Item Slide Limits - + Límites de Diapositivas - + Override display position: Personalizar la posición de pantalla - + Repeat track list Repetir lista de pistas - + Behavior of next/previous on the last/first slide: Comportamiento de siguiente/anterior en la última/primera diapositiva: - + &Remain on Slide &Permanecer en la Diapositiva - + &Wrap around - + &Volver al principio - + &Move to next/previous service item &Ir al elemento siguiente/anterior @@ -3048,12 +3142,12 @@ Para detener el Asistente Inicial (y no iniciar OpenLP), presione Cancelar ahora OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie OpenLP para usar su nuevo idioma. @@ -3069,287 +3163,287 @@ Para detener el Asistente Inicial (y no iniciar OpenLP), presione Cancelar ahora OpenLP.MainWindow - + &File &Archivo - + &Import &Importar - + &Export &Exportar - + &View &Ver - + M&ode M&odo - + &Tools &Herramientas - + &Settings &Preferencias - + &Language &Idioma - + &Help A&yuda - + 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 Pre&determinado - + Set the view mode back to the default. Establecer el modo de vizualización predeterminado. - + &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/. @@ -3358,204 +3452,209 @@ 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 predeterminado: %s - + English Please add the name of your language here Español - + Configure &Shortcuts... Configurar &Atajos... - + Close OpenLP Cerrar OpenLP - + Are you sure you want to close OpenLP? - ¿Está seguro que quiere salir de OpenLP? + ¿Desea 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 Miniatura de Temas - + Update the preview images for all themes. Actualiza la imagen de vista previa de todos los temas. - + Print the current service. Imprimir Orden del Servicio actual. - + &Recent Files Archivos &recientes - + L&ock Panels Fi&jar Páneles - + Prevent the panels being moved. Prevenir que los páneles se muevan. - + Re-run First Time Wizard Abrir Asistente Inicial - + Re-run the First Time Wizard, importing songs, Bibles and themes. Abrir el asistente inicial para importar canciones, Biblias y temas. - + Re-run First Time Wizard? ¿Abrir Asistente Inicial? - + 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. - ¿Está seguro de que desea Abrir el Asistente Inicial? + ¿Desea Abrir el Asistente Inicial? -Abrir este asistente cambia la configuración actual de OpenLP y posiblemente agregar canciones a su base de datos y cambiar el Tema predeterminado. +Abrir este asistente alterala configuración actual de OpenLP y posiblemente agregará canciones a su base de datos y cambiará el Tema predeterminado. - + Clear List Clear List of recent files Borrar Lista - + Clear the list of recent files. Borrar la lista de archivos recientes. - + Configure &Formatting Tags... Configurar &Etiquetas de Formato... - + Export OpenLP settings to a specified *.config file Exportar preferencias de OpenLP al archivo *.config especificado - + Settings Preferencias - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Importar preferencias de OpenLP desde un archivo *.config exportado previamente en cualquier ordenador - + Import settings? ¿Importar preferencias? - + 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. - ¿Está seguro de que desea importar preferencias? + ¿Desea importar preferencias? Al importar preferencias la configuración actual de OpenLP cambiará permanentemente. -El importar preferencias erróneas puede causar inestabilidad y el cierre inesperado de OpenLP. +El importar preferencias incorrectas puede causar un comportamiento errático y el cierre inesperado de OpenLP. - + Open File Abrir Archivo - + OpenLP Export Settings Files (*.conf) Archivos de Preferencias OpenLP (*.conf) - + Import settings Importar preferencias - + OpenLP will now close. Imported settings will be applied the next time you start OpenLP. OpenLP se cerrará. Las preferencias importadas se aplicarán la próxima vez que inicie OpenLP. - + Export Settings File Exportar Archivo de Preferencias - + OpenLP Export Settings File (*.conf) Archivo de Preferencias OpenLP (*.conf) + + + New Data Directory Error + Error en el Nuevo Directorio de Datos + OpenLP.Manager - + Database Error Error en Base de datos - + 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 @@ -3564,7 +3663,7 @@ Database: %s Base de Datos: %s - + OpenLP cannot load your database. Database: %s @@ -3576,87 +3675,87 @@ Base de datos: %s OpenLP.MediaManagerItem - + No Items Selected Nada Seleccionado - + &Add to selected Service Item &Agregar al elemento del Servico - + You must select one or more items to preview. Debe seleccionar uno o más elementos para previsualizar. - + You must select one or more items to send live. Debe seleccionar uno o más elementos para proyectar. - + You must select one or more items. Debe seleccionar uno o más elementos. - + You must select an existing service item to add to. Debe seleccionar un elemento existente al cual adjuntar. - + Invalid Service Item - Elemento de Servicio no válido + Elemento de Servicio inválido - + You must select a %s service item. Debe seleccionar un elemento %s del servicio. - + You must select one or more items to add. Debe seleccionar uno o más elementos para agregar. - + No Search Results Sin Resultados - + Invalid File Type - Archivo no válido + Tipo de Archivo Inválido - + Invalid File %s. Suffix not supported - Archivo no válido %s. -Extensión no soportada + Archivo inválido %s. +Extensión no admitida - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. - Los archivos duplicados hallados se ignoraron. + Se encontraron archivos duplicados y se ignoraron. OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Etiqueta <lyrics> faltante. - + <verse> tag is missing. Etiqueta <verse> faltante. @@ -3798,12 +3897,12 @@ Extensión no soportada OpenLP.ScreenList - + Screen Pantalla - + primary principal @@ -3811,12 +3910,12 @@ Extensión no soportada OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Inicio</strong>: %s - + <strong>Length</strong>: %s <strong>Duración</strong>: %s @@ -3832,277 +3931,282 @@ Extensión no soportada OpenLP.ServiceManager - + Move to &top Mover al &inicio - + Move item to the top of the service. Mover el ítem al inicio del servicio. - + Move &up S&ubir - + Move item up one position in the service. Mover el ítem una posición hacia arriba. - + Move &down Ba&jar - + Move item down one position in the service. Mover el ítem una posición hacia abajo. - + Move to &bottom Mover al &final - + Move item to the end of the service. Mover el ítem al final del servicio. - + &Delete From Service &Eliminar Del Servicio - + Delete the selected item from the service. Eliminar el ítem seleccionado del servicio. - + &Add New Item &Agregar un ítem nuevo - + &Add to Selected Item &Agregar al ítem Seleccionado - + &Edit Item &Editar ítem - + &Reorder Item &Reorganizar ítem - + &Notes &Notas - + &Change Item Theme &Cambiar Tema de ítem - + OpenLP Service Files (*.osz) Archivo de Servicio OpenLP (*.osz) - + 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. + El archivo de servicio es invá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 - + &Expand all &Expandir todo - + Expand all the service items. Expandir todos los elementos del servicio. - + &Collapse all &Colapsar todo - + Collapse all the service items. Colapsar todos los elementos del servicio. - + Open File Abrir Archivo - + Moves the selection down the window. Mover selección hacia abajo. - + Move up Subir - + Moves the selection up the window. Mover selección hacia arriba. - + Go Live Proyectar - + Send the selected item to Live. Proyectar el elemento seleccionado. - + &Start Time &Tiempo de Inicio - + Show &Preview Mostrar &Vista Previa - - Show &Live - Mostrar &Proyección - - - + Modified Service Servicio Modificado - + The current service has been modified. Would you like to save this service? El servicio actual a sido modificado. ¿Desea guardar este servicio? - + Custom Service Notes: Notas Personales del Servicio: - + Notes: Notas: - + Playing time: Tiempo de reproducción: - + Untitled Service Servicio Sin nombre - + 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 - + Load an existing service. Abrir un servicio existente. - + Save this service. Guardar este servicio. - + Select a theme for the service. 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. - + Service File Missing Archivo de Servicio faltante - + Slide theme Tema de diapositiva - + Notes Notas - + Edit Editar - + Service copy only Copia unicamente + + + Error Saving File + Error al Guardar Archivo + + + + There was an error saving your file. + Ocurrió un error al guardar su archivo. + OpenLP.ServiceNoteForm @@ -4133,12 +4237,12 @@ La codificación del contenido no es UTF-8. Atajo - + Duplicate Shortcut Duplicar Atajo - + The shortcut "%s" is already assigned to another action, please use a different shortcut. El atajo "%s" esta asignado a otra acción, por favor utilize un atajo diferente. @@ -4173,12 +4277,12 @@ La codificación del contenido no es UTF-8. Restuarar el atajo predeterminado para esta acción. - + Restore Default Shortcuts Restaurar los Atajos Predeterminados - + Do you want to restore all shortcuts to their defaults? ¿Quiere restaurar todos los atajos a su valor original? @@ -4191,172 +4295,172 @@ 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 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. - + Add to Service. Agregar al Servicio. - + Edit and reload song preview. Editar y actualizar la vista previa. - + Start playing media. Reproducir medios. - + Pause audio. Pausar Audio. - + Pause playing media. Pausar medio en reproducción. - + Stop playing media. Detener medio en reproducción. - + Video position. Posición de video. - + Audio Volume. Volumen de audio. - + Go to "Verse" Ir a "Verso" - + Go to "Chorus" Ir a "Coro" - + Go to "Bridge" Ir a "Puente" - + Go to "Pre-Chorus" Ir a "Pre-Coro" - + Go to "Intro" Ir a "Intro" - + Go to "Ending" Ir a "Final" - + Go to "Other" Ir a "Otro" - + Previous Slide Diapositiva anterior - + Next Slide Diapositiva siguiente - + Pause Audio Pausar Audio - + Background Audio Audio de Fondo - + Go to next audio track. Ir a la siguiente pista de audio. - + Tracks Pistas @@ -4424,12 +4528,12 @@ La codificación del contenido no es UTF-8. Finish time is set after the end of the media item - El Final se establece despues del final del medio actual + El tiempo fiinal se establece al final del elemento Start time is after the finish time of the media item - El Inicio se establece despues del final del medio actual + El tiempo inicial se establece al final del elemento @@ -4450,32 +4554,32 @@ La codificación del contenido no es UTF-8. OpenLP.ThemeForm - + Select Image Seleccionar Imagen - + Theme Name Missing Falta Nombre de Tema - + There is no name for this theme. Please enter one. No existe nombre para este tema. Ingrese uno. - + Theme Name Invalid - Nombre de Tema no válido + Nombre de Tema inválido - + Invalid theme name. Please enter one. - Nombre de tema no válido. Ingrese uno. + Nombre de tema inválido. Por favor ingrese uno. - + (approximately %d lines per slide) (aproximadamente %d líneas por diapositiva) @@ -4483,193 +4587,193 @@ La codificación del contenido no es UTF-8. OpenLP.ThemeManager - + Create a new theme. Crear un tema nuevo. - + Edit Theme Editar Tema - + Edit a theme. Editar un tema. - + Delete Theme Eliminar Tema - + Delete a theme. Eliminar un tema. - + Import Theme Importar Tema - + Import a theme. Importa un tema. - + Export Theme Exportar Tema - + Export a theme. Exportar un tema. - + &Edit Theme &Editar Tema - + &Delete Theme Elimi&nar Tema - + Set As &Global Default &Global, por defecto - + %s (default) %s (predeterminado) - + 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. - + Theme %s is used in the %s plugin. El tema %s se usa en el complemento %s. - + 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. El archivo no es un tema válido. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renombrar Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Debe seleccionar un tema para renombrar. - + Rename Confirmation Confirmar Cambio de Nombre - + Rename %s theme? ¿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) - + Copy of %s Copy of <theme name> Copia de %s - + Theme Already Exists Este Tema Ya Existe @@ -4897,7 +5001,7 @@ La codificación del contenido no es UTF-8. Nombre: - + Edit Theme - %s Editar Tema - %s @@ -4950,47 +5054,47 @@ La codificación del contenido no es UTF-8. OpenLP.ThemesTab - + Global Theme Tema Global - + Theme Level Nivel - + S&ong Level &Canción - + 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. Utilizar el tema de la canción en la base de datos. Si una canción no tiene un tema asociado, utilizar el tema del servicio. Si el servicio no tiene un tema, utilizar el tema global. - + &Service Level &Servicio - + 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. Utilizar el tema del servicio ignorando los temas individuales. Si el servicio no tiene un tema, utilizar el tema global. - + &Global Level &Global - + Use the global theme, overriding any themes associated with either the service or the songs. Utilizar el tema global, ignorado los temas asociados con el servicio o con las canciones. - + Themes Temas @@ -5074,245 +5178,245 @@ La codificación del contenido no es UTF-8. pto - + Image Imagen - + Import Importar - + Live En vivo - + Live Background Error Error del Fondo de proyección - + Load Cargar - + Middle Medio - + New Nuevo - + New Service Servicio Nuevo - + New Theme Tema Nuevo - + No File Selected Singular Archivo No Seleccionado - + No Files Selected Plural Archivos No Seleccionados - + No Item Selected Singular Nada Seleccionado - + No Items Selected Plural Nada Seleccionado - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Vista previa - + Replace Background Reemplazar Fondo - + Reset Background Restablecer Fondo - + s The abbreviated unit for seconds s - + Save && Preview Guardar && Previsualizar - + Search Buscar - + You must select an item to delete. Debe seleccionar un ítem para eliminar. - + You must select an item to edit. Debe seleccionar un ítem para editar. - + Save Service Guardar Servicio - + Service Servicio - + Start %s Inicio %s - + Theme Singular Tema - + Themes Plural Temas - + Top Superior - + Version Versión - + Delete the selected item. Eliminar el ítem seleccionado. - + Move selection up one position. Mover selección un espacio hacia arriba. - + Move selection down one position. Mover selección un espacio hacia abajo. - + &Vertical Align: Alinea. &Vertical: - + Finished import. Importación finalizada. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Seleccione la Fuente para Importar - + Select the import format and the location to import from. Seleccione el formato a importar y su ubicación. - + 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. Se ha deshabilitado el importador openlp.org 1.x debido a la falta de un módulo Python. Si desea utilizar este importador, debe instalar el módulo "python-sqlite". - + Open %s File Abrir %s Archivo - + %p% %p% - + Ready. Listo. - + Starting import... Iniciando importación... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Debe especificar un archivo %s para importar. - + Welcome to the Bible Import Wizard Bienvenido al Asistente para Biblias @@ -5322,7 +5426,7 @@ La codificación del contenido no es UTF-8. Bienvenido al Asistente para Exportar Canciones - + Welcome to the Song Import Wizard Bienvenido al Asistente para Importar Canciones @@ -5410,53 +5514,53 @@ La codificación del contenido no es UTF-8. h - + Layout style: Distribución: - + Live Toolbar Barra de Proyección - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP ya esta abierto. ¿Desea continuar? - + Settings Preferencias - + Tools Herramientas - + Unsupported File - Archivo no Soportado + Archivo Inválido - + Verse Per Slide Versículo por Diapositiva - + Verse Per Line Versículo por Línea - + View Vista @@ -5471,37 +5575,37 @@ La codificación del contenido no es UTF-8. Error XML de sintaxis - + View Mode Disposición - + Open service. Abrir Servicio. - + Print Service Imprimir Servicio - + Replace live background. Reemplazar el fondo proyectado. - + Reset live background. Restablecer el fondo proyectado. - + Split a slide into two only if it does not fit on the screen as one slide. Dividir la diapositiva, solo si no se puede mostrar como una sola. - + Welcome to the Bible Upgrade Wizard Bienvenido al Asistente para Actualizar Biblias @@ -5511,64 +5615,105 @@ La codificación del contenido no es UTF-8. Confirmar Eliminación - + Play Slides in Loop Reproducir en Bucle - + Play Slides to End Reproducir hasta el final - + Stop Play Slides in Loop Detener Bucle - + Stop Play Slides to End Detener presentación - + Next Track Pista Siguiente - + Search Themes... Search bar place holder text Buscar Temas... - + Optional &Split - + &División Opcional + + + + Invalid Folder Selected + Singular + Carpeta Inválida + + + + Invalid File Selected + Singular + Archivo Inválido + + + + Invalid Files Selected + Plural + Archivos Inválidos + + + + No Folder Selected + Singular + Ninguna Carpeta Seleccionada + + + + Open %s Folder + Abrir Carpeta %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Debe especificar un archivo %s para importar. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Debe especificar una carpeta %s para importar. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 y %2 - + %1, and %2 Locale list separator: end %1, y %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5577,50 +5722,50 @@ La codificación del contenido no es UTF-8. 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>Complemento de Presentaciones</strong><br />El complemento de presentaciones permite mostrar presentaciones, usando diversos programas. La selección del programa se realiza por medio de una casilla de selección. - + Presentation name singular Presentación - + Presentations name plural Presentaciones - + Presentations container title Presentaciones - + Load a new presentation. Cargar una Presentación nueva. - + Delete the selected presentation. Eliminar la presentación seleccionada. - + Preview the selected presentation. - Visualizar la presentación seleccionada. + Vista Previa de la presentación seleccionada. - + Send the selected presentation live. Proyectar la presentación seleccionada. - + Add the selected presentation to the service. Agregar esta presentación al servicio. @@ -5628,70 +5773,70 @@ La codificación del contenido no es UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Seleccionar Presentación(es) - + Automatic Automático - + Present using: Mostrar usando: - + File Exists Ya existe el Archivo - + A presentation with that filename already exists. Ya existe una presentación con este nombre. - + This type of presentation is not supported. - No existe soporte para este tipo de presentación. + No se admite este tipo de presentación. - + Presentations (%s) Presentaciones (%s) - + Missing Presentation Presentación faltante - - The Presentation %s no longer exists. - La Presentación %s ya no esta disponible. + + The presentation %s is incomplete, please reload. + La presentación %s está incompleta, cárgela nuevamente. - - The Presentation %s is incomplete, please reload. - La Presentación %s esta incompleta, por favor recargela. + + The presentation %s no longer exists. + La presentación %s ya no existe. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponibles - + %s (unavailable) %s (no disponible) - + Allow presentation application to be overridden Permitir ignorar el programa de presentación @@ -5725,150 +5870,150 @@ La codificación del contenido no es UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remoto - + OpenLP 2.0 Stage View OpenLP 2.0 Vista del Escenario - + Service Manager Gestor de Servicio - + Slide Controller Control de Diapositivas - + Alerts Alertas - + Search Buscar - + Refresh Refrezcar - + Blank - Negro + En blanco - + Show Mostrar - + Prev Anterior - + Next Siguiente - + Text Texto - + Show Alert Mostrar Alerta - + Go Live Proyectar - + No Results Sin Resultados - + Options Opciones - + Add to Service Agregar al Servicio - + Home - - - - - Theme - Tema + Inicio - Desktop - + Theme + Tema - + + Desktop + Escritorio + + + Add &amp; Go to Service - + Agregar e Ir al Servicio RemotePlugin.RemoteTab - + Serve on IP address: Dirección IP a Servir: - + Port number: Puerto número: - + Server Settings Config. de Servidor - + Remote URL: URL Remota: - + Stage view URL: URL Administración: - + Display stage time in 12h format Usar formato de 12h en pantalla de Administración - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Escanee el código QR o haga clic en <a href="https://market.android.com/details?id=org.openlp.android">descargar</a> para instalar el Android app. @@ -5876,85 +6021,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 los datos del historial hasta la fecha especificada. - + &Extract Tracking Data &Extraer datos de Historial - + Generate a report on song usage. Generar un reporte del historial de uso de las canciones. - + Toggle Tracking Activar Historial - + Toggle the tracking of song usage. Encender o apagar el historial 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. Monitoreo de historial activo. - + Song usage tracking is inactive. Monitoreo de historial inactivo. - + display mostrar - + printed impreso @@ -5974,7 +6119,7 @@ La codificación del contenido no es UTF-8. Are you sure you want to delete selected Song Usage data? - ¿Está seguro que quiere borrar los datos del historial de la canción seleccionada? + ¿Desea borrar los datos del historial de la canción seleccionada? @@ -6015,22 +6160,22 @@ La codificación del contenido no es UTF-8. Ubicación de Reporte - + Output File Location Archivo de Salida - + usage_detail_%s_%s.txt historial_%s_%s.txt - + Report Creation Crear Reporte - + Report %s has been successfully created. @@ -6039,12 +6184,12 @@ has been successfully created. se ha creado satisfactoriamente. - + Output Path Not Selected Ruta de salida no seleccionada - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. No se ha establecido una ubicación válida para el archivo de reporte. Por favor seleccione una ubicación en su equipo. @@ -6082,82 +6227,82 @@ se ha creado satisfactoriamente. Reindexando 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. @@ -6166,26 +6311,26 @@ 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. - + Song name singular Canción - + Songs name plural Canciones - + Songs container title Canciones @@ -6196,32 +6341,32 @@ La codificación se encarga de la correcta representación de caracteres.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. + Vista Previa de 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. @@ -6249,17 +6394,17 @@ La codificación se encarga de la correcta representación de caracteres.Apellido: - + You need to type in the first name of the author. Debe escribir el nombre del autor. - + You need to type in the last name of the author. Debe ingresar el apellido del autor. - + You have not set a display name for the author, combine the first and last names? No a establecido un nombre para mostrar, ¿desea unir el nombre y el apellido? @@ -6294,12 +6439,12 @@ La codificación se encarga de la correcta representación de caracteres. Meta Data - + Metadatos Custom Book Names - + Nombres Personalizados @@ -6400,72 +6545,72 @@ 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. + No ha 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. - + 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 son %s. + El orden del verso es inválido. Ningún verso corresponde a %s. Las entradas válidas son %s. - + 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. @@ -6495,7 +6640,7 @@ La codificación se encarga de la correcta representación de caracteres.Quitar &Todo - + Open File(s) Abrir Archivo(s) @@ -6505,9 +6650,9 @@ La codificación se encarga de la correcta representación de caracteres.<strong>Advertencia:</strong> No se han utilizado todos los versos. - + The verse order is invalid. There are no verses 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 son %s. + El orden de los versos es inválido. Ningún verso corresponde a %s. Las entradas válidas son %s. @@ -6619,135 +6764,140 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Seleccione Documento/Presentación - + Song Import Wizard Asistente para Exportar Canciones - + 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. 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 - - Filename: - Nombre: - - - - 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. - El importador OpenLyrics no esta desarrollado, pero puede notar que tenemos la intención de hacerlo. Esperamos incluirlo en la siguiente versión. - - - + Add Files... Agregar Archivos... - + Remove File(s) Eliminar Archivo(s) - + Please wait while your songs are imported. Por favor espere mientras se exportan las canciones. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Archivo Songs Of Fellowship - + SongBeamer Files Archivo SongBeamer - + SongShow Plus Song Files Archivo SongShow Plus - + Foilpresenter Song Files Archivo Foilpresenter - + Copy Copiar - + Save to File Guardar a Archivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador de Songs of Fellowship se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. El importador documento/presentación se ha deshabilitado porque OpenOffice.org o LibreOffice no esta disponible. - + OpenLyrics or OpenLP 2.0 Exported Song Canción exportada de OpenLyrics o OpenLP 2.0 - + OpenLyrics Files Archivos OpenLyrics - + CCLI SongSelect Files Archivos CCLI SongSelect - + EasySlides XML File Archivo EasySlides XML - + EasyWorship Song Database Base de Datos EasyWorship + + + DreamBeam Song Files + Archivos de Canción DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + Debe especificar un folder de datos PowerSong 1.0 válido. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Primero convierta su base de datos ZionWork a un archivo de texto CSV, como se explica en el <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual de Usuario</a>. + SongsPlugin.MediaFilesForm @@ -6765,22 +6915,22 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letra - + CCLI License: Licensia CCLI: - + Entire Song Canción Completa @@ -6788,14 +6938,14 @@ La codificación se encarga de la correcta representación de caracteres. Are you sure you want to delete the %n selected song(s)? - ¿Desea realmente borrar %n canción seleccionada? - ¿Desea realmente borrar las %n canciones seleccionadas? + ¿Desea borrar %n canción seleccionada? + ¿Desea borrar las %n canciones seleccionadas? - + Maintain the lists of authors, topics and books. - Administrar la lista de autores, categorías y libros. + Administrar la lista de autores, categorías e himnarios. @@ -6804,27 +6954,27 @@ La codificación se encarga de la correcta representación de caracteres.duplicar - + Search Titles... Buscar Títulos... - + Search Entire Song... Buscar Canción Completa... - + Search Lyrics... Buscar Letras... - + Search Authors... Buscar Autores... - + Search Song Books... Buscar Himnarios... @@ -6853,6 +7003,19 @@ La codificación se encarga de la correcta representación de caracteres.Exportando "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + No hay canciones para importar. + + + + Verses not found. Missing "PART" header. + Versos no encontrados. Falta encabezado "PART" + + SongsPlugin.SongBookForm @@ -6892,12 +7055,12 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongImport - + copyright derechos de autor - + The following songs could not be imported: Las siguientes canciones no se importaron: @@ -6917,118 +7080,110 @@ La codificación se encarga de la correcta representación de caracteres.Archivo no encontrado - - SongsPlugin.SongImportForm - - - Your song import failed. - La importación falló. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. No se pudo agregar el autor. - + This author already exists. Este autor ya existe. - + Could not add your topic. No se pudo agregar la categoría. - + This topic already exists. Esta categoría ya existe. - + Could not add your book. No se pudo agregar el himnario. - + This book already exists. Este himnario ya existe. - + Could not save your changes. No se pudo guardar los cambios. - + Could not save your modified author, because the author already exists. No se pudo guardar el autor, porque este ya existe. - + Could not save your modified topic, because it already exists. No se pudo guardar la categoría, porque esta ya existe. - + Delete Author Borrar Autor - + Are you sure you want to delete the selected author? - ¿Está seguro que desea eliminar el autor seleccionado? + ¿Desea eliminar el autor seleccionado? - + This author cannot be deleted, they are currently assigned to at least one song. No se puede eliminar el autor, esta asociado con al menos una canción. - + Delete Topic Borrar Categoría - + Are you sure you want to delete the selected topic? - ¿Está seguro que desea eliminar la categoría seleccionada? + ¿Desea eliminar la categoría seleccionada? - + This topic cannot be deleted, it is currently assigned to at least one song. No se puede eliminar la categoría, esta asociada con al menos una canción. - + Delete Book Eliminar Libro - + Are you sure you want to delete the selected book? - ¿Está seguro de que quiere eliminar el himnario seleccionado? + ¿Desea eliminar el himnario seleccionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este himnario no se puede eliminar, esta asociado con al menos una canción. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? El autor %s ya existe. ¿Desea que las canciones con el autor %s utilizen el existente %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? La categoría %s ya existe. ¿Desea que las canciones con la categoría %s utilizen la existente %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? El himnario %s ya existe. ¿Desea que las canciones con el himnario %s utilizen el existente %s? @@ -7036,27 +7191,27 @@ La codificación se encarga de la correcta representación de caracteres. SongsPlugin.SongsTab - + Songs Mode Modo de canciones - + Enable search as you type Buscar a medida que se escribe - + Display verses on live tool bar Mostar los versos en la barra de proyección - + Update service from song edit Actualizar servicio desde el editor - + Import missing songs from service files Importar canciones faltantes desde archivos de servicio @@ -7117,4 +7272,17 @@ La codificación se encarga de la correcta representación de caracteres.Otro + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Error al leer el archivo CSV. + + + + File not valid ZionWorx CSV format. + Archivo ZionWorx CSV inválido. + + diff --git a/resources/i18n/et.ts b/resources/i18n/et.ts index 1956acaec..3056b0494 100644 --- a/resources/i18n/et.ts +++ b/resources/i18n/et.ts @@ -3,35 +3,35 @@ 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 saab ekraanil näidata näiteks lastehoiu või muid teateid. @@ -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,510 +152,510 @@ Kas tahad siiski jätkata? BiblesPlugin - + &Bible &Piibel - + Bible name singular Piibel - + Bibles name plural Piiblid - + Bibles container title Piiblid - + No Book Found Ühtegi raamatut ei leitud - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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 - + Upgrade the Bible databases to the latest format. Piiblite andmebaaside uuendamine uusimasse vormingusse. - + Genesis 1. Moosese - + Exodus 2. Moosese - + Leviticus 3. Moosese - + Numbers 4. Moosese - + Deuteronomy 5. Moosese - + Joshua Joosua - + Judges Kohtumõistjate - + Ruth Rutt - + 1 Samuel 1. Saamueli - + 2 Samuel 2. Saamueli - + 1 Kings 1. Kuningate - + 2 Kings 2. Kuningate - + 1 Chronicles 1. Ajaraamat - + 2 Chronicles 2. Ajaraamat - + Ezra Esra - + Nehemiah Nehemja - + Esther Ester - + Job Iiob - + Psalms Psalmid - + Proverbs Õpetussõnad - + Ecclesiastes Koguja - + Song of Solomon Ülemlaul - + Isaiah Jesaja - + Jeremiah Jeremia - + Lamentations Nutulaulud - + Ezekiel Hesekiel - + Daniel Taaniel - + Hosea Hoosea - + Joel Joel - + Amos Aamos - + Obadiah Obadja - + Jonah Joona - + Micah Miika - + Nahum Nahum - + Habakkuk Habakuk - + Zephaniah Sefanja - + Haggai Haggai - + Zechariah Sakarja - + Malachi Malaki - + Matthew Matteuse - + Mark Markuse - + Luke Luuka - + John Johannese - + Acts Apostlite teod - + Romans Roomlastele - + 1 Corinthians 1. Korintlastele - + 2 Corinthians 2. Korintlastele - + Galatians Galaatlastele - + Ephesians Efeslastele - + Philippians Filiplastele - + Colossians Koloslastele - + 1 Thessalonians 1. Tessalooniklastele - + 2 Thessalonians 2. Tessalooniklastele - + 1 Timothy 1. Timoteosele - + 2 Timothy 2. Timoteosele - + Titus Tiitusele - + Philemon Fileemonile - + Hebrews Heebrealastele - + James Jaakobuse - + 1 Peter 1. Peetruse - + 2 Peter 2. Peetruse - + 1 John 1. Johannese - + 2 John 2. Johannese - + 3 John 3. Johannese - + Jude Juuda - + Revelation Ilmutus - + Judith Juudit - + Wisdom Saalomoni tarkuse raamat - + Tobit Toobit - + Sirach Siirak - + Baruch Baaruk - + 1 Maccabees 1. Makkabite - + 2 Maccabees 2. Makkabite - + 3 Maccabees 3. Makkabite - + 4 Maccabees 4. Makkabite - + Rest of Daniel Taanieli raamatu lisad - + Rest of Esther Estri raamatu lisad - + Prayer of Manasses Manasse palved - + Letter of Jeremiah Jeremija kiri - + Prayer of Azariah Asarja palve - + Susanna Susanna - + Bel Bel - + 1 Esdras 1. Esdra - + 2 Esdras 2. Esdra - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|s|S|salm|salmid|v|V;;-|kuni;;,|ja|and;;lõpp|end @@ -666,82 +666,83 @@ Kas tahad siiski jätkata? You need to specify a version name for your Bible. - Pead määrama Piibli versiooni nime. + Sa pead Piibli versioonile määrama nime. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Pead määrama piiblitõlke autoriõiguse! Avalikkuse omandisse kuuluvad Piiblid tuleb vastavalt tähistada. + Sa pead Piibli autoriõiguse omaniku määrama. Kui Piibel kuulub üldsuse omandisse (Public domain), siis märgi see vastavalt. Bible Exists - Piibel on juba olemas + Piibel on juba olemas This Bible already exists. Please import a different Bible or first delete the existing one. - See Piibel on juba olemas! Palun impordi mingi muu Piibel või kustuta enne olemasolev. + Piibel on juba olemas. Impordi Piibel teise nimega või kustuta enne olemasolev Piibel. You need to specify a book name for "%s". - + Pead "%s" jaoks raamatu nime määrama. The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + Raamatu nimi "%s" ei ole õige. +Numbrid võivad asuda ainult alguses ning nende järel peab olema mõni täht. Duplicate Book Name - + Dubleeriv raamatu nimi The Book Name "%s" has been entered more than once. - + Raamatu nimi "%s" on juba ühe korra sisestatud. BiblesPlugin.BibleManager - + Scripture Reference Error Kirjakohaviite tõrge - + Web Bible cannot be used Veebipiiblit pole võimalik kasutada - + Text Search is not available with Web Bibles. Tekstiotsing veebipiiblist pole võimalik. - + 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. Sa ei sisestanud otsingusõna. Sa võid eraldada võtmesõnad tühikuga, et otsida neid kõiki, või eraldada need komaga, et otsitaks ühte neist. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Praegu pole ühtegi Piiblit paigaldatud. Palun paigalda mõni Piibel importimise nõustaja abil. - + No Bibles Available Ühtegi Piiblit pole saadaval - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +765,79 @@ Raamat peatükk%(verse)ssalm%(range)speatükk%(verse)ssalm BiblesPlugin.BiblesTab - + Verse Display Salmi kuvamine - + Only show new chapter numbers Kuvatakse ainult uute peatükkide numbreid - + Bible theme: Piibli kujundus: - + No Brackets Ilma sulgudeta - + ( And ) ( ja ) - + { And } { ja } - + [ And ] [ ja ] - + Note: Changes do not affect verses already in the service. Märkus: Muudatused ei rakendu juba teenistuses olevatele salmidele. - + Display second Bible verses Piiblit kuvatakse kahes keeles - + Custom Scripture References Kohandatud kirjakohaviited - + Verse Separator: Salmide eraldaja: - + Range Separator: Vahemike eraldaja: - + List Separator: Loendi eraldaja: - + End Mark: Lõpu märk: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +846,7 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +855,7 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +864,7 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +873,31 @@ Need tuleb eraldada püstkriipsuga |. Vaikeväärtuse kasutamiseks jäta rida tühjaks. - + English Inglise - + Default Bible Language - + Piibli vaikimisi keel - + Book name language in search field, search results and on display: - + Raamatu nimede keel otsinguväljal, +otsingutulemustes ja ekraanil: - + Bible Language - + Piibli keel - + Application Language - + Rakenduse keel @@ -905,11 +907,6 @@ search results and on display: Select Book Name Vali raamatu nimi - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Järgneva raamatu nime ei suudetud ise tuvastada. Palun vali loetelust vastav ingliskeelne nimi. - Current name: @@ -940,11 +937,16 @@ search results and on display: Apocrypha Apokrüüfid + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Pead valima raamatu. @@ -973,105 +975,106 @@ search results and on display: Bible Editor - + Piibliredaktor License Details - Litsentsist lähemalt + Litsentsi andmed Version name: - Versiooni nimi: + Versiooni nimi: Copyright: - Autoriõigus: + Autoriõigus: Permissions: - Õigused: + Lubatud: Default Bible Language - + Piibli vaikimisi keel Book name language in search field, search results and on display: - + Raamatu nime keel otsinguväljal, otsingutulemustes ja ekraanil: Global Settings - + Globaalsätted Bible Language - + Piibli keel Application Language - + Rakenduse keel English - + Inglise This is a Web Download Bible. It is not possible to customize the Book Names. - + See on veebipiibel. +Veebipiibli raamatute nimesid pole võimalik muuta. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Kohandatud raamatunimede kasutamiseks peab metaandmete kaardil või, kui kasutatakse "Globaalsätteid", Piibli lehel OpenLP seadistuse all olema valitud "Piibli keel". BiblesPlugin.HTTPBible - + Registering Bible and loading books... Piibli registreerimine ja raamatute laadimine... - + Registering Language... Keele registreerimine... - + Importing %s... Importing <book name>... Raamatu %s importimine... - + Download Error 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. - + Parse Error 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. @@ -1079,167 +1082,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Piibli importimise nõustaja - + 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 erinevates vormingutes Piibleid importida. Klõpsa all asuvale edasi nupule, et alustada vormingu valimisest, millest importida. - + Web Download Veebist allalaadimine - + Location: Asukoht: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Piibel: - + Download Options Allalaadimise valikud - + Server: Server: - + Username: Kasutajanimi: - + Password: Parool: - + Proxy Server (Optional) Proksiserver (valikuline) - + License Details Litsentsist lähemalt - + Set up the Bible's license details. Määra Piibli litsentsi andmed. - + Version name: Versiooni nimi: - + Copyright: Autoriõigus: - + Please wait while your Bible is imported. Palun oota, kuni sinu Piiblit imporditakse. - + You need to specify a file with books of the Bible to use in the import. Pead määrama faili, mis sisaldab piibliraamatuid, mida tahad importida. - + You need to specify a file of Bible verses to import. Pead ette andma piiblisalmide faili, mida importida. - + You need to specify a version name for your Bible. Pead määrama Piibli versiooni nime. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Pead määrama piiblitõlke autoriõiguse! Avalikkuse omandisse kuuluvad Piiblid tuleb vastavalt tähistada. - + Bible Exists Piibel on juba olemas - + This Bible already exists. Please import a different Bible or first delete the existing one. See Piibel on juba olemas! Palun impordi mingi muu Piibel või kustuta enne olemasolev. - + Your Bible import failed. Piibli importimine nurjus. - + CSV File CSV fail - + Bibleserver Piibliserver - + Permissions: Õigused: - + Bible file: Piibli fail: - + Books file: Raamatute fail: - + Verses file: Salmide fail: - + openlp.org 1.x Bible Files openlp.org 1.x piiblifailid - + Registering Bible... Piibli registreerimine... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Piibel on registreeritud. Pea meeles, et salmid laaditakse alla @@ -1275,100 +1278,100 @@ vastavalt vajadusele ning seetõttu on vaja internetiühendust. BiblesPlugin.MediaItem - + Quick Kiirotsing - + Find: Otsing: - + Book: Raamat: - + Chapter: Peatükk: - + Verse: Salm: - + From: Algus: - + To: Kuni: - + Text Search Tekstiotsing - + Second: Teine: - + Scripture Reference Salmiviide - + Toggle to keep or clear the previous results. 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? - + Bible not fully loaded. Piibel ei ole täielikult laaditud. - + Information 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. - + Search Scripture Reference... Piibliviite otsing... - + Search Text... Teksti otsing... - + Are you sure you want to delete "%s"? - + Kas sa oled kindel, et tahad "%s" kustutada? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... %s %s. peatüki importimine... @@ -1377,12 +1380,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... @@ -1391,149 +1394,149 @@ vastavalt vajadusele ning seetõttu on vaja internetiühendust. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Varunduskataloogi valimine - + Bible Upgrade Wizard Piibli uuendamise nõustaja - + 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. See nõustaja aitab uuendada olemasolevaid Piibleid eelnevatelt OpenLP 2 versioonidelt. Uuendamise alustamiseks klõpsa edasi. - + Select Backup Directory Varunduskausta valimine - + Please select a backup directory for your Bibles Vali oma Piiblitele varunduskataloog - + 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>. Eelmised OpenLP 2.0 versioonid ei suuda kasutada uuendatud Piibleid. Sellega luuakse sinu praegustest Piiblistest varukoopia, et sa saaksid failid kopeerida tagasi OpenLP andmekataloogi, kui sa pead minema tagasi OpenLP eelmisele versioonile. Juhised failide taastamiseks leiad <a href="http://wiki.openlp.org/faq">Korduma Kippuvatest Küsimustest</a>. - + Please select a backup location for your Bibles. Palun vali oma Piiblite varundamise jaoks kataloog. - + Backup Directory: Varunduskataloog: - + There is no need to backup my Bibles Pole vajadust mu Piibleid varundada - + Select Bibles Piiblite valimine - + Please select the Bibles to upgrade Palun vali Piiblid, mida uuendada - + Upgrading Uuendamine - + Please wait while your Bibles are upgraded. Palun oota, kuni Piibleid uuendatakse. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Varundamine ei õnnestunud. Piiblite varundamiseks peab sul olema õigus antud kataloogi kirjutada. - + Upgrading Bible %s of %s: "%s" Failed %s Piibli uuendamine %s-st : "%s" Nurjus - + Upgrading Bible %s of %s: "%s" Upgrading ... %s Piibli uuendamine %s-st : "%s" Uuendamine... - + Download Error Tõrge allalaadimisel - + To upgrade your Web Bibles an Internet connection is required. Veebipiiblite uuendamiseks on vajalik internetiühendus. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... %s Piibli uuendamine (kokku %s-st): "%s" %s uuendamine... - + Upgrading Bible %s of %s: "%s" Complete %s. Piibli uuendamine (kokku %s-st): "%s" Valmis - + , %s failed , %s nurjus - + 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. Piibli(te) uuendamine: %s edukat%s Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on nende kasutamisel vaja internetiühendust. - + Upgrading Bible(s): %s successful%s Piibli(te) uuendamine: %s edukas%s - + Upgrade failed. Uuendamine nurjus. - + You need to specify a backup directory for your Bibles. Pead määrama Piiblite varundamise kataloogi. - + Starting upgrade... Uuendamise alustamine... - + There are no Bibles that need to be upgraded. Pole ühtegi Piiblit, mis vajaks uuendamist. @@ -1607,12 +1610,12 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on CustomPlugin.CustomTab - + Custom Display Kohandatud kuva - + Display footer Jaluse kuvamine @@ -1683,7 +1686,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Kas tahad kindlasti %n valitud kohandatud slaidi kustutada? @@ -1694,60 +1697,60 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on 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>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. - + Image name singular Pilt - + Images name plural Pildid - + Images container title Pildid - + Load a new image. Uue pildi laadimine. - + Add a new image. Uue pildi lisamine. - + Edit the selected image. Valitud pildi muutmine. - + Delete the selected image. Valitud pildi kustutamine. - + Preview the selected image. Valitud pildi eelvaatlus. - + Send the selected image live. Valitud pildi saatmine ekraanile. - + Add the selected image to the service. Valitud pildi lisamine teenistusele. @@ -1755,7 +1758,7 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on ImagePlugin.ExceptionDialog - + Select Attachment Manuse valimine @@ -1763,44 +1766,44 @@ Pane tähele, et veebipiiblite salmid laaditakse internetist vajadusel, seega on ImagePlugin.MediaItem - + Select Image(s) Piltide valimine - + You must select an image to delete. Pead enne valima pildi, mida kustutada. - + You must select an image to replace the background with. Pead enne valima pildi, millega tausta asendada. - + Missing Image(s) Puuduvad pildid - + The following image(s) no longer exist: %s Järgnevaid pilte enam pole: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Järgnevaid pilte enam pole: %s Kas tahad teised pildid sellest hoolimata lisada? - + There was a problem replacing your background, the image file "%s" no longer exists. Tausta asendamisel esines viga, pildifaili "%s" enam pole. - + There was no display item to amend. Polnud ühtegi kuvatavat elementi, mida täiendada. @@ -1808,17 +1811,17 @@ Kas tahad teised pildid sellest hoolimata lisada? ImagesPlugin.ImageTab - + Background Color Taustavärv - + Default Color: Vaikimisi värvus: - + Visible background for images with aspect ratio different to screen. Tausta värvus piltidel, mille külgede suhe ei vasta ekraani küljesuhtele. @@ -1826,60 +1829,60 @@ Kas tahad teised pildid sellest hoolimata lisada? MediaPlugin - + <strong>Media Plugin</strong><br />The media plugin provides playback of audio and video. <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 meedia saatmine ekraanile. - + Add the selected media to the service. Valitud meedia lisamine teenistusele. @@ -1927,7 +1930,7 @@ Kas tahad teised pildid sellest hoolimata lisada? Polnud ühtegi kuvatavat elementi, mida täiendada. - + Unsupported File Fail pole toetatud: @@ -1945,22 +1948,22 @@ Kas tahad teised pildid sellest hoolimata lisada? MediaPlugin.MediaTab - + Available Media Players Saadaolevad meediaesitajad - + %s (unavailable) %s (pole saadaval) - + Player Order Esitajate järjestus - + Allow media player to be overridden Meediaesitajat saab käsitsi vahetada @@ -1968,7 +1971,7 @@ Kas tahad teised pildid sellest hoolimata lisada? OpenLP - + Image Files Pildifailid @@ -2171,192 +2174,274 @@ Osaline copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Kasutajaliidese sätted - + Number of recent files to display: Kuvatavate hiljutiste failide arv: - + Remember active media manager tab on startup Käivitumisel avatakse viimati avatud meediahalduri osa - + Double-click to send items straight to live Topeltklõps otse ekraanile saatmiseks - + Expand new service items on creation Uued teenistuse kirjed on loomisel laiendatud - + Enable application exit confirmation Rakenduse lõpetamise teabe lubamine - + Mouse Cursor Hiirekursor - + Hide mouse cursor when over display window Ekraaniakna kohal peidetakse hiirekursor - + Default Image Vaikimisi pilt - + Background color: Taustapilt: - + Image file: Pildifail: - + Open File Faili avamine - + Advanced Täpsem - + Preview items when clicked in Media Manager Meediahalduris klõpsamisel kuvatakse eelvaade - + Click to select a color. Klõpsa värvi valimiseks. - + Browse for an image file to display. Kuvatava pildi valimine. - + Revert to the default OpenLP logo. Vaikimisi OpenLP logo kasutamine. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Teenistus %Y-%m-%d %H-%M - + Default Service Name Teenistuse vaikimisi nimi - + Enable default service name Teenistuse vaikimisi nimi lubatud - + Date and Time: Kuupäev ja kellaaeg: - + Monday Esmaspäeval - + Tuesday Teisipäeval - + Wednesday Kolmapäeval - + Thurdsday Neljapäeval - + Friday Reedel - + Saturday Laupäeval - + Sunday Pühapäeval - + Now Praegu - + Time when usual service starts. Mis kell teenistus tavaliselt algab. - + Name: Nimi: - + Consult the OpenLP manual for usage. Kasutuse kohta lähemalt OpenLP käsiraamatust. - + Revert to the default service name "%s". Teenistuse vaikimisi vaikenime "%s" taastamine. - + Example: Näidis: - + X11 X11 - + Bypass X11 Window Manager X11 aknahaldur jäetakse vahele - + Syntax error. Süntaksi viga. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Loobu + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2393,7 +2478,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Pane fail kaasa - + Description characters to enter : %s Puuduvad tähed kirjelduses: %s @@ -2401,24 +2486,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2535,7 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. - + *OpenLP Bug Report* Version: %s @@ -2587,17 +2672,17 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. Vaikimisi sätted - + Downloading %s... %s allalaadimine... - + Download complete. Click the finish button to start OpenLP. Allalaadimine lõpetatud. OpenLP käivitamiseks klõpsa lõpetamise nupule. - + Enabling selected plugins... Valitud pluginate sisselülitamine... @@ -2667,32 +2752,32 @@ Kui võimalik, kirjuta palun vearaport inglise keeles. See nõustaja aitab alguses OpenLP seadistada. Alustamiseks klõpsa edasi nupule. - + Setting Up And Downloading Seadistamine ja allalaadimine - + Please wait while OpenLP is set up and your data is downloaded. Palun oota, kuni OpenLP-d seadistatakse ja andmeid allalaaditakse. - + Setting Up Seadistamine - + Click the finish button to start OpenLP. OpenLP käivitamiseks klõpsa lõpetamise nupule. - + Download complete. Click the finish button to return to OpenLP. Allalaadimine lõpetatud. Klõpsa lõpetamise nupule, et naaseda OpenLP-sse. - + Click the finish button to return to OpenLP. Klõpsa lõpetamise nupule, et naaseda OpenLP-sse. @@ -2781,32 +2866,32 @@ Esmakäivituse nõustajast loobumiseks (ning OpenLP mittekäivitamiseks) klõpsa OpenLP.FormattingTagForm - + Update Error Tõrge uuendamisel - + Tag "n" already defined. Märgis "n" on juba defineeritud. - + New Tag Uus märgis - + <HTML here> <HTML siia> - + </and here> </ja siia> - + Tag %s already defined. Märgis %s on juba defineeritud. @@ -2814,82 +2899,82 @@ Esmakäivituse nõustajast loobumiseks (ning OpenLP mittekäivitamiseks) klõpsa OpenLP.FormattingTags - + Red Punane - + Black Must - + Blue Sinine - + Yellow Kollane - + Green Roheline - + Pink Roosa - + Orange Oranž - + Purple Lilla - + White Valge - + Superscript Ülaindeks - + Subscript Alaindeks - + Paragraph Lõik - + Bold Rasvane - + Italics Kursiiv - + Underline Allajoonitud - + Break Murdmine @@ -2897,157 +2982,157 @@ Esmakäivituse nõustajast loobumiseks (ning OpenLP mittekäivitamiseks) klõpsa OpenLP.GeneralTab - + General Üldine - + Monitors Monitorid - + Select monitor for output display: Peamise kuva ekraan: - + Display if a single screen Kuvatakse ka, kui on ainult üks ekraan - + Application Startup Rakenduse käivitumine - + Show blank screen warning Kuvatakse tühjendatud ekraani hoiatust - + Automatically open the last service Automaatselt avatakse viimane teenistus - + Show the splash screen Käivitumisel kuvatakse logo - + Application Settings Rakenduse sätted - + Prompt to save before starting a new service Uue teenistuse alustamisel pakutakse eelmise salvestamist - + Automatically preview next item in service Teenistuse järgmise elemendi automaatne eelvaatlus - + sec s - + CCLI Details CCLI andmed - + SongSelect username: SongSelecti kasutajanimi: - + SongSelect password: SongSelecti parool: - + X X - + Y Y - + Height Kõrgus - + Width Laius - + Check for updates to OpenLP OpenLP uuenduste kontrollimine - + Unblank display when adding new live item Ekraanile saatmisel võetakse ekraani tühjendamine maha - + Timed slide interval: Ajastatud slaidi kestus: - + Background Audio Taustamuusika - + Start background audio paused Taustamuusika on alguses pausitud - + Service Item Slide Limits Teenistuse elemendi slaidi mõõtmed - + Override display position: Kuva asukoha käsitsi muutmine: - + Repeat track list Lugude loendi kordamine - + Behavior of next/previous on the last/first slide: Järgmise/eelmise käitumine viimasel/esimesel slaidil: - + &Remain on Slide &Jäädakse slaidile - + &Wrap around &Teenistuse elementi korratakse - + &Move to next/previous service item &Liigutakse järgmisele teenistuse elemendile @@ -3055,12 +3140,12 @@ Esmakäivituse nõustajast loobumiseks (ning OpenLP mittekäivitamiseks) klõpsa OpenLP.LanguageManager - + Language Keel - + Please restart OpenLP to use your new language setting. Uue keele kasutamiseks käivita OpenLP uuesti. @@ -3076,287 +3161,287 @@ Esmakäivituse nõustajast loobumiseks (ning OpenLP mittekäivitamiseks) klõpsa 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 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. - + 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/. @@ -3365,108 +3450,108 @@ You can download the latest version from http://openlp.org/. Sa võid viimase versiooni alla laadida aadressilt http://openlp.org/. - + 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 - + English Please add the name of your language here 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 Uuenda kujunduste pildid - + Update the preview images for all themes. Kõigi teemade eelvaatepiltide uuendamine. - + Print the current service. Praeguse teenistuse printimine. - + &Recent Files &Hiljutised failid - + 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. @@ -3475,43 +3560,43 @@ 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. - + Clear List Clear List of recent files Tühjenda loend - + Clear the list of recent files. 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 - + 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. @@ -3524,45 +3609,50 @@ 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 - + 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) + + + New Data Directory Error + + 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 @@ -3571,7 +3661,7 @@ Database: %s Andmebaas: %s - + OpenLP cannot load your database. Database: %s @@ -3583,74 +3673,74 @@ Andmebaas: %s OpenLP.MediaManagerItem - + No Items Selected Ühtegi elementi pole valitud - + &Add to selected Service Item &Lisa valitud teenistuse elemendile - + You must select one or more items to preview. Sa pead valima vähemalt ühe kirje, mida eelvaadelda. - + You must select one or more items to send live. Sa pead valima vähemalt ühe kirje, mida tahad ekraanil näidata. - + You must select one or more items. Pead valima vähemalt ühe elemendi. - + You must select an existing service item to add to. Pead valima olemasoleva teenistuse, millele lisada. - + Invalid Service Item Vigane teenistuse element - + You must select a %s service item. Pead valima teenistuse elemendi %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 - + Invalid File Type Sobimatut liiki fail - + Invalid File %s. Suffix not supported Sobimatu fail %s. Selle lõpuga fail ei ole toetatud - + &Clone &Klooni - + Duplicate files were found on import and were ignored. Importimisel tuvastati duplikaatfailid ning neid eirati. @@ -3658,12 +3748,12 @@ Selle lõpuga fail ei ole toetatud OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. Puudub <lyrics> silt. - + <verse> tag is missing. Puudub <verse> silt. @@ -3805,12 +3895,12 @@ Selle lõpuga fail ei ole toetatud OpenLP.ScreenList - + Screen Ekraan - + primary peamine @@ -3818,12 +3908,12 @@ Selle lõpuga fail ei ole toetatud OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Algus</strong>: %s - + <strong>Length</strong>: %s <strong>Kestus</strong>: %s @@ -3839,277 +3929,282 @@ Selle lõpuga fail ei ole toetatud OpenLP.ServiceManager - + Move to &top Tõsta ü&lemiseks - + Move item to the top of the service. Teenistuse algusesse tõstmine. - + Move &up Liiguta &üles - + Move item up one position in the service. Elemendi liigutamine teenistuses ühe koha võrra ettepoole. - + Move &down Liiguta &alla - + Move item down one position in the service. Elemendi liigutamine teenistuses ühe koha võrra tahapoole. - + Move to &bottom Tõsta &alumiseks - + Move item to the end of the service. Teenistuse lõppu tõstmine. - + &Delete From Service &Kustuta teenistusest - + Delete the selected item from the service. Valitud elemendi kustutamine teenistusest. - + &Add New Item &Lisa uus element - + &Add to Selected Item &Lisa valitud elemendile - + &Edit Item &Muuda kirjet - + &Reorder Item &Muuda elemendi kohta järjekorras - + &Notes &Märkmed - + &Change Item Theme &Muuda elemendi kujundust - + OpenLP Service Files (*.osz) OpenLP teenistuse failid (*.osz) - + 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, kuna vajalik plugin on puudu või pole aktiivne - + &Expand all &Laienda kõik - + Expand all the service items. Kõigi teenistuse kirjete laiendamine. - + &Collapse all &Ahenda kõik - + Collapse all the service items. Kõigi teenistuse kirjete ahendamine. - + Open File Faili avamine - + Moves the selection down the window. Valiku tõstmine aknas allapoole. - + Move up Liiguta üles - + Moves the selection up the window. Valiku tõstmine aknas ülespoole. - + Go Live Ekraanile - + Send the selected item to Live. Valitud kirje saatmine ekraanile. - + &Start Time &Alguse aeg - + Show &Preview Näita &eelvaadet - - Show &Live - Näita &ekraanil - - - + Modified Service Teenistust on muudetud - + The current service has been modified. Would you like to save this service? Praegust teenistust on muudetud. Kas tahad selle teenistuse salvestada? - + Custom Service Notes: Kohandatud teenistuse märkmed: - + Notes: Märkmed: - + Playing time: Kestus: - + Untitled Service Pealkirjata teenistus - + 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 - + Load an existing service. Olemasoleva teenistuse laadimine. - + Save this service. Selle teenistuse salvestamine. - + Select a theme for the service. 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. - + Service File Missing Teenistuse fail puudub - + Slide theme Slaidi kujundus - + Notes Märkmed - + Edit Muuda - + Service copy only Ainult teenistuse koopia + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4140,12 +4235,12 @@ Sisu ei ole UTF-8 kodeeringus. Kiirklahv - + Duplicate Shortcut Dubleeriv kiirklahv - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Kiirklahv "%s" on juba seotud teise tegevusega, kasuta mingit muud kiirklahvi. @@ -4180,12 +4275,12 @@ Sisu ei ole UTF-8 kodeeringus. Selle tegevuse vaikimisi kiirklahvi taastamine. - + Restore Default Shortcuts Vaikimisi kiirklahvide taastamine - + Do you want to restore all shortcuts to their defaults? Kas tahad taastada kõigi kiirklahvide vaikimisi väärtused? @@ -4198,172 +4293,172 @@ Sisu ei ole UTF-8 kodeeringus. OpenLP.SlideController - + Hide Peida - + Go To Mine - + Blank Screen Ekraani tühjendamine - + Blank to Theme Kujunduse tausta näitamine - + Show Desktop Töölaua näitamine - + Previous Service Eelmine teenistus - + Next Service Järgmine teenistus - + Escape Item Kuva sulgemine - + Move to previous. Eelmisele liikumine. - + Move to next. Järgmisele liikumine. - + Play Slides Slaidide esitamine - + 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. Meedia esitamise pausimine. - + Stop playing media. Meedia esitamise peatamine. - + Video position. Video asukoht. - + Audio Volume. Helivaljus. - + Go to "Verse" Mine salmile - + Go to "Chorus" Mine refräänile - + Go to "Bridge" Mine vahemängule - + Go to "Pre-Chorus" Mine eelrefräänile - + Go to "Intro" Mine sissejuhatusele - + Go to "Ending" Mine lõpetusele - + Go to "Other" Mine muule osale - + Previous Slide Eelmine slaid - + Next Slide Järgmine slaid - + Pause Audio Audio pausimine - + Background Audio Taustamuusika - + Go to next audio track. Järgmisele muusikapalale liikumine. - + Tracks Palad @@ -4457,32 +4552,32 @@ Sisu ei ole UTF-8 kodeeringus. OpenLP.ThemeForm - + Select Image Pildi valimine - + Theme Name Missing Kujundusel puudub nimi - + There is no name for this theme. Please enter one. Kujundusel ei ole nime. Palun sisesta nimi. - + Theme Name Invalid Sobimatu kujunduse nimi - + Invalid theme name. Please enter one. Kujunduse nimi pole sobiv. Palun sisesta sobiv nimi. - + (approximately %d lines per slide) (umbes %d rida slaidil) @@ -4490,193 +4585,193 @@ Sisu ei ole UTF-8 kodeeringus. OpenLP.ThemeManager - + Create a new theme. Uue kujunduse loomine. - + Edit Theme Kujunduse muutmine - + Edit a theme. Kujunduse muutmine. - + Delete Theme Kujunduse kustutamine - + Delete a theme. Kujunduse kustutamine. - + Import Theme Kujunduse importimine - + Import a theme. Kujunduse importimine. - + Export Theme Kujunduse eksportimine - + Export a theme. Kujunduse eksportimine. - + &Edit Theme Kujunduse &muutmine - + &Delete Theme Kujunduse &kustutamine - + Set As &Global Default 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 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. See fail ei ole sobilik kujundus. - + &Copy Theme &Kopeeri kujundust - + &Rename Theme &Nimeta kujundus ümber - + &Export Theme &Ekspordi kujundus - + You must select a theme to rename. Pead valima kujunduse, mida ümber nimetada. - + Rename Confirmation Ümbernimetamise kinnitus - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> %s (koopia) - + Theme Already Exists Kujundus on juba olemas @@ -4904,7 +4999,7 @@ Sisu ei ole UTF-8 kodeeringus. Kujunduse nimi: - + Edit Theme - %s Teema muutmine - %s @@ -4957,47 +5052,47 @@ Sisu ei ole UTF-8 kodeeringus. OpenLP.ThemesTab - + Global Theme Üldine kujundus - + Theme Level Kujunduse tase - + S&ong Level &Laulu tase - + 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. Laul kuvatakse sellele andmebaasis määratud kujundusega. Kui laulul kujundus puudub, kasutatakse teenistuse kujundust. Kui teenistusel kujundus puudub, siis kasutatakse üleüldist kujundust. - + &Service Level &Teenistuse tase - + 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. Kasutatakse teenistuse kujundust, eirates laulude kujundusi. Kui teenistusel kujundust pole, kasutatakse globaalset. - + &Global Level &Üleüldine tase - + Use the global theme, overriding any themes associated with either the service or the songs. Kasutatakse globaalset kujundust, eirates nii teenistuse kui laulu kujundust. - + Themes Kujundused @@ -5081,245 +5176,245 @@ Sisu ei ole UTF-8 kodeeringus. pt - + Image Pilt - + Import Impordi - + Live Ekraan - + Live Background Error Ekraani tausta viga - + Load Laadi - + Middle Keskel - + New Uus - + New Service Uus teenistus - + New Theme Uus kujundus - + No File Selected Singular Ühtegi faili pole valitud - + No Files Selected Plural Ühtegi faili pole valitud - + No Item Selected Singular Ühtegi elementi pole valitud - + No Items Selected Plural Ühtegi elementi pole valitud - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Eelvaade - + Replace Background Tausta asendamine - + Reset Background Tausta lähtestamine - + s The abbreviated unit for seconds s - + Save && Preview Salvesta && eelvaatle - + Search Otsi - + You must select an item to delete. Pead valima elemendi, mida tahad kustutada. - + You must select an item to edit. Pead valima elemendi, mida tahad muuta. - + Save Service Teenistuse salvestamine - + Service Teenistus - + Start %s Algus %s - + Theme Singular Kujundus - + Themes Plural Kujundused - + Top Üleval - + Version Versioon - + Delete the selected item. Valitud kirje kustutamine. - + Move selection up one position. Valiku liigutamine ühe koha võrra ülespoole. - + Move selection down one position. Valiku liigutamine ühe koha võrra allapoole. - + &Vertical Align: &Vertikaaljoondus: - + Finished import. Importimine lõpetatud. - + Format: Vorming: - + Importing Importimine - + Importing "%s"... "%s" importimine... - + Select Import Source Importimise allika valimine - + Select the import format and the location to import from. Vali importimise vorming ja asukoht, kust importida. - + 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 importija on ühe puuduva Pythoni mooduli pärast keelatud. Kui sa tahad seda importijat kasutada, pead paigaldama mooduli "python-sqlite". - + Open %s File %s faili avamine - + %p% %p% - + Ready. Valmis. - + Starting import... Importimise alustamine... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Pead määrama vähemalt ühe %s faili, millest importida. - + Welcome to the Bible Import Wizard Tere tulemast Piibli importimise nõustajasse @@ -5329,7 +5424,7 @@ Sisu ei ole UTF-8 kodeeringus. Tere tulemast laulude eksportimise nõustajasse - + Welcome to the Song Import Wizard Tere tulemast laulude importimise nõustajasse @@ -5417,53 +5512,53 @@ Sisu ei ole UTF-8 kodeeringus. t - + Layout style: Paigutuse laad: - + Live Toolbar Ekraani tööriistariba - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP juba töötab. Kas tahad jätkata? - + Settings Sätted - + Tools Tööriistad - + Unsupported File Fail ei ole toetatud - + Verse Per Slide Iga salm eraldi slaidil - + Verse Per Line Iga salm eraldi real - + View Vaade @@ -5478,37 +5573,37 @@ Sisu ei ole UTF-8 kodeeringus. XML süntaksi viga - + View Mode Vaate režiim - + Open service. Teenistuse avamine. - + Print Service Teenistuse printimine - + Replace live background. Ekraanil tausta asendamine. - + Reset live background. Ekraanil esialgse tausta taastamine. - + 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. - + Welcome to the Bible Upgrade Wizard Tere tulemast Piibli uuendamise nõustajasse @@ -5518,64 +5613,105 @@ Sisu ei ole UTF-8 kodeeringus. 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 - + Next Track Järgmine lugu - + Search Themes... Search bar place holder text Teemade otsing... - + Optional &Split + Valikuline &slaidivahetus + + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 ja %2 - + %1, and %2 Locale list separator: end %1, ja %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5584,50 +5720,50 @@ Sisu ei ole UTF-8 kodeeringus. 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>Esitluse plugin</strong><br />Esitluse plugin võimaldab näidata esitlusi erinevate programmidega. Saadaolevate esitlusprogrammide valik on saadaval valikukastis. - + Presentation name singular Esitlus - + Presentations name plural Esitlused - + Presentations container title Esitlused - + 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. @@ -5635,70 +5771,70 @@ Sisu ei ole UTF-8 kodeeringus. PresentationPlugin.MediaItem - + Select Presentation(s) Esitluste valimine - + Automatic Automaatne - + Present using: Esitluseks kasutatakse: - + File Exists Fail on olemas - + A presentation with that filename already exists. Sellise nimega esitluse fail on juba olemas. - + This type of presentation is not supported. Seda liiki esitlus ei ole toetatud. - + Presentations (%s) Esitlused (%s) - + Missing Presentation Puuduv esitlus - - The Presentation %s no longer exists. - Esitlust %s enam ei ole. + + The presentation %s is incomplete, please reload. + - - The Presentation %s is incomplete, please reload. - Esitlus %s ei ole täielik, palun laadi see uuesti. + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers Saadaolevad juhtijad - + %s (unavailable) %s (pole saadaval) - + Allow presentation application to be overridden Esitluste rakendust saab käsitsi muuta @@ -5732,150 +5868,150 @@ Sisu ei ole UTF-8 kodeeringus. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 kaugpult - + OpenLP 2.0 Stage View OpenLP 2.0 ekraanivaade - + Service Manager Teenistuse haldur - + Slide Controller Slaidikontroller - + Alerts Teated - + Search Otsi - + Refresh Värskenda - + Blank Tühi - + Show Näita - + Prev Eelm - + Next Järgm - + Text Tekst - + Show Alert Kuva teade - + Go Live Ekraanile - + No Results Tulemusi pole - + Options Valikud - + Add to Service Lisa teenistusele - + Home - - - - - Theme - Kujundus + Kodu - Desktop - + Theme + Kujundus - + + Desktop + Töölaud + + + Add &amp; Go to Service - + Lisa ja liigu teenistusse RemotePlugin.RemoteTab - + Serve on IP address: Serveeritakse ainult IP-aadressilt: - + Port number: Pordi number: - + Server Settings Serveri sätted - + Remote URL: Kaugjuhtimise URL: - + Stage view URL: Lavavaate URL: - + Display stage time in 12h format Laval kuvatakse aega 12-tunni vormingus - + Android App Androidi rakendus - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Skanni QR kood või klõpsa <a href="https://market.android.com/details?id=org.openlp.android">allalaadimise lingil</a>, et paigaldada Marketist Androidi rakendus. @@ -5883,85 +6019,85 @@ Sisu ei ole UTF-8 kodeeringus. SongUsagePlugin - + &Song Usage Tracking &Laulude kasutuse jälgimine - + &Delete Tracking Data &Kustuta kogutud andmed - + Delete song usage data up to a specified date. 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 @@ -6022,22 +6158,22 @@ Sisu ei ole UTF-8 kodeeringus. Raporti asukoht - + Output File Location Väljundfaili asukoht - + usage_detail_%s_%s.txt laulukasutuse_andmed_%s_%s.txt - + Report Creation Raporti koostamine - + Report %s has been successfully created. @@ -6046,12 +6182,12 @@ has been successfully created. on edukalt loodud. - + Output Path Not Selected Sihtkohta pole valitud - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Sa pole määranud sobivat sihtkohta laulukasutuse raporti jaoks. Palun vali mõni kataloog oma arvutist. @@ -6089,82 +6225,82 @@ on edukalt loodud. Laulude kordusindekseerimine... - + 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. @@ -6172,26 +6308,26 @@ 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. - + Song name singular Laul - + Songs name plural Laulud - + Songs container title Laulud @@ -6202,32 +6338,32 @@ Kodeering on vajalik märkide õige esitamise jaoks. 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. @@ -6255,17 +6391,17 @@ Kodeering on vajalik märkide õige esitamise jaoks. Perekonnanimi: - + You need to type in the first name of the author. Pead sisestama autori eesnime. - + You need to type in the last name of the author. Pead sisestama autori perekonnanime. - + You have not set a display name for the author, combine the first and last names? Sa ei ole sisestanud autori kuvamise nime, kas see tuleks kombineerida ees- ja perekonnanimest? @@ -6300,12 +6436,12 @@ Kodeering on vajalik märkide õige esitamise jaoks. Meta Data - + Metaandmed Custom Book Names - + Kohandatud raamatunimed @@ -6406,72 +6542,72 @@ 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. - + 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. - + 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. @@ -6501,7 +6637,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. Eemalda &kõik - + Open File(s) Failide avamine @@ -6511,7 +6647,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. <strong>Hoiatus</strong> Mitte kõik salmid pole kasutusel. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Salmide järjekord on vale. Ühtegi salmi nimega %s pole. Õiged nimed on %s. @@ -6625,135 +6761,140 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Dokumentide/esitluste valimine - + Song Import Wizard Laulude importimise nõustaja - + 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 importida paljudes erinevates vormingutes laule. Klõpsa all asuvat edasi nuppu, et jätkata importimise vormingu valimisega. - + Generic Document/Presentation Tavaline dokument/esitlus - - Filename: - Failinimi: - - - - 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. - OpenLyrics importija ei ole veel valmis, kuid nagu sa näed, on meil plaanis see luua. Loodetavasti saab see järgmiseks väljalaskeks valmis. - - - + Add Files... Lisa faile... - + Remove File(s) Faili(de) eemaldamine - + Please wait while your songs are imported. 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 laulufailid - + SongShow Plus Song Files SongShow Plus laulufailid - + Foilpresenter Song Files Foilpresenteri laulufailid - + Copy Kopeeri - + Save to File 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 - + CCLI SongSelect Files CCLI SongSelecti failid - + EasySlides XML File EasySlides XML fail - + EasyWorship Song Database EasyWorship laulude andmebaas + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6771,22 +6912,22 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.MediaItem - + Titles Pealkirjad - + Lyrics Laulusõnad - + CCLI License: CCLI litsents: - + Entire Song Kogu laulust @@ -6799,7 +6940,7 @@ Kodeering on vajalik märkide õige esitamise jaoks. - + Maintain the lists of authors, topics and books. Autorite, teemade ja laulikute loendi haldamine. @@ -6810,27 +6951,27 @@ Kodeering on vajalik märkide õige esitamise jaoks. koopia - + Search Titles... Pealkirjade otsing... - + Search Entire Song... Otsing kogu laulust... - + Search Lyrics... Laulusõnade otsing... - + Search Authors... Autorite otsing... - + Search Song Books... Laulikute otsimine... @@ -6859,6 +7000,19 @@ Kodeering on vajalik märkide õige esitamise jaoks. "%s" eksportimine... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6898,12 +7052,12 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongImport - + copyright autoriõigus - + The following songs could not be imported: Järgnevaid laule polnud võimalik importida: @@ -6923,118 +7077,110 @@ Kodeering on vajalik märkide õige esitamise jaoks. Faili ei leitud - - SongsPlugin.SongImportForm - - - Your song import failed. - Laulu importimine nurjus. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Autori lisamine pole võimalik. - + This author already exists. See autor on juba olemas. - + Could not add your topic. Sinu teema lisamine pole võimalik. - + This topic already exists. Teema on juba olemas. - + Could not add your book. Lauliku lisamine pole võimalik. - + This book already exists. See laulik on juba olemas. - + Could not save your changes. Muudatuste salvestamine pole võimalik. - + Could not save your modified author, because the author already exists. Sinu muudetud autorit pole võimalik salvestada, kuna autor on juba olemas. - + Could not save your modified topic, because it already exists. Sinu muudetud teemat pole võimalik salvestada, kuna selline on juba olemas. - + Delete Author Autori kustutamine - + Are you sure you want to delete the selected author? Kas oled kindel, et tahad kustutada valitud autori? - + This author cannot be deleted, they are currently assigned to at least one song. Seda autorit pole võimalik kustutada, kuna ta on märgitud vähemalt ühe laulu autoriks. - + Delete Topic Teema kustutamine - + Are you sure you want to delete the selected topic? Kas oled kindel, et tahad valitud teema kustutada? - + This topic cannot be deleted, it is currently assigned to at least one song. Seda teemat pole võimalik kustutada, kuna see on märgib vähemalt ühte laulu. - + Delete Book Lauliku kustutamine - + Are you sure you want to delete the selected book? Kas oled kindel, et tahad valitud lauliku kustutada? - + This book cannot be deleted, it is currently assigned to at least one song. Seda laulikut pole võimalik kustutada, kuna vähemalt üks laul kuulub sellesse laulikusse. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Autor %s on juba olemas. Kas sa tahad, et laulud autoriga %s liidetaks olemasolevale autorile %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Teema %s on juba olemas. Kas sa tahad, et laulud teemaga %s kasutaksid olemasolevat teemat %s? - + 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 laulud liidetaks olemasoleva laulikuga %s? @@ -7042,27 +7188,27 @@ Kodeering on vajalik märkide õige esitamise jaoks. SongsPlugin.SongsTab - + Songs Mode Laulurežiim - + Enable search as you type Otsing sisestamise ajal - + Display verses on live tool bar Salme kuvatakse ekraani tööriistaribal - + Update service from song edit Teenistuse uuendamine laulu muutmisel - + Import missing songs from service files Teenistuse failidest imporditakse puuduvad laulud @@ -7123,4 +7269,17 @@ Kodeering on vajalik märkide õige esitamise jaoks. Muu + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Viga CSV faili lugemisel. + + + + File not valid ZionWorx CSV format. + Fail ei ole korrektses ZionWorx CSV vormingus. + + diff --git a/resources/i18n/fi.ts b/resources/i18n/fi.ts index 1a1c8eb5b..f08b97782 100644 --- a/resources/i18n/fi.ts +++ b/resources/i18n/fi.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,510 +150,510 @@ Do you want to continue anyway? 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. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,38 +707,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error - + 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. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -754,127 +754,127 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -886,11 +886,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -921,11 +916,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1021,38 +1021,38 @@ It is not possible to customize the Book Names. 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. @@ -1060,167 +1060,167 @@ It is not possible to customize the Book Names. 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 - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1255,92 +1255,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1348,7 +1348,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1357,12 +1357,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>... @@ -1371,143 +1371,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1581,12 +1581,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1657,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1668,60 +1668,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1729,7 +1729,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1737,43 +1737,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1781,17 +1781,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1799,60 +1799,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 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. @@ -1900,7 +1900,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1918,22 +1918,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1941,7 +1941,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2076,192 +2076,274 @@ Portions copyright © 2004-2012 %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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2297,7 +2379,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2305,23 +2387,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2339,7 +2421,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2462,17 +2544,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2542,32 +2624,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2652,32 +2734,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2685,82 +2767,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2768,157 +2850,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2926,12 +3008,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2947,438 +3029,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 - + English Please add the name of your language here - + 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. @@ -3387,52 +3469,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3442,73 +3529,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3516,12 +3603,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3663,12 +3750,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3676,12 +3763,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3697,276 +3784,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -3997,12 +4089,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4037,12 +4129,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4055,172 +4147,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4314,32 +4406,32 @@ The content encoding is not UTF-8. 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) @@ -4347,193 +4439,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4761,7 +4853,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4814,47 +4906,47 @@ The content encoding is not UTF-8. 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 @@ -4938,245 +5030,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5186,7 +5278,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5274,53 +5366,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5335,37 +5427,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5375,64 +5467,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5441,50 +5574,50 @@ The content encoding is not UTF-8. 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. @@ -5492,70 +5625,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5589,107 +5722,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5697,42 +5830,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5740,85 +5873,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 @@ -5879,34 +6012,34 @@ The content encoding is not UTF-8. - + 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. @@ -5944,107 +6077,107 @@ has been successfully created. - + 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 @@ -6055,32 +6188,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6108,17 +6241,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6257,72 +6390,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6352,7 +6485,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6362,7 +6495,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6476,135 +6609,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6622,22 +6760,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6650,7 +6788,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6661,27 +6799,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6710,6 +6848,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6749,12 +6900,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6774,118 +6925,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6893,27 +7036,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6974,4 +7117,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/fr.ts b/resources/i18n/fr.ts index dae874ca5..9b1c5bb41 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 permet d'envoyer des messages d'alertes de la pouponnière sur l'écran du direct. @@ -119,32 +119,32 @@ Voulez-vous tout de même continuer ? 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,513 +152,513 @@ Voulez-vous tout de même continuer ? BiblesPlugin - + &Bible &Bible - + Bible name singular Bible - + Bibles name plural Bibles - + Bibles container title Bibles - + No Book Found Aucun livre trouvé - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Aucun livre correspondant n'a été trouvé dans cette Bible. Vérifiez que vous avez correctement écrit le nom du livre. - + Import a Bible. Importe une Bible. - + Add a new Bible. Ajoute une nouvelle Bible. - + Edit the selected Bible. Édite la bible sélectionnée. - + Delete the selected Bible. Supprime la Bible sélectionnée. - + Preview the selected Bible. Prévisualise la Bible sélectionnée. - + Send the selected Bible live. Envoie la Bible sélectionnée au direct. - + 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 - + Upgrade the Bible databases to the latest format. Mettre à jour les bases de données de Bible au nouveau format. - + Genesis - + Genèse + + + + Exodus + Exode - Exodus - + Leviticus + Lévitique - Leviticus - + Numbers + Nombres - Numbers - + Deuteronomy + Deutéronome - Deuteronomy - + Joshua + Josué - Joshua - + Judges + Juges - Judges - + Ruth + Ruth - Ruth - + 1 Samuel + 1 Samuel - 1 Samuel - + 2 Samuel + 2 Samuel - 2 Samuel - + 1 Kings + 1 Rois - 1 Kings - + 2 Kings + 2 Rois - 2 Kings - + 1 Chronicles + 1 Chroniques - 1 Chronicles - + 2 Chronicles + 2 Chroniques - 2 Chronicles - + Ezra + Esdras - Ezra - + Nehemiah + Néhémie - Nehemiah - + Esther + Esther - Esther - + Job + Job - Job - + Psalms + Psaumes - Psalms - + Proverbs + Proverbes - Proverbs - + Ecclesiastes + Ecclésiaste - Ecclesiastes - + Song of Solomon + Cantique - Song of Solomon - + Isaiah + Esaïe - Isaiah - + Jeremiah + Jérémie - Jeremiah - + Lamentations + Lamentations - Lamentations - + Ezekiel + Ezéchiel - Ezekiel - + Daniel + Daniel - Daniel - + Hosea + Osée - Hosea - + Joel + Joël - Joel - + Amos + Amos - Amos - + Obadiah + Abdias - Obadiah - + Jonah + Jonas - Jonah - + Micah + Michée - Micah - + Nahum + Nahum - Nahum - + Habakkuk + Habacuc - Habakkuk - + Zephaniah + Sophonie - Zephaniah - + Haggai + Aggée - Haggai - + Zechariah + Zacharie - Zechariah - + Malachi + Malachie - Malachi - + Matthew + Matthieu - Matthew - + Mark + Marc - Mark - + Luke + Luc - Luke - + John + Jean - John - + Acts + Actes - Acts - + Romans + Romains - Romans - + 1 Corinthians + 1 Corinthiens - 1 Corinthians - + 2 Corinthians + 2 Corinthiens - 2 Corinthians - + Galatians + Galates - Galatians - + Ephesians + Ephésiens - Ephesians - + Philippians + Philippiens - Philippians - + Colossians + Colossiens - Colossians - + 1 Thessalonians + 1 Thessaloniciens - 1 Thessalonians - + 2 Thessalonians + 2 Thessaloniciens - 2 Thessalonians - + 1 Timothy + 1 Timothée - 1 Timothy - + 2 Timothy + 2 Timothée - 2 Timothy - + Titus + Tite - Titus - + Philemon + Philémon - Philemon - + Hebrews + Hébreux - Hebrews - + James + Jacques - James - + 1 Peter + 1 Pierre - 1 Peter - + 2 Peter + 2 Pierre - 2 Peter - + 1 John + 1 Jean - 1 John - + 2 John + 2 Jean - 2 John - + 3 John + 3 Jean - 3 John - + Jude + Jude - Jude - + Revelation + Apocalypse - Revelation - - - - Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. - + :|v|V|verset|versets;;-|à;;,|et;;fin @@ -666,27 +666,27 @@ Voulez-vous tout de même continuer ? You need to specify a version name for your Bible. - Veuillez spécifier un nom de version pour votre Bible. + Vous devez spécifier le nom de la version de votre Bible. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Vous devez introduire un copyright pour votre Bible. Les Bibles dans le domaine publics doivent être marquée comme trouvé. + Vous devez définir un copyright pour votre Bible. Les Bibles dans le Domaine Publique doivent être indiquées comme telle. Bible Exists - La Bible existe + Bible existante This Bible already exists. Please import a different Bible or first delete the existing one. - Cette bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. + Cette Bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. You need to specify a book name for "%s". - + Vous devez spécifier un nom de livre pour "%s". @@ -698,50 +698,50 @@ be followed by one or more non-numeric characters. Duplicate Book Name - + Dupliquer le nom du livre The Book Name "%s" has been entered more than once. - + Le nom du livre "%s" a été entré plus d'une fois. BiblesPlugin.BibleManager - + Scripture Reference Error Écriture de référence erronée - + Web Bible cannot be used Les Bible Web ne peut être utilisée - + Text Search is not available with Web Bibles. La recherche textuelle n'est pas disponible avec les 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. Vous n'avez pas spécifié de mot clé de recherche. Vous pouvez séparer vos mots clés par un espace afin de tous les rechercher ou les séparer par une virgule afin de rechercher l'un d'entre eux. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Il n'y a pas de Bibles actuellement installée. Veuillez utiliser l'assistant d'importation pour installer une ou plusieurs Bibles. - + No Bibles Available Aucune Bible disponible - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -751,136 +751,151 @@ Book Chapter%(verse)sVerse%(range)sVerse%(list)sVerse%(range)sVerse Book Chapter%(verse)sVerse%(range)sVerse%(list)sChapter%(verse)sVerse%(range)sVerse Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse Please pay attention to the appended "s" of the wildcards and refrain from translating the words inside the names in the brackets. - + Votre référence biblique n'est pas supportée par OpenLP ou est invalide. Veuillez vous assurer que votre référence est conforme à l'un des motifs ci-dessous ou consultez le manuel d'utilisation :⏎ +⏎ +Livre Chapitre⏎ +Livre Chapitre%(range)sChapitre⏎ +Livre Chapitre%(verse)sVerset%(range)sVerset⏎ +Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sVerset%(range)sVerset⏎ +Livre Chapitre%(verse)sVerset%(range)sVerset%(list)sChapitre%(verse)sVerset%(range)sVerset⏎ +Livre Chapitre%(verse)sVerset%(range)sChapitre%(verse)sVerset BiblesPlugin.BiblesTab - + Verse Display Affichage de versets - + Only show new chapter numbers Affiche uniquement les nouveaux numéros de chapitre - + Bible theme: Thème : - + No Brackets Pas de parenthèses - + ( And ) ( et ) - + { And } { et } - + [ And ] [ et ] - + Note: Changes do not affect verses already in the service. Remarque : Les modifications ne s'appliquent pas aux versets déjà dans le service. - + Display second Bible verses Affiche les versets de la seconde Bible - + Custom Scripture References - + Références bibliques personnalisées - + Verse Separator: - + Séparateur de verset : - + Range Separator: - + Séparateur d'intervalle : - + List Separator: - + Séparateur de liste : - + End Mark: - + Marque de fin : - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Plusieurs séparateurs de versets peuvent être définis.⏎ +Ils doivent être séparés par la barre verticale "|".⏎ +Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Plusieurs séparateurs d'intervalles peuvent être définis.⏎ +Ils doivent être séparés par la barre verticale "|".⏎ +Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Plusieurs séparateurs de listes peuvent être définis.⏎ +Ils doivent être séparés par la barre verticale "|".⏎ +Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Plusieurs séparateurs de marque de fin peuvent être définis.⏎ +Ils doivent être séparés par la barre verticale "|".⏎ +Veuillez supprimer cette ligne pour utiliser la valeur par défaut. - + English - Français + Anglais - + Default Bible Language - + Langue par défaut de la bible - + Book name language in search field, search results and on display: - + Bible Language - + Langue de la bible - + Application Language - + Langue de l'application @@ -890,11 +905,6 @@ search results and on display: Select Book Name Sélectionne le nom du livre - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Le nom du livre suivant n'a pas de correspondance interne. Veuillez sélectionner le nom anglais correspondant dans la liste. - Current name: @@ -925,11 +935,16 @@ search results and on display: Apocrypha Apocryphes + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Vous devez sélectionner un livre. @@ -958,32 +973,32 @@ search results and on display: Bible Editor - + Éditeur de bible License Details - Détails de la licence + Détails de la licence Version name: - Nom de la version : + Nom de la version : Copyright: - Copyright : + Droits d'auteur : Permissions: - Autorisations : + Autorisations : Default Bible Language - + Langue de la bible par défaut @@ -993,22 +1008,22 @@ search results and on display: Global Settings - + Paramètres généraux Bible Language - + Langue de la bible Application Language - + Langue de l'application English - Français + Anglais @@ -1025,38 +1040,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Enregistrement de la Bible et chargement des livres... - + Registering Language... Enregistrement des langues... - + Importing %s... Importing <book name>... Importation %s... - + Download Error 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. Un problème de téléchargement de votre sélection de verset a été rencontré. Vérifiez votre connexion Internet et si cette erreur persiste merci de signaler ce dysfonctionnement. - + Parse Error Erreur syntaxique - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Un problème a été rencontré durant l'extraction de votre sélection de verset. Si cette erreur persiste merci de signaler ce dysfonctionnement. @@ -1064,167 +1079,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Assistant d'import de Bible - + 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. Cet assistant vous permet d'importer des bibles de différents formats. Cliquez sur le bouton suivant si dessous pour démarrer le processus en sélectionnant le format à importer. - + Web Download Téléchargement Web - + Location: Emplacement : - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bible : - + Download Options Options de téléchargement - + Server: Serveur : - + Username: Nom d'utilisateur : - + Password: Mot de passe : - + Proxy Server (Optional) Serveur Proxy (Facultatif) - + License Details Détails de la licence - + Set up the Bible's license details. Mise en place des details de la licence de la Bible. - + Version name: Nom de la version : - + Copyright: Copyright : - + Please wait while your Bible is imported. Merci de patienter durant l'importation de la Bible. - + You need to specify a file with books of the Bible to use in the import. Veuillez sélectionner un fichier contenant les livres de la Bible à utiliser dans l'import. - + You need to specify a file of Bible verses to import. Veuillez sélectionner un fichier de versets bibliques à importer. - + You need to specify a version name for your Bible. Veuillez spécifier un nom de version pour votre Bible. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Vous devez introduire un copyright pour votre Bible. Les Bibles dans le domaine publics doivent être marquée comme trouvé. - + Bible Exists La Bible existe - + This Bible already exists. Please import a different Bible or first delete the existing one. Cette bible existe déjà. Veuillez importer une autre Bible ou supprimer la Bible existante. - + Your Bible import failed. L'import de votre Bible à échoué. - + CSV File Fichier CSV - + Bibleserver Bibleserver - + Permissions: Autorisations : - + Bible file: Fichier Bible : - + Books file: Fichier de livres : - + Verses file: Fichier de versets : - + openlp.org 1.x Bible Files Fichiers Bible openlp.org 1.x - + Registering Bible... Enregistrement de la Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bible enregistrée. Veuillez noter que les versets seront téléchargés @@ -1260,100 +1275,100 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Rapide - + Find: Recherche : - + Book: Livre : - + Chapter: Chapitre : - + Verse: Verset : - + From: De : - + To: A : - + Text Search Recherche de texte - + Second: Deuxième : - + Scripture Reference Référence biblique - + Toggle to keep or clear the previous results. Cocher pour garder ou effacer le résultat précédent. - + 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 les résultats de recherche pour les versets bibliques simples et doubles. Voulez-vous effacer les résultats et effectuer une nouvelle recherche ? - + Bible not fully loaded. Bible partiellement chargée. - + Information 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. La seconde Bible ne contient pas tous les versets présents dans la Bible principale. Seulement les versets trouvés dans les deux Bibles seront affichés. %d versets n'ont pas été inclus dans les résultats. - + Search Scripture Reference... - + Recherche de référence biblique... - + Search Text... - + Recherche dans le texte... - + Are you sure you want to delete "%s"? - + Etes-vous sur de vouloir supprimer "%s" ? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importation %s %s... @@ -1362,12 +1377,12 @@ demand and thus an internet connection is required. 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>... Importation %s %s... @@ -1376,149 +1391,149 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Sélectionner un répertoire de sauvegarde - + Bible Upgrade Wizard Assistant de mise a jours des Bibles - + 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. Cet assistant vous permet de mettre à jour vos Bibles de version antérieures à OpenLP 2. Cliquer sur le bouton suivant ci-dessous afin de commencer le processus de mise a jour. - + Select Backup Directory Sélectionner un répertoire de sauvegarde - + Please select a backup directory for your Bibles Veuillez sélectionner un répertoire de sauvegarde pour vos 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>. Les versions précédentes d'OpenLP 2.0 ne sont pas capables d'utiliser les Bibles mises à jour. Une sauvegarde de vos Bibles va être effectuée de sorte que vous puissiez simplement copier ces fichiers vers votre répertoire de données d'OpenLP si vous avez besoin de revenir à une version précédente de OpenLP. La procédure de restauration des fichiers est disponible dans notre <a href="http://wiki.openlp.org/faq">Foire aux questions</ a>. - + Please select a backup location for your Bibles. Veuillez sélectionner un répertoire de sauvegarde pour vos Bibles. - + Backup Directory: Répertoire de sauvegarde : - + There is no need to backup my Bibles Il n'est pas nécessaire de sauvegarder mes Bibles - + Select Bibles Sélectionne des Bibles - + Please select the Bibles to upgrade Veuillez sélectionner les Bibles à mettre à jour - + Upgrading Mise à jour - + Please wait while your Bibles are upgraded. Merci de patienter durant la mise à jour de vos Bibles. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. La sauvegarde à échouée. Pour sauvegarder vos Bibles vous devez disposer des droits en écriture sur le répertoire donné. - + Upgrading Bible %s of %s: "%s" Failed Mise à jour de la Bible %s sur %s : "%s" Échouée - + Upgrading Bible %s of %s: "%s" Upgrading ... Mise a jour de la Bible %s sur %s : "%s" Mise à jour ... - + Download Error Erreur de téléchargement - + To upgrade your Web Bibles an Internet connection is required. Pour mettre à jour vos Bibles Web, une connexion à Internet est nécessaire. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Mise a jour de la Bible %s sur %s : "%s" Mise à jour %s ... - + Upgrading Bible %s of %s: "%s" Complete Mise a jour de la Bible %s sur %s : "%s" Terminée - + , %s failed , %s échouée - + 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. Mise a jour de(s) (la) Bible(s) : %s avec succès%s Veuillez noter que les versets des Bibles Web seront téléchargés à la demande, par conséquent une connexion Internet sera nécessaire. - + Upgrading Bible(s): %s successful%s Mise à jour de(s) (la) Bible(s) : %s avec succès%s - + Upgrade failed. La mise à jour a échouée. - + You need to specify a backup directory for your Bibles. Vous devez spécifier un répertoire de sauvegarde pour vos Bibles. - + Starting upgrade... Démarrage de la mise à jour... - + There are no Bibles that need to be upgraded. Il n'y a pas de Bibles à mettre à jour. @@ -1592,12 +1607,12 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand CustomPlugin.CustomTab - + Custom Display Affichage Personnalisé - + Display footer Afficher le pied de page @@ -1668,71 +1683,71 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? - - - + + Etes-vous sur de vouloir supprimer la %n diapositive personnalisée ? + Etes-vous sur de vouloir supprimer les %n diapositives personnalisées ? 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>Module Image</strong><br />Le module Image permet l'affichage d'images.<br />L'une des particularités de ce module est la possibilité de regrouper plusieurs images en un seul élément dans le gestionnaire de services, ce qui facilite son affichage. Ce module permet également de faire défiler les images en boucle avec une pause entre chacune d'elles. Les images du module peuvent également être utilisées pour remplacer l'arrière-plan du thème en cours. - + Image name singular Image - + Images name plural Images - + Images container title Images - + Load a new image. Charge une nouvelle image. - + Add a new image. Ajoute une nouvelle image. - + Edit the selected image. Édite l'image sélectionnée. - + Delete the selected image. Supprime l'image sélectionnée. - + Preview the selected image. Prévisualise l'image sélectionnée. - + Send the selected image live. Envoie l'image sélectionnée au direct. - + Add the selected image to the service. Ajoute l'image sélectionnée au service. @@ -1740,7 +1755,7 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.ExceptionDialog - + Select Attachment Sélectionne un objet @@ -1748,44 +1763,44 @@ Veuillez noter que les versets des Bibles Web seront téléchargés à la demand ImagePlugin.MediaItem - + Select Image(s) Sélectionne une (des) Image(s) - + You must select an image to delete. Vous devez sélectionner une image à supprimer. - + You must select an image to replace the background with. Vous devez sélectionner une image pour remplacer le fond. - + Missing Image(s) Image(s) manquante - + The following image(s) no longer exist: %s L(es) image(s) suivante(s) n'existe(nt) plus : %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? L(es) image(s) suivante(s) n'existe(nt) plus : %s Voulez-vous ajouter les autres images malgré tout ? - + There was a problem replacing your background, the image file "%s" no longer exists. Impossible de remplacer votre fond, le fichier image "%s" n'existe plus. - + There was no display item to amend. Il n'y a aucun élément d'affichage à modifier. @@ -1793,78 +1808,78 @@ Voulez-vous ajouter les autres images malgré tout ? ImagesPlugin.ImageTab - + Background Color Couleur de fond - + Default Color: Couleur par défaut : - + Visible background for images with aspect ratio different to screen. - + Fond d'écran visible pour les images avec un ratio différent de celui de l'écran. 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 de lire des fichiers 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. Ajoute un nouveau média. - + Edit the selected media. Édite le média sélectionné. - + Delete the selected media. Supprime le média sélectionné. - + Preview the selected media. Prévisualise le média sélectionné. - + Send the selected media live. Envoie le média sélectionné au direct. - + Add the selected media to the service. Ajoute le média sélectionné au service. @@ -1912,7 +1927,7 @@ Voulez-vous ajouter les autres images malgré tout ? Il n'y a aucun élément d'affichage à modifier. - + Unsupported File Fichier non supporté @@ -1930,30 +1945,30 @@ Voulez-vous ajouter les autres images malgré tout ? MediaPlugin.MediaTab - + Available Media Players Lecteurs de Média disponibles - + %s (unavailable) %s (non disponible) - + Player Order Ordre des lecteurs - + Allow media player to be overridden - + Autoriser le lecteur de média à être surcharger OpenLP - + Image Files Fichiers image @@ -2150,196 +2165,279 @@ OpenLP est écrit et maintenu par des bénévoles. Si vous souhaitez voir plus d Copyright © 2004-2012 %s Portions copyright © 2004-2012 %s - + Copyright © 2004-2012 %s⏎ +Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Propriétés de l'interface utilisateur - + Number of recent files to display: Nombre de fichiers récents à afficher : - + Remember active media manager tab on startup Se souvenir de l'onglet actif du gestionnaire de média au démarrage - + Double-click to send items straight to live Double-cliquer pour envoyer les éléments directement au live - + Expand new service items on creation Étends les nouveaux éléments du service à la création - + Enable application exit confirmation Demande une confirmation avant de quitter l'application - + Mouse Cursor Curseur de la souris - + Hide mouse cursor when over display window Cache le curseur de la souris quand elle se trouve sur l'écran live - + Default Image Image par défaut - + Background color: Couleur de fond : - + Image file: Fichier image : - + Open File Ouvre un fichier - + Advanced Avancé - + Preview items when clicked in Media Manager Prévisualise l’élément cliqué du gestionnaire de média - + Click to select a color. Clique pour sélectionner une couleur. - + Browse for an image file to display. Parcoure pour trouver une image à afficher. - + Revert to the default OpenLP logo. Retour au logo OpenLP par défaut. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Service %Y-%m-%d %H-%M - + Default Service Name - + Nom de service par défaut - + Enable default service name - + Activer le nom de service par défaut - + Date and Time: - + Date et Heure : - + Monday - + Lundi - + Tuesday - + Mardi - + Wednesday - + Mercredi - + Thurdsday - + Jeudi - + Friday - + Vendredi - + Saturday - + Samedi - + Sunday - + Dimanche - + Now - + Maintenant - + Time when usual service starts. - + Heure de début du service habituelle. - + Name: - + Nom : - + Consult the OpenLP manual for usage. - + Veuillez consulter le manuel d'OpenLP. - + Revert to the default service name "%s". - + Restaurer le nom du service par défaut "%s". - + Example: - + Exemple : - + X11 - + X11 - + Bypass X11 Window Manager + Contourner le gestionnaire de fenêtres X11 + + + + Syntax error. + Erreur de syntaxe. + + + + Data Location - - Syntax error. + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Annuler + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data @@ -2378,7 +2476,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Attacher un fichier - + Description characters to enter : %s Description : %s @@ -2386,24 +2484,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s Plateforme : %s - + Save Crash Report Enregistre le rapport d'erreur - + Text files (*.txt *.log *.text) Fichiers texte (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2434,7 +2532,7 @@ Version : %s - + *OpenLP Bug Report* Version: %s @@ -2570,17 +2668,17 @@ Version : %s Paramètres par défaut - + Downloading %s... Téléchargement %s... - + Download complete. Click the finish button to start OpenLP. Téléchargement terminé. Cliquez sur le bouton terminer pour démarrer OpenLP. - + Enabling selected plugins... Active les modules sélectionnés... @@ -2650,32 +2748,32 @@ Version : %s Cet assistant vous permet de configurer OpenLP pour sa première utilisation. Cliquez sur le bouton suivant pour démarrer. - + Setting Up And Downloading Paramétrage et téléchargement - + Please wait while OpenLP is set up and your data is downloaded. Merci de patienter durant le paramétrage d'OpenLP et le téléchargement de vos données. - + Setting Up Paramétrage - + Click the finish button to start OpenLP. Cliquez sur le bouton terminer pour démarrer OpenLP. - + Download complete. Click the finish button to return to OpenLP. Téléchargement terminé. Cliquez sur le bouton terminer pour revenir à OpenLP. - + Click the finish button to return to OpenLP. Cliquez sur le bouton terminer pour revenir à OpenLP. @@ -2760,32 +2858,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Erreur de mise à jour - + Tag "n" already defined. Balise "n" déjà définie. - + New Tag Nouvelle balise - + <HTML here> <HTML ici> - + </and here> </et ici> - + Tag %s already defined. Balise %s déjà définie. @@ -2793,82 +2891,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Rouge - + Black Noir - + Blue Bleu - + Yellow Jaune - + Green Vert - + Pink Rose - + Orange Orange - + Purple Pourpre - + White Blanc - + Superscript Exposant - + Subscript Indice - + Paragraph Paragraphe - + Bold Gras - + Italics Italiques - + Underline Souligner - + Break Retour à la ligne @@ -2876,170 +2974,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Général - + Monitors Moniteurs - + Select monitor for output display: Sélectionne l’écran pour la sortie d'affichage live : - + Display if a single screen Affiche si il n'y a qu'un écran - + Application Startup Démarrage de l'application - + Show blank screen warning Affiche un avertissement d'écran vide - + Automatically open the last service Ouvre automatiquement le dernier service - + Show the splash screen Affiche l'écran de démarrage - + Application Settings Préférence de l'application - + Prompt to save before starting a new service Demande d'enregistrer avant de commencer un nouveau service - + Automatically preview next item in service Prévisualise automatiquement l'élément suivant du service - + sec sec - + CCLI Details CCLI détails - + SongSelect username: Nom d'utilisateur SongSelect : - + SongSelect password: Mot de passe SongSelect : - + X X - + Y Y - + Height Hauteur - + Width Largeur - + Check for updates to OpenLP Vérifie si des mises à jours d'OpenLP sont disponibles - + Unblank display when adding new live item Retire l'écran noir lors de l'ajout de nouveaux éléments au direct - + Timed slide interval: Intervalle de temps entre les diapositives : - + Background Audio Son en fond - + Start background audio paused Démarrer le son de fond en pause - + Service Item Slide Limits - + Limites des éléments de service - + Override display position: - + Surcharger la position d'affichage : - + Repeat track list - + Répéter la liste des pistes - + Behavior of next/previous on the last/first slide: - + Comportement suivant/précédent sur la dernière/première diapositive : - + &Remain on Slide - + &Rester sur la diapositive - + &Wrap around - + &Move to next/previous service item - + &Déplacer l'élément du service vers suivant/précédent OpenLP.LanguageManager - + Language Langage - + Please restart OpenLP to use your new language setting. Veuillez redémarrer OpenLP pour utiliser votre nouveau paramétrage de langue. @@ -3055,287 +3153,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 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 à 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/. @@ -3344,108 +3442,108 @@ You can download the latest version from http://openlp.org/. Vous pouvez télécharger la dernière version à partir de http://openlp.org/. - + OpenLP Version Updated Version d'OpenLP mis à jour - + OpenLP Main Display Blanked OpenLP affichage principal noirci - + The Main Display has been blanked out L'affichage principal a été noirci - + Default Theme: %s Thème par défaut : %s - + English Please add the name of your language here Français - + Configure &Shortcuts... Personnalise les &raccourcis... - + Close OpenLP Ferme OpenLP - + Are you sure you want to close OpenLP? Êtes vous sur de vouloir fermer OpenLP ? - + Open &Data Folder... &Ouvre le répertoire de données... - + Open the folder where songs, bibles and other data resides. Ouvre le répertoire où se trouve les chants, bibles et autres données. - + &Autodetect &Détecte automatiquement - + Update Theme Images Met à jour les images de thèmes - + Update the preview images for all themes. Mettre à jour les images de tous les thèmes. - + Print the current service. Imprime le service courant. - + &Recent Files Fichiers &récents - + 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. @@ -3454,43 +3552,43 @@ 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 d'OpenLP, éventuellement ajouter des chants à votre liste de chants existante et changer votre thème par défaut. - + 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... Configure les &balises de formatage... - + Export OpenLP settings to a specified *.config file Exporte la configuration d'OpenLP vers un fichier *.config spécifié - + Settings Configuration - + Import OpenLP settings from a specified *.config file previously exported on this or another machine Importe la configuration d'OpenLP à partir d'un fichier *.config précédemment exporté 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. @@ -3503,45 +3601,50 @@ Importer la configuration va changer de façon permanente votre configuration d& L'import de configurations incorrect peut provoquer des comportements imprévisible d'OpenLP. - + Open File 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 se 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) + + + New Data Directory Error + + 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 @@ -3550,7 +3653,7 @@ Database: %s Base de données: %s - + OpenLP cannot load your database. Database: %s @@ -3562,74 +3665,74 @@ Base de données: %s OpenLP.MediaManagerItem - + No Items Selected Pas d'éléments sélectionnés - + &Add to selected Service Item &Ajoute à l'élément sélectionné du service - + You must select one or more items to preview. Vous devez sélectionner un ou plusieurs éléments à prévisualiser. - + You must select one or more items to send live. Vous devez sélectionner un ou plusieurs éléments pour les envoyer au direct. - + You must select one or more items. Vous devez sélectionner un ou plusieurs éléments. - + You must select an existing service item to add to. Vous devez sélectionner un élément existant du service pour l'ajouter. - + Invalid Service Item Élément du service invalide - + You must select a %s service item. Vous devez sélectionner un %s élément du service. - + You must select one or more items to add. Vous devez sélectionner un ou plusieurs éléments à ajouter. - + No Search Results Aucun résultat de recherche - + Invalid File Type Type de fichier invalide - + Invalid File %s. Suffix not supported Fichier invalide %s. Extension non supportée - + &Clone %Clone - + Duplicate files were found on import and were ignored. Des fichiers dupliqués on été trouvé dans l'import et ont été ignorés. @@ -3637,14 +3740,14 @@ Extension non supportée OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + La balise <lyrics> est manquante. - + <verse> tag is missing. - + La balise <verse> est manquante. @@ -3784,12 +3887,12 @@ Extension non supportée OpenLP.ScreenList - + Screen Écran - + primary primaire @@ -3797,12 +3900,12 @@ Extension non supportée OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Début</strong> : %s - + <strong>Length</strong>: %s <strong>Longueur</strong> : %s @@ -3818,277 +3921,282 @@ Extension non supportée OpenLP.ServiceManager - + Move to &top Place en &premier - + Move item to the top of the service. Place l'élément au début du service. - + Move &up Déplace en &haut - + Move item up one position in the service. Déplace l'élément d'une position en haut. - + Move &down Déplace en &bas - + Move item down one position in the service. Déplace l'élément d'une position en bas. - + Move to &bottom Place en &dernier - + Move item to the end of the service. Place l'élément a la fin du service. - + &Delete From Service &Retire du service - + Delete the selected item from the service. Retire l'élément sélectionné du service. - + &Add New Item &Ajoute un nouvel élément - + &Add to Selected Item &Ajoute à l'élément sélectionné - + &Edit Item &Édite l'élément - + &Reorder Item &Réordonne l'élément - + &Notes &Notes - + &Change Item Theme &Change le thème de l'élément - + 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 pas un fichier de service valide. Le contenu n'est pas de l'UTF-8. - + File is not a valid service. Le fichier n'est pas un fichier de service valide. - + Missing Display Handler Composant d'affichage manquant - + Your item cannot be displayed as there is no handler to display it Votre élément ne peut pas être affiché parce qu'il n'y a pas de composant 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é parce que le module nécessaire est manquant ou désactivé - + &Expand all &Développer tout - + Expand all the service items. Développe tous les éléments du service. - + &Collapse all &Réduire tout - + Collapse all the service items. Réduit tous les éléments du service. - + Open File Ouvre un fichier - + Moves the selection down the window. Déplace la sélection en bas de la fenêtre. - + Move up Déplace en haut - + Moves the selection up the window. Déplace la sélection en haut de la fenêtre. - + Go Live Lance le direct - + Send the selected item to Live. Affiche l'élément sélectionné en direct. - + &Start Time Temps de &début - + Show &Preview Affiche en &prévisualisation - - Show &Live - Affiche en &direct - - - + Modified Service Service modifié - + The current service has been modified. Would you like to save this service? Le service courant à été modifié. Voulez-vous l'enregistrer ? - + Custom Service Notes: Notes de service : - + Notes: Notes : - + Playing time: Durée du service : - + Untitled Service Service sans titre - + File could not be opened because it is corrupt. Le fichier ne peux être ouvert car il est corrompu. - + Empty File Fichier vide - + This service file does not contain any data. Ce fichier de service ne contient aucune donnée. - + Corrupt File Fichier corrompu - + Load an existing service. Charge un service existant. - + Save this service. Enregistre ce service. - + Select a theme for the service. 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. - + Service File Missing Fichier de service manquant - + Slide theme Thème de diapositive - + Notes Notes - + Edit Édite - + Service copy only Copie de service uniquement + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4119,12 +4227,12 @@ Le contenu n'est pas de l'UTF-8. Raccourci - + Duplicate Shortcut Raccourci dupliqué - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Le raccourci "%s" est déjà assigné à une autre action, veuillez utiliser un autre raccourci. @@ -4159,12 +4267,12 @@ Le contenu n'est pas de l'UTF-8. Restaure le raccourci par défaut de cette action. - + Restore Default Shortcuts Restaure les raccourcis par défaut - + Do you want to restore all shortcuts to their defaults? Voulez vous restaurer tous les raccourcis par leur valeur par défaut ? @@ -4177,174 +4285,174 @@ Le contenu n'est pas de l'UTF-8. OpenLP.SlideController - + Hide Cache - + Go To Aller à - + Blank Screen Écran noir - + Blank to Theme Thème vide - + Show Desktop Affiche le bureau - + Previous Service Service précédent - + Next Service Service suivant - + Escape Item Élément d'é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. Mettre en pause la lecture audio. - + Pause playing media. Mettre en pause la lecture. - + Stop playing media. Arrêter la lecture. - + Video position. Position vidéo. - + Audio Volume. Volume sonore. - + Go to "Verse" Aller au "Couplet" - + Go to "Chorus" Aller au "Refrain" - + Go to "Bridge" Aller au "Pont" - + Go to "Pre-Chorus" Aller au "Pré-Refrain" - + Go to "Intro" Aller à "Intro" - + Go to "Ending" Aller à "Fin" - + Go to "Other" Aller à "Autre" - + Previous Slide - + Diapositive précédente - + Next Slide - + Diapositive suivante - + Pause Audio - + Pause Audio - + Background Audio - Son en fond + Audio en fond - + Go to next audio track. - + Aller à la piste audio suivante. - + Tracks - + Pistes @@ -4436,32 +4544,32 @@ Le contenu n'est pas de l'UTF-8. OpenLP.ThemeForm - + Select Image Sélectionne l'image - + Theme Name Missing Nom du thème manquant - + There is no name for this theme. Please enter one. Ce thème ne contient aucun nom. Veuillez en saisir un. - + Theme Name Invalid Nom du thème invalide - + Invalid theme name. Please enter one. Nom du thème invalide. Veuillez en saisir un. - + (approximately %d lines per slide) (approximativement %d lignes pas diapositive) @@ -4469,195 +4577,195 @@ Le contenu n'est pas de l'UTF-8. OpenLP.ThemeManager - + Create a new theme. Crée un nouveau thème. - + Edit Theme Édite le thème - + Edit a theme. Édite un thème. - + Delete Theme Supprime le thème - + Delete a theme. Supprime un thème. - + Import Theme Import le thème - + Import a theme. Import un thème. - + Export Theme Export le thème - + Export a theme. Export un thème. - + &Edit Theme &Édite le thème - + &Delete Theme &Supprime le thème - + Set As &Global Default Définir comme défaut &Global - + %s (default) %s (défaut) - + You must select a theme to edit. Vous devez sélectionner un thème à éditer. - + 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. Le Thème %s est utilisé par le module %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é exporté 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 exporté à cause d'une erreur. - + Select Theme Import File Sélectionner le fichier thème à importer - + File is not a valid theme. Le fichier n'est pas un thème valide. - + &Copy Theme &Copie le thème - + &Rename Theme &Renomme le thème - + &Export Theme &Exporte le thème - + You must select a theme to rename. Vous devez sélectionner un thème à renommer. - + Rename Confirmation Confirme le renommage - + Rename %s theme? Renomme le thème %s ? - + You must select a theme to delete. Vous devez sélectionner un thème à supprimer. - + Delete Confirmation Confirmation de suppression - + Delete %s theme? Supprime le thème %s ? - + Validation Error Erreur de validation - + A theme with this name already exists. Un autre thème porte déjà ce nom. - + OpenLP Themes (*.theme *.otz) Thèmes OpenLP (*.theme *.otz) - + Copy of %s Copy of <theme name> Copie de %s - + Theme Already Exists - + Le thème existe déjà @@ -4883,7 +4991,7 @@ Le contenu n'est pas de l'UTF-8. Nom du thème : - + Edit Theme - %s Édite le thème - %s @@ -4930,53 +5038,53 @@ Le contenu n'est pas de l'UTF-8. Transparent - + Transparent OpenLP.ThemesTab - + Global Theme Thème global - + Theme Level Politique d'application du thème - + S&ong Level Niveau &chant - + 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. Utilise le thème pour chaque chants de la base de données. Si un chant n'a pas de thème associé, le thème du service est utilisé. Si le service n'a pas de thème, le thème global est utilisé. - + &Service Level Niveau &service - + 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. Utilise le thème du service, surcharge le thème de chaque chants. Si le service n'a pas de thème, le thème global est utilisé. - + &Global Level Niveau &global - + Use the global theme, overriding any themes associated with either the service or the songs. Utilise le thème global, surcharge tous les thèmes associés aux services ou aux chants. - + Themes Thèmes @@ -5060,245 +5168,245 @@ Le contenu n'est pas de l'UTF-8. pt - + Image Image - + Import Import - + Live Direct - + Live Background Error Erreur de fond du direct - + Load Charge - + Middle Milieu - + New Nouveau - + New Service Nouveau service - + New Theme Nouveau thème - + No File Selected Singular Pas de fichier sélectionné - + No Files Selected Plural Aucun fichiers sélectionnés - + No Item Selected Singular Aucun élément sélectionné - + No Items Selected Plural Aucun éléments sélectionnés - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Prévisualisation - + Replace Background Remplace le fond - + Reset Background Réinitialiser le fond - + s The abbreviated unit for seconds s - + Save && Preview Enregistre && prévisualise - + Search Recherche - + You must select an item to delete. Vous devez sélectionner un élément à supprimer. - + You must select an item to edit. Vous devez sélectionner un élément à éditer. - + Save Service Enregistre le service - + Service Service - + Start %s Début %s - + Theme Singular Thème - + Themes Plural Thèmes - + Top Haut - + Version Version - + Delete the selected item. Supprime l'élément sélectionné. - + Move selection up one position. Déplace la sélection d'une position vers le haut. - + Move selection down one position. Déplace la sélection d'une position vers le bas. - + &Vertical Align: Alignement &vertical : - + Finished import. Import terminé. - + Format: Format : - + Importing Import en cours - + Importing "%s"... Importation de "%s"... - + Select Import Source Sélectionnez la source à importer - + Select the import format and the location to import from. Sélectionne le format d'import et le chemin du fichier à importer. - + 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. L'import openlp.org 1.x a été désactivé parce qu'il manque un module Python. Si vous voulez utiliser cet import, vous devez installer le module Python "python-sqlite". - + Open %s File Ouvre le fichier %s - + %p% %p% - + Ready. Prêt. - + Starting import... Commence l'import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Vous devez spécifier au moins un fichier de %s à importer. - + Welcome to the Bible Import Wizard Bienvenue dans l'assistant d'import de Bible @@ -5308,7 +5416,7 @@ Le contenu n'est pas de l'UTF-8. Bienvenue dans l'assistant d'export de Chant - + Welcome to the Song Import Wizard Bienvenue dans l'assistant d'import de Chant @@ -5396,53 +5504,53 @@ Le contenu n'est pas de l'UTF-8. h - + Layout style: Type de disposition : - + Live Toolbar Bar d'outils direct - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP est déjà en cours d'utilisation. Voulez-vous continuer ? - + Settings Configuration - + Tools Outils - + Unsupported File Fichier non supporté - + Verse Per Slide Un verset par diapositive - + Verse Per Line Un verset par ligne - + View Affiche @@ -5457,37 +5565,37 @@ Le contenu n'est pas de l'UTF-8. Erreur de syntaxe XML - + View Mode Mode d'affichage - + Open service. Ouvre le service. - + Print Service Imprime le service - + Replace live background. Remplace le fond du direct. - + Reset live background. Restaure le fond du direct. - + Split a slide into two only if it does not fit on the screen as one slide. Divisez la diapositive en deux seulement si elle ne loge pas sur l'écran. - + Welcome to the Bible Upgrade Wizard Bienvenue dans l'assistant de mise à jour de Bible @@ -5497,116 +5605,157 @@ Le contenu n'est pas de l'UTF-8. Confirme la suppression - + Play Slides in Loop Affiche les diapositives en boucle - + Play Slides to End Affiche les diapositives jusqu’à la fin - + Stop Play Slides in Loop Arrête la boucle de diapositive - + Stop Play Slides to End Arrête la boucle de diapositive à la fin - + Next Track - + Piste suivante - + Search Themes... Search bar place holder text + Recherche dans les thèmes... + + + + Optional &Split - - Optional &Split + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1 et %2 - + %1, and %2 Locale list separator: end - + %1, et %2 - + %1, %2 Locale list separator: middle - + %1, %2 - + %1, %2 Locale list separator: start - + %1, %2 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>Module de présentation</strong><br />Le module de présentation permet d'afficher des présentations issues d'autres logiciels. La liste des logiciels disponibles se trouve dans les options d'OpenLP rubrique Présentation. - + Presentation name singular Présentation - + Presentations name plural Présentations - + Presentations container title Présentations - + Load a new presentation. Charge une nouvelle présentation. - + Delete the selected presentation. Supprime la présentation sélectionnée. - + Preview the selected presentation. Prévisualise la présentation sélectionnée. - + Send the selected presentation live. Envoie la présentation sélectionnée au direct. - + Add the selected presentation to the service. Ajoute la présentation sélectionnée au service. @@ -5614,72 +5763,72 @@ Le contenu n'est pas de l'UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Sélectionne un(des) Présentation(s) - + Automatic Automatique - + Present using: Actuellement utilisé : - + File Exists Ce fichier existe - + A presentation with that filename already exists. Une présentation utilise déjà ce nom de fichier. - + This type of presentation is not supported. Ce type de présentation n'est pas supporté. - + Presentations (%s) Présentations (%s) - + Missing Presentation Présentation manquante - - The Presentation %s no longer exists. - La présentation %s n'existe plus. + + The presentation %s is incomplete, please reload. + - - The Presentation %s is incomplete, please reload. - La présentation %s est incomplète, merci de la recharger. + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers Logiciels de présentation disponibles - + %s (unavailable) %s (non disponible) - + Allow presentation application to be overridden - + Autoriser l'application de présentation à être surcharger @@ -5711,107 +5860,107 @@ Le contenu n'est pas de l'UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Contrôle à distance - + OpenLP 2.0 Stage View OpenLP 2.0 Prompteur - + Service Manager Gestionnaire de services - + Slide Controller Contrôleur de diapositive - + Alerts Alertes - + Search Recherche - + Refresh Rafraîchir - + Blank Vide - + Show Affiche - + Prev Préc - + Next Suiv - + Text Texte - + Show Alert Affiche une alerte - + Go Live Lance le direct - + No Results Pas de résultats - + Options Options - + Add to Service Ajoute au service - + Home - - - - - Theme - Thème + Accueil - Desktop - + Theme + Thème - + + Desktop + Bureau + + + Add &amp; Go to Service @@ -5819,128 +5968,128 @@ Le contenu n'est pas de l'UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: Ecoute sur l'adresse IP : - + Port number: Numéro de port : - + Server Settings Configuration du serveur - + Remote URL: URL du contrôle à distance : - + Stage view URL: URL du Prompteur : - + Display stage time in 12h format Affiche l'heure du prompteur au format 12h - + Android App - + Application Android - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. - + Scannez le QR code ou cliquez sur <a href="https://market.android.com/details?id=org.openlp.android">télécharger</a> pour installer l'application Android à partir de Google Play. 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 donné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 Activer/Désactiver le suivi - + Toggle the tracking of song usage. Active/Désactive 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 des chants</strong><br />Ce module permet d'effectuer des statistiques sur la projection des chants. - + 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 des chants est actif. - + Song usage tracking is inactive. Le suivi de l'utilisation des chants est inactif. - + display affiche - + printed imprimé @@ -6001,22 +6150,22 @@ Le contenu n'est pas de l'UTF-8. Emplacement du rapport - + Output File Location Emplacement du fichier de sortie - + usage_detail_%s_%s.txt rapport_d_utilisation_%s_%s.txt - + Report Creation Création du rapport - + Report %s has been successfully created. @@ -6025,12 +6174,12 @@ has been successfully created. à été crée avec succès. - + Output Path Not Selected Répertoire de destination non sélectionné - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Vous n'avez pas défini de répertoire de destination valide pour votre rapport d'utilisation des chants. Veuillez sélectionner un répertoire existant sur votre ordinateur. @@ -6068,82 +6217,82 @@ has been successfully created. Ré-indexation des chants en cours... - + 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 Encodage des caractères - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -6152,26 +6301,26 @@ permet un affichage correct des caractères. L'option déjà sélectionnée est en général la bonne. - + Please choose the character encoding. The encoding is responsible for the correct character representation. Veuillez choisir l'encodage des caractères. L'encodage permet un affichage correct des caractères. - + Song name singular Chant - + Songs name plural Chants - + Songs container title Chants @@ -6182,32 +6331,32 @@ L'encodage permet un affichage correct des caractères. Export des chants en utilisant l'assistant d'export. - + Add a new song. Ajoute un nouveau chant. - + Edit the selected song. Édite le chant sélectionné. - + Delete the selected song. Supprime le chant sélectionné. - + Preview the selected song. Prévisualise le chant sélectionné. - + Send the selected song live. Envoie le chant sélectionné au direct. - + Add the selected song to the service. Ajoute le chant sélectionné au service. @@ -6235,17 +6384,17 @@ L'encodage permet un affichage correct des caractères. Nom : - + You need to type in the first name of the author. Vous devez entrer le prénom de l'auteur. - + You need to type in the last name of the author. Vous devez entrer le nom de l'auteur. - + You have not set a display name for the author, combine the first and last names? Nous n'avez pas défini de nom à afficher pour l'auteur, combiner le prénom et le nom ? @@ -6280,12 +6429,12 @@ L'encodage permet un affichage correct des caractères. Meta Data - + Méta données Custom Book Names - + Noms de livres personnalisés @@ -6386,72 +6535,72 @@ L'encodage permet un 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 auteur valide. Vous pouvez sélectionner un auteur dans la liste, ou entrer le nom d'un nouvel auteur et cliquez sur "Ajouter un auteur au Chant". - + 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 sujet dans la liste, ou entrer le nom d'un nouveau sujet et cliquez sur "Ajouter un sujet au Chant". - + You need to type in a song title. Vous devez entrer un titre pour ce chant. - + You need to type in at least one verse. Vous devez entrer au moins un paragraphe. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. L'ordre des paragraphes est invalide. Il n'y a pas de paragraphe correspondant à %s. Les entrées valides sont %s. - + Add Book Ajoute un Carnet de chants - + This song book does not exist, do you want to add it? Ce carnet de chants n'existe pas, voulez-vous l'ajouter ? - + You need to have an author for this song. Vous devez entrer un auteur pour ce chant. @@ -6481,19 +6630,19 @@ L'encodage permet un affichage correct des caractères. Supprime &tout - + Open File(s) Ouvre un(des) fichier(s) <strong>Warning:</strong> Not all of the verses are in use. - + <strong>Attention :</strong> Tous les versets ne sont pas utilisés. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. - + L'ordre des versets est invalide. Aucun verset ne correspond à %s. Les entrées valides sont %s. @@ -6605,133 +6754,138 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Sélectionne les fichiers Document/Présentation - + Song Import Wizard Assistant d'import de Chant - + 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. Cet assistant vous permet d'importer des chants de divers formats. Cliquez sur le bouton suivant ci-dessous pour démarrer le processus en sélectionnant le format à importer. - + Generic Document/Presentation Document/Présentation générique - - Filename: - Nom de fichier : - - - - 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. - L'import OpenLyrics n'a pas encore été développé, mais comme vous pouvez le voir, nous avous toujours l'intention de le faire. J'espère que ce sera dans la prochaine version. - - - + Add Files... Ajoute des fichiers... - + Remove File(s) Supprime un(des) fichier(s) - + Please wait while your songs are imported. Veuillez patienter pendant l'import de vos chants. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Fichiers Chant Songs Of Fellowship - + SongBeamer Files Fichiers SongBeamer - + SongShow Plus Song Files Fichiers Chant SongShow Plus - + Foilpresenter Song Files Fichiers Chant Foilpresenter - + Copy Copier - + Save to File Enregistre dans le fichier - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import de chants Fellowship a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. L'import générique de document/présentation a été désactivé car OpenLP ne peut accéder à OpenOffice ou LibreOffice. - + OpenLyrics or OpenLP 2.0 Exported Song Chant exporté OpenLyrics ou OpenLP 2.0 - + OpenLyrics Files Fichiers OpenLyrics - + CCLI SongSelect Files - + CCLI Song Sélectionner Fichiers - + EasySlides XML File + Fichier XML EasySlides + + + + EasyWorship Song Database + Base de données de chants d'EasyWorship + + + + DreamBeam Song Files - - EasyWorship Song Database + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. @@ -6751,22 +6905,22 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.MediaItem - + Titles Titres - + Lyrics Paroles - + CCLI License: Licence CCLI : - + Entire Song Chant entier @@ -6779,7 +6933,7 @@ L'encodage permet un affichage correct des caractères. - + Maintain the lists of authors, topics and books. Maintenir la liste des auteurs, sujets et carnets de chants. @@ -6790,29 +6944,29 @@ L'encodage permet un affichage correct des caractères. copier - + Search Titles... - + Recherche dans les titres... - + Search Entire Song... - + Recherche dans le chant entier... - + Search Lyrics... - + Recherche dans les paroles... - + Search Authors... - + Recherche dans les auteurs... - + Search Song Books... - + Recherche dans les carnets de chants... @@ -6839,6 +6993,19 @@ L'encodage permet un affichage correct des caractères. Exportation "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6878,12 +7045,12 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: Les chants suivants ne peuvent être importé : @@ -6903,118 +7070,110 @@ L'encodage permet un affichage correct des caractères. Fichier non trouvé - - SongsPlugin.SongImportForm - - - Your song import failed. - Votre import de chant a échoué. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Impossible d'ajouter votre auteur. - + This author already exists. Cet auteur existe déjà. - + Could not add your topic. Impossible d'ajouter votre sujet. - + This topic already exists. Ce sujet existe déjà. - + Could not add your book. Impossible d'ajouter votre carnet de chants. - + This book already exists. Ce carnet de chants existe déjà. - + Could not save your changes. Impossible d'enregistrer vos modifications. - + Could not save your modified author, because the author already exists. Impossible d'enregistrer vos modifications de l'auteur, car l'auteur existe déjà. - + Could not save your modified topic, because it already exists. Impossible d'enregistrer vos modifications du sujet, car le sujet existe déjà. - + Delete Author Supprime l'auteur - + Are you sure you want to delete the selected author? Êtes-vous sûr de bien vouloir supprimer l'auteur sélectionné ? - + This author cannot be deleted, they are currently assigned to at least one song. Cet auteur ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Topic Supprime le sujet - + Are you sure you want to delete the selected topic? Êtes-vous sûr de bien vouloir supprimer le sujet sélectionné ? - + This topic cannot be deleted, it is currently assigned to at least one song. Ce sujet ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + Delete Book Supprime le carnet de chants - + Are you sure you want to delete the selected book? Êtes-vous sûr de bien vouloir supprimer le carnet de chants sélectionné ? - + This book cannot be deleted, it is currently assigned to at least one song. Ce carnet de chants ne peut être supprimé, il est actuellement utilisé par au moins un chant. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? L'auteur %s existe déjà. Voulez-vous faire en sorte que les chants avec l'auteur %s utilise l'auteur existant %s ? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Le sujet %s existe déjà. Voulez-vous faire en sorte que les chants avec le sujet %s utilise le sujet existant %s ? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Le carnet de chants %s existe déjà. Voulez-vous faire en sorte que les chants du carnet de chants %s utilisent le carnet de chants existant %s ? @@ -7022,29 +7181,29 @@ L'encodage permet un affichage correct des caractères. SongsPlugin.SongsTab - + Songs Mode Options de Chants - + Enable search as you type Active la recherche à la frappe - + Display verses on live tool bar Affiche les paragraphes dans la barre d'outils du direct - + Update service from song edit Mettre à jour le service après une modification de chant - + Import missing songs from service files - + Importer les chants manquant des fichiers du service @@ -7103,4 +7262,17 @@ L'encodage permet un affichage correct des caractères. Autre + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/hu.ts b/resources/i18n/hu.ts index 1f0ec8a05..bc2a98933 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. @@ -119,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: @@ -152,510 +152,510 @@ Folytatható? BiblesPlugin - + &Bible &Biblia - + Bible name singular Biblia - + Bibles name plural Bibliák - + Bibles container title Bibliák - + No Book Found Nincs ilyen könyv - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Teremtés - + Exodus Kivonulás - + Leviticus Leviták - + Numbers Számok - + Deuteronomy Második törvénykönyv - + Joshua Józsué - + Judges Bírák - + Ruth Rút - + 1 Samuel 1. Sámuel - + 2 Samuel 2. Sámuel - + 1 Kings 1. Királyok - + 2 Kings 2. Királyok - + 1 Chronicles 1. Krónikák - + 2 Chronicles 2. Krónikák - + Ezra Ezdrás - + Nehemiah Nehemiás - + Esther Eszter - + Job Jób - + Psalms Zsoltárok - + Proverbs Példabeszédek - + Ecclesiastes Prédikátor - + Song of Solomon Énekek éneke - + Isaiah Izajás - + Jeremiah Jeremiás - + Lamentations Jeremiás siralmai - + Ezekiel Ezékiel - + Daniel Dániel - + Hosea Ozeás - + Joel Joel - + Amos Ámosz - + Obadiah Abdiás - + Jonah Jónás - + Micah Mikeás - + Nahum Náhum - + Habakkuk Habakuk - + Zephaniah Szofoniás - + Haggai Aggeus - + Zechariah Zakariás - + Malachi Malakiás - + Matthew Máté - + Mark Márk - + Luke Lukács - + John János - + Acts Apostolok cselekedetei - + Romans Római - + 1 Corinthians 1. Korintusi - + 2 Corinthians 2. Korintusi - + Galatians Galata - + Ephesians Efezusi - + Philippians Filippi - + Colossians Kolosszei - + 1 Thessalonians 1. Tesszaloniki - + 2 Thessalonians 2. Tesszaloniki - + 1 Timothy 1. Timóteus - + 2 Timothy 2. Timóteus - + Titus Titusz - + Philemon Filemon - + Hebrews Zsidók - + James Jakab - + 1 Peter 1. Péter - + 2 Peter 2. Péter - + 1 John 1. János - + 2 John 2. János - + 3 John 3. János - + Jude Júdás - + Revelation Jelenések - + Judith Judit - + Wisdom Bölcsesség - + Tobit Tóbiás - + Sirach Sirák fia - + Baruch Báruk - + 1 Maccabees 1. Makkabeusok - + 2 Maccabees 2. Makkabeusok - + 3 Maccabees 3. Makkabeusok - + 4 Maccabees 4. Makkabeusok - + Rest of Daniel Dániel maradék - + Rest of Esther Eszter maradék - + Prayer of Manasses Manassze imája - + Letter of Jeremiah Jeremiás levele - + Prayer of Azariah Azarja imája - + Susanna Zsuzsanna - + Bel Bél és a sárkány - + 1 Esdras Ezdrás - + 2 Esdras Nehemiás - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|versszak|versszakok;;-;;,|és;;vége @@ -666,82 +666,84 @@ Folytatható? You need to specify a version name for your Bible. - Meg kell adni a biblia verziószámát. + Meg kell adni a biblia verziószámát. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Meg kell adni a biblia szerzői jogait. A közkincsű bibliákat meg kell jelölni ilyennek. + Meg kell adni a biblia szerzői jogait. A közkincsű bibliákat meg kell jelölni ilyennek. Bible Exists - Biblia létezik + Létező Biblia This Bible already exists. Please import a different Bible or first delete the existing one. - Ez a biblia már létezik. Kérlek, importálj egy másik bibliát vagy előbb töröld a meglévőt. + Ez a biblia már létezik. Kérlek, importálj egy másik bibliát vagy előbb töröld a meglévőt. You need to specify a book name for "%s". - + Meg kell adni a könyv nevét: %s. The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + A könyv neve nem megfelelő: %s. +Szám csak az elején lehet és ezt követni kell + néhány nem numerikus karakternek. Duplicate Book Name - + Azonos könyvnév The Book Name "%s" has been entered more than once. - + E könyvnév többször lett megadva: %s. BiblesPlugin.BibleManager - + Scripture Reference Error Igehely hivatkozási hiba - + Web Bible cannot be used Online biblia nem használható - + Text Search is not available with Web Bibles. A keresés nem érhető el online biblián. - + 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. Nincs megadva keresési kifejezés. Több kifejezés is megadható. Szóközzel történő elválasztás esetén minden egyes kifejezésre történik a keresés, míg vesszővel való elválasztás esetén csak az egyikre. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Jelenleg nincs telepített biblia. Kérlek, használd a bibliaimportáló tündért bibliák telepítéséhez. - + No Bibles Available Nincsenek elérhető bibliák - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Könyv fejezet%(verse)svers%(range)sfejezet%(verse)svers BiblesPlugin.BiblesTab - + Verse Display Vers megjelenítés - + Only show new chapter numbers Csak az új fejezetszámok megjelenítése - + Bible theme: Biblia téma: - + No Brackets Nincsenek zárójelek - + ( And ) ( és ) - + { And } { és } - + [ And ] [ és ] - + Note: Changes do not affect verses already in the service. Megjegyzés: A módosítások nem érintik a már a szolgálati sorrendben lévő verseket. - + Display second Bible verses A második biblia verseinek megjelenítése - + Custom Scripture References Egyedi szentírási hivatkozások - + Verse Separator: Versek elválasztása: - + Range Separator: Tartományok elválasztása: - + List Separator: Felsorolások elválasztása: - + End Mark: Vég jelölése: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ Egy függőleges vonal („|”) szolgál az elválasztásukra. Üresen hagyva az alapértelmezett érték áll helyre. - + English Angol - + Default Bible Language - + Alapértelmezett biblia nyelv - + Book name language in search field, search results and on display: - + A keresési mezőben, a találati sorrendben és a képernyőn +megjelenő könyvnevek alapértelmezett nyelve: - + Bible Language - + Biblia nyelve - + Application Language - + Alkalmazás nyelve @@ -905,11 +908,6 @@ search results and on display: Select Book Name Jelöld ki a könyv nevét - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - A következő könyvnév nem ismerhető fel. Jelölj ki egy helyes angol nevet a következő listából. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Apokrif + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + A következő könyvnév nem ismerhető fel. Jelölj ki egy helyes nevet a következő listából. + BiblesPlugin.BookNameForm - + You need to select a book. Ki kell jelölni egy könyvet. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Biblia szerkesztő License Details - Licenc részletek + Licenc részletek Version name: - Verzió neve: + Veziónév: Copyright: - Szerzői jog: + Szerzői jog: Permissions: - Engedélyek: + Engedélyek: Default Bible Language - + Alapértelmezett biblia nyelv Book name language in search field, search results and on display: - + A keresési mezőben, a találati sorrendben és a képernyőn megjelenő könyvnevek alapértelmezett nyelve: Global Settings - + Általános beállítások Bible Language - + Biblia nyelve Application Language - + Alkalmazás nyelve English - + Angol This is a Web Download Bible. It is not possible to customize the Book Names. - + Ez egy webes biblia. +Nincs lehetőség a könyvnevek módosítására. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Az egyedi könyvnevek alkalmazásához a „Biblia nyelve” beállítást kell alkalmazni a metaadat fülön, vagy az „Általános beállítások” esetén az OpenLP beállításai között a „Biblia” lapon. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Biblia regisztrálása és a könyvek letöltése… - + Registering Language... Nyelv regisztrálása… - + Importing %s... Importing <book name>... Importálás: %s… - + Download Error Letöltési hiba - + 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. Probléma történt a kijelölt versek letöltésekor. Kérem, ellenőrizd a az internetkapcsolatot, és ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. - + Parse Error Feldolgozási hiba - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Probléma történt a kiválasztott versek kicsomagolásakor. Ha a hiba nem oldódik meg, fontold meg a hiba bejelentését. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibliaimportáló tündér - + 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. A tündér segít a különféle formátumú bibliák 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. - + Web Download Web letöltés - + Location: Hely: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Biblia: - + Download Options Letöltési beállítások - + Server: Szerver: - + Username: Felhasználói név: - + Password: Jelszó: - + Proxy Server (Optional) Proxy szerver (választható) - + License Details Licenc részletek - + Set up the Bible's license details. Állítsd be a biblia licenc részleteit. - + Version name: Verzió neve: - + Copyright: Szerzői jog: - + Please wait while your Bible is imported. Kérlek, várj, míg a biblia importálás alatt áll. - + You need to specify a file with books of the Bible to use in the import. Meg kell adni egy fájlt a bibliai könyvekről az importáláshoz. - + You need to specify a file of Bible verses to import. Meg kell adni egy fájlt a bibliai versekről az importáláshoz. - + You need to specify a version name for your Bible. Meg kell adni a biblia verziószámát. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Meg kell adni a biblia szerzői jogait. A közkincsű bibliákat meg kell jelölni ilyennek. - + Bible Exists Biblia létezik - + This Bible already exists. Please import a different Bible or first delete the existing one. Ez a biblia már létezik. Kérlek, importálj egy másik bibliát vagy előbb töröld a meglévőt. - + Your Bible import failed. A biblia importálása nem sikerült. - + CSV File CSV fájl - + Bibleserver Bibleserver - + Permissions: Engedélyek: - + Bible file: Biblia fájl: - + Books file: Könyv fájl: - + Verses file: Versek fájl: - + openlp.org 1.x Bible Files openlp.org 1.x biblia fájlok - + Registering Bible... Biblia regisztrálása… - + 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 @@ -1275,100 +1279,100 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Gyors - + Find: Keresés: - + Book: Könyv: - + Chapter: Fejezet: - + Verse: Vers: - + From: Innentől: - + To: Idáig: - + Text Search Szöveg keresése - + Second: Második: - + Scripture Reference Igehely hivatkozás - + Toggle to keep or clear the previous results. Átváltás az előző eredmény megőrzése, ill. törlése között. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Az egyes és a kettőzött bibliaversek nem kombinálhatók. Töröljük a keresési eredményt és kezdjünk egy újabbat? - + Bible not fully loaded. A biblia nem töltődött be teljesen. - + Information Információ - + 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 második biblia nem tartalmaz minden verset, ami az elsőben megtalálható. Csak a mindkét bibliában fellelhető versek fognak megjelenni. Ezek a versek nem lesznek megtalálhatóak: %d. - + Search Scripture Reference... Igehely keresése... - + Search Text... Szöveg keresése... - + Are you sure you want to delete "%s"? - + Valóban törölhető ez: %s? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importálás: %s %s… @@ -1377,12 +1381,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… @@ -1391,149 +1395,149 @@ demand and thus an internet connection is required. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Jelölj ki egy mappát a biztonsági mentésnek - + Bible Upgrade Wizard Bibliafrissítő tündér - + 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. A tündér segít az OpenLP 2 korábbi verzióiból származó bibliák frissítésében. Kattints az alábbi Következő gombra a folyamat indításhoz. - + Select Backup Directory Biztonsági mentés mappája - + Please select a backup directory for your Bibles Jelölj ki egy mappát a bibliáid biztonsági mentésének - + 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 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. - + Please select a backup location for your Bibles. Jelölj ki egy helyet a bibliáid biztonsági mentésének. - + Backup Directory: Biztonsági mentés helye: - + There is no need to backup my Bibles Nincs szükségem biztonsági másolatra - + Select Bibles Bibliák kijelölése - + Please select the Bibles to upgrade Jelöld ki a frissítendő bibliákat - + Upgrading Frissítés - + Please wait while your Bibles are upgraded. Kérlek, várj, míg a bibliák frissítés alatt állnak. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. A biztonsági mentés nem teljes. A bibliák biztonsági mentéséhez írási jogosultság szükséges a megadott mappára. - + Upgrading Bible %s of %s: "%s" Failed Biblia frissítése: %s/%s: „%s” Sikertelen - + Upgrading Bible %s of %s: "%s" Upgrading ... Biblia frissítése: %s/%s: „%s” Frissítés… - + Download Error Letöltési hiba - + To upgrade your Web Bibles an Internet connection is required. A webes bibliák frissítéséhez internet kapcsolat szükséges. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Biblia frissítése: %s/%s: „%s” Frissítés: %s … - + Upgrading Bible %s of %s: "%s" Complete Biblia frissítése: %s/%s: „%s” Teljes - + , %s failed , %s sikertelen - + 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. Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor is internet kapcsolat szükségeltetik. - + Upgrading Bible(s): %s successful%s Biblia frissítése: %s teljesítve %s - + Upgrade failed. A frissítés nem sikerült. - + You need to specify a backup directory for your Bibles. Meg kell adni egy könyvtárat a bibliák biztonsági mentéséhez. - + Starting upgrade... Frissítés indítása… - + There are no Bibles that need to be upgraded. Nincsenek frissítésre szoruló bibliák. @@ -1607,12 +1611,12 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor CustomPlugin.CustomTab - + Custom Display Speciális dia megjelenése - + Display footer Lábléc megjelenítése @@ -1683,7 +1687,7 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Valóban törölhető a kijelölt %n speciális dia? @@ -1693,60 +1697,60 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor 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>Kép bővítmény</strong><br />A kép a bővítmény különféle képek vetítését teszi lehetővé.<br />A bővítmény egyik különös figyelmet érdemlő képessége az, hogy képes a sorrendkezelőn csoportba foglalni a képeket, így könnyebbé téve képek tömeges vetítését. A bővítmény képes az OpenLP „időzített körkörös” lejátszásra is, amivel a diasort automatikusan tudjuk léptetni. Továbbá, a bővítményben megadott képekkel felülírhatjuk a téma háttérképét, amellyel a szöveg alapú elemek, mint pl. a dalok, a megadott háttérképpel jelennek meg, a témában beállított háttérkép helyett. - + Image name singular Kép - + Images name plural Képek - + Images container title Képek - + Load a new image. Új kép betöltése. - + Add a new image. Új kép hozzáadása. - + Edit the selected image. A kijelölt kép szerkesztése. - + Delete the selected image. A kijelölt kép törlése. - + Preview the selected image. A kijelölt kép előnézete. - + Send the selected image live. A kijelölt kép élő adásba küldése. - + Add the selected image to the service. A kijelölt kép hozzáadása a szolgálati sorrendhez. @@ -1754,7 +1758,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 @@ -1762,44 +1766,44 @@ Megjegyzés: a webes bibliák versei csak kérésre lesznek letöltve és ekkor ImagePlugin.MediaItem - + Select Image(s) Képek kijelölése - + You must select an image to delete. - Ki kell választani egy képet a törléshez. + Ki kell jelölni egy képet a törléshez. - + You must select an image to replace the background with. - Ki kell választani egy képet a háttér cseréjéhez. + Ki kell jelölni egy képet a háttér cseréjéhez. - + Missing Image(s) Hiányzó képek - + The following image(s) no longer exist: %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épek nem léteznek: %s Szeretnél más képeket megadni? - + There was a problem replacing your background, the image file "%s" no longer exists. Probléma történt a háttér cseréje során, a(z) „%s” kép nem létezik. - + There was no display item to amend. Nem volt módosított megjelenő elem. @@ -1807,78 +1811,78 @@ Szeretnél más képeket megadni? ImagesPlugin.ImageTab - + Background Color Háttérszín - + Default Color: Alapértelmezett szín: - + Visible background for images with aspect ratio different to screen. - + A kép mögött látható háttér eltérő képernyőarány esetén. 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. @@ -1926,7 +1930,7 @@ Szeretnél más képeket megadni? Nem volt módosított megjelenő elem. - + Unsupported File Nem támogatott fájl @@ -1944,22 +1948,22 @@ Szeretnél más képeket megadni? MediaPlugin.MediaTab - + Available Media Players Elérhető médialejátszók - + %s (unavailable) %s (elérhetetlen) - + Player Order Lejátszó sorrend - + Allow media player to be overridden Lejátszó felülírásának engedélyezése @@ -1967,7 +1971,7 @@ Szeretnél más képeket megadni? OpenLP - + Image Files Kép fájlok @@ -2172,192 +2176,276 @@ Részleges szerzői jog © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Felhasználói felület beállításai - + Number of recent files to display: Előzmények megjelenítésének hossza: - + Remember active media manager tab on startup Újraindításkor az aktív médiakezelő fülek visszaállítása - + Double-click to send items straight to live Dupla kattintással az elemek azonnali élő adásba küldése - + Expand new service items on creation A sorrendbe kerülő elemek kibontása létrehozáskor - + Enable application exit confirmation Kilépési megerősítés engedélyezése - + Mouse Cursor Egérmutató - + Hide mouse cursor when over display window Egérmutató elrejtése a vetítési képernyő felett - + Default Image Alapértelmezett kép - + Background color: Háttérszín: - + Image file: Kép fájl: - + Open File Fájl megnyitása - + Advanced Haladó - + Preview items when clicked in Media Manager Elem előnézete a médiakezelőben való kattintáskor - + Click to select a color. Kattintás a szín kijelöléséhez. - + Browse for an image file to display. Tallózd be a megjelenítendő képfájlt. - + Revert to the default OpenLP logo. Az eredeti OpenLP logó visszaállítása. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Sorrend %Y-%m-%d %H-%M - + Default Service Name Alapértelmezett szolgálati sorrend neve - + Enable default service name Alapértelmezett szolgálati sorrend név - + Date and Time: Dátum és idő: - + Monday Hétfő - + Tuesday Kedd - + Wednesday Szerda - + Thurdsday Csütörtök - + Friday Péntek - + Saturday Szombat - + Sunday Vasárnap - + Now Most - + Time when usual service starts. A szolgálat szokásos kezdete. - + Name: Név: - + Consult the OpenLP manual for usage. Segítségéért tekints meg az OpenLP kézikönyvet. - + Revert to the default service name "%s". Alapértelmezett név helyreállítása: „%s”. - + Example: Példa: - + X11 X11 - + Bypass X11 Window Manager - X11 ablakkezelő kikerülése + X11 ablakkezelő megkerülése - + Syntax error. Szintaktikai hiba. + + + Data Location + Adatok helye + + + + Current path: + Jelenlegi útvonal: + + + + Custom path: + Egyedi útvonal: + + + + Browse for new data file location. + Tallózd be az adatállományok helyét. + + + + Set the data location to the default. + Eredeti adathely visszaállítása. + + + + Cancel + Mégsem + + + + Cancel OpenLP data directory location change. + Az OpenLP adathely-modósításának visszavonása. + + + + Copy data to new location. + Adatok másolása az új helyre. + + + + Copy the OpenLP data files to the new location. + Az OpenLP adatállományainak az új helyre való másolása. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>FIGYELMEZTETÉS:</strong> Az új mappa már tartalmaz OpenLP adatállományokat, melyek felül lesznek írva másoláskor. + + + + Data Directory Error + Adatmappa hiba + + + + Select Data Directory Location + Adapmappa helyének kijelölése + + + + Confirm Data Directory Change + Adatmappa változásának megerősítése + + + + Reset Data Directory + Adatmappa visszaállítása + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Valóban visszaállítható az OpenLP adatmappa az eredeti helyre? + +Az OpenLP bezárása után jut érvényre a változás. + + + + Overwrite Existing Data + Meglévő adatok felülírása + OpenLP.ExceptionDialog @@ -2394,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Fájl csatolása - + Description characters to enter : %s Leírás: %s @@ -2402,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s 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 @@ -2450,7 +2538,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2586,17 +2674,17 @@ Version: %s Alapértelmezett beállítások - + Downloading %s... Letöltés %s… - + Download complete. Click the finish button to start OpenLP. Letöltés kész. Kattints a Befejezés gombra az OpenLP indításához. - + Enabling selected plugins... Kijelölt bővítmények engedélyezése… @@ -2666,32 +2754,32 @@ Version: %s A tündér segít elkezdeni az OpenLP használatát. Kattints az alábbi Következő gombra az indításhoz. - + Setting Up And Downloading Beállítás és letöltés - + Please wait while OpenLP is set up and your data is downloaded. Várj, amíg az OpenLP beállítások érvényre jutnak és míg az adatok letöltődnek. - + Setting Up Beállítás - + Click the finish button to start OpenLP. Kattints a Befejezés gombra az OpenLP indításához. - + Download complete. Click the finish button to return to OpenLP. Letöltés kész. Kattints a Befejezés gombra az OpenLP-hez való visszatéréshez. - + Click the finish button to return to OpenLP. Kattints a Befejezés gombra az OpenLP-hez való visszatéréshez. @@ -2710,14 +2798,18 @@ 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. Click 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. - + Nem sikerült internetkapcsolatot találni. Az Első indítás tündérnek internetkapcsolatra van szüksége ahhoz, hogy a példa dalokat, bibliákat és témákat lehessen letölteni. A Befejezés gombra való kattintással az OpenLP alapértelmezett beállításokkal és a példaadatok nélkül indul el. + +Az Első indítás tündér újbóli indításához és a példaadatok későbbi betöltéséhez ellenőrizd az internetkapcsolatot és futtasd újra ezt a tündért az OpenLP Eszközök > Első indítás tündér menüpontjával. To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. - + + +A tündér teljes leállításához (és az OpenLP bezárásához) kattints a Mégse gombra. @@ -2776,32 +2868,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Frissítési hiba - + Tag "n" already defined. Az „n” címke már létezik. - + New Tag Új címke - + <HTML here> <HTML itt> - + </and here> </és itt> - + Tag %s already defined. A címke már létezik: %s. @@ -2809,82 +2901,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Vörös - + Black Fekete - + Blue Kék - + Yellow Sárga - + Green Zöld - + Pink Rózsaszín - + Orange Narancs - + Purple Lila - + White Fehér - + Superscript Felső index - + Subscript Alsó index - + Paragraph Bekezdés - + Bold Félkövér - + Italics Dőlt - + Underline Aláhúzott - + Break Sortörés @@ -2892,170 +2984,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Általános - + Monitors Monitorok - + Select monitor for output display: Vetítési képernyő kijelölése: - + Display if a single screen Megjelenítés egy képernyő esetén - + Application Startup Alkalmazás indítása - + Show blank screen warning Figyelmeztetés megjelenítése az elsötétített képernyőről - + Automatically open the last service Utolsó sorrend automatikus megnyitása - + Show the splash screen Indítóképernyő megjelenítése - + Application Settings Alkalmazás beállítások - + Prompt to save before starting a new service Rákérdezés mentésre új sorrend létrehozása előtt - + Automatically preview next item in service Következő elem automatikus előnézete a sorrendben - + sec mp - + CCLI Details CCLI részletek - + SongSelect username: SongSelect felhasználói név: - + SongSelect password: SongSelect jelszó: - + X X - + Y Y - + Height Magasság - + Width Szélesség - + Check for updates to OpenLP Frissítés keresése az OpenLP-hez - + Unblank display when adding new live item Képernyő elsötétítésének visszavonása új elem élő adásba küldésekor - + Timed slide interval: Időzített dia intervalluma: - + Background Audio Háttérzene - + Start background audio paused Leállított háttérzene indítása - + Service Item Slide Limits Sorrendben lévő diák határolása - + Override display position: Megjelenítési pozíció felülbírálása: - + Repeat track list Számok ismétlése - + Behavior of next/previous on the last/first slide: - + A következő/előző gombok viselkedése az első és az utolsó diánál: - + &Remain on Slide - + &Maradjon a dián - + &Wrap around - + &Kezdje elölről - + &Move to next/previous service item - + &Ugorjon a következő/előző szolgálati elemre OpenLP.LanguageManager - + Language Nyelv - + Please restart OpenLP to use your new language setting. A nyelvi beállítások az OpenLP újraindítása után lépnek érvénybe. @@ -3071,287 +3163,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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/. @@ -3360,108 +3452,108 @@ 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 - + English Please add the name of your language here Magyar - + Configure &Shortcuts... &Gyorsbillentyűk beállítása… - + Close OpenLP OpenLP bezárása - + Are you sure you want to close OpenLP? Valóban bezárható az OpenLP? - + 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. - + &Autodetect &Automatikus felismerés - + 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 - + 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. @@ -3470,43 +3562,43 @@ 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. - + Configure &Formatting Tags... Formázó &címkék beállítása… - + 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. @@ -3519,45 +3611,50 @@ 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) + + + New Data Directory Error + Új adatmappa hiba + 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 @@ -3566,7 +3663,7 @@ Database: %s Adatbázis: %s - + OpenLP cannot load your database. Database: %s @@ -3578,74 +3675,74 @@ Adatbázis: %s OpenLP.MediaManagerItem - + No Items Selected Nincs kijelölt elem - + &Add to selected Service Item &Hozzáadás a kijelölt sorrend elemhez - + You must select one or more items to preview. Ki kell jelölni egy elemet az előnézethez. - + You must select one or more items to send live. Ki kell jelölni egy élő adásba küldendő elemet. - + You must select one or more items. Ki kell jelölni egy vagy több elemet. - + You must select an existing service item to add to. Ki kell jelölni egy sorrend elemet, amihez hozzá szeretné adni. - + Invalid Service Item Érvénytelen sorrend elem - + You must select a %s service item. Ki kell jelölni egy %s sorrend elemet. - + You must select one or more items to add. Ki kell jelölni egy vagy több elemet a hozzáadáshoz. - + No Search Results Nincs találat - + Invalid File Type Érvénytelen fájltípus - + Invalid File %s. Suffix not supported Érvénytelen fájl: %s. Az utótag nem támogatott - + &Clone &Klónozás - + Duplicate files were found on import and were ignored. Importálás közben duplikált fájl bukkant elő, figyelmet kívül lett hagyva. @@ -3653,12 +3750,12 @@ Az utótag nem támogatott OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. A <lyrics> címke hiányzik. - + <verse> tag is missing. A <verse> címke hiányzik. @@ -3800,12 +3897,12 @@ Az utótag nem támogatott OpenLP.ScreenList - + Screen Képernyő - + primary elsődleges @@ -3813,12 +3910,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 @@ -3834,284 +3931,289 @@ Az utótag nem támogatott OpenLP.ServiceManager - + Move to &top Mozgatás &felülre - + Move item to the top of the service. Elem mozgatása a sorrend elejére. - + Move &up Mozgatás f&eljebb - + Move item up one position in the service. Elem mozgatása a sorrendben eggyel feljebb. - + Move &down Mozgatás &lejjebb - + Move item down one position in the service. Elem mozgatása a sorrendben eggyel lejjebb. - + Move to &bottom Mozgatás &alulra - + Move item to the end of the service. Elem mozgatása a sorrend végére. - + &Delete From Service &Törlés a sorrendből - + Delete the selected item from the service. Kijelölt elem törlése a sorrendből. - + &Add New Item Új elem &hozzáadása - + &Add to Selected Item &Hozzáadás a kijelölt elemhez - + &Edit Item &Elem szerkesztése - + &Reorder Item Elem újra&rendezése - + &Notes &Jegyzetek - + &Change Item Theme 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 - + &Expand all Mind &kibontása - + Expand all the service items. Minden sorrend elem kibontása. - + &Collapse all Mind össze&csukása - + Collapse all the service items. Minden sorrend elem összecsukása. - + Open File Fájl megnyitása - + Moves the selection down the window. A kiválasztás lejjebb mozgatja az ablakot. - + Move up Mozgatás feljebb - + Moves the selection up the window. A kiválasztás feljebb mozgatja az ablakot. - + Go Live Élő adásba - + Send the selected item to Live. A kiválasztott elem élő adásba küldése. - + &Start Time &Kezdő időpont - + Show &Preview &Előnézet megjelenítése - - Show &Live - Élő &adás megjelenítése - - - + Modified Service Módosított sorrend - + The current service has been modified. Would you like to save this service? Az aktuális sorrend módosult. Szeretnéd elmenteni? - + Custom Service Notes: Egyedi szolgálati elem jegyzetek: - + Notes: Jegyzetek: - + Playing time: Lejátszási idő: - + Untitled Service Névtelen szolgálat - + 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 - + Load an existing service. Egy meglévő szolgálati sorrend betöltése. - + Save this service. Sorrend mentése. - + Select a theme for the service. 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 Szerkesztés - + Service copy only A sorrend csak másolható + + + Error Saving File + Állománymentési hiba + + + + There was an error saving your file. + Hiba történt az állomány mentésekor. + OpenLP.ServiceNoteForm Service Item Notes - Sorrend elem jegyzetek + Sorrend elem jegyzet @@ -4135,12 +4237,12 @@ A tartalom kódolása nem UTF-8. Gyorsbillentyű - + Duplicate Shortcut Azonos gyorsbillentyű - + The shortcut "%s" is already assigned to another action, please use a different shortcut. A „%s” gyorsbillentyű már foglalt. @@ -4175,12 +4277,12 @@ A tartalom kódolása nem UTF-8. Az eredeti gyorsbillentyű visszaállítása. - + Restore Default Shortcuts Alapértelmezett gyorsbillentyűk visszaállítása - + Do you want to restore all shortcuts to their defaults? Valóban minden gyorsbillentyű visszaállítandó az alapértelmezettjére? @@ -4193,172 +4295,172 @@ 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 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. Médialejátszás leállítása. - + Stop playing media. Médialejátszás szüneteltetése. - + Video position. Videó pozíció. - + Audio Volume. Hangerő. - - - Go to "Verse" - Ugrás a versszakra - - Go to "Chorus" - Ugrás a refrénre + Go to "Verse" + Ugrás a „versszakra” - Go to "Bridge" - Ugrás a hídra + Go to "Chorus" + Ugrás a „refrénre” - Go to "Pre-Chorus" - Ugrás az előrefrénre + Go to "Bridge" + Ugrás a „hídra” - - Go to "Intro" - Ugrás a bevezetésre + + Go to "Pre-Chorus" + Ugrás az „előrefrénre” - Go to "Ending" - Ugrás a lezárásra + Go to "Intro" + Ugrás a „bevezetésre” - Go to "Other" - Ugrás az másra + Go to "Ending" + Ugrás a „lezárásra” - + + Go to "Other" + Ugrás a „másra” + + + Previous Slide Előző dia - + Next Slide Következő dia - + Pause Audio Hang szüneteltetése - + Background Audio Háttérzene - + Go to next audio track. Ugrás a következő számra. - + Tracks Számok @@ -4452,32 +4554,32 @@ A tartalom kódolása nem UTF-8. OpenLP.ThemeForm - + Select Image Kép kijelölése - + Theme Name Missing Téma neve nincs megadva - + There is no name for this theme. Please enter one. A témának nincs neve, meg kell adni. - + Theme Name Invalid Érvénytelen téma név - + Invalid theme name. Please enter one. A téma neve érvénytelen, érvényeset kell megadni. - + (approximately %d lines per slide) (körülbelül %d sor diánként) @@ -4485,193 +4587,193 @@ A tartalom kódolása nem UTF-8. OpenLP.ThemeManager - + Create a new theme. Új téma létrehozása. - + Edit Theme Téma szerkesztése - + Edit a theme. Egy téma szerkesztése. - + Delete Theme Téma törlése - + Delete a theme. Egy téma törlése. - + Import Theme Téma importálása - + Import a theme. Egy téma importálása. - + Export Theme Téma exportálása - + Export a theme. Egy téma exportálása. - + &Edit Theme Téma sz&erkesztése - + &Delete Theme Téma &törlése - + Set As &Global Default 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 are unable to delete the default theme. Az alapértelmezett témát nem lehet törölni. - + Theme %s is used in the %s plugin. A(z) %s témát a(z) %s bővítmény használja. - + 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. Nem érvényes témafájl. - + &Copy Theme Téma &másolása - + &Rename Theme Téma át&nevezése - + &Export Theme Téma e&xportálása - + You must select a theme to rename. Ki kell jelölni egy témát az átnevezéséhez. - + Rename Confirmation Átnevezési megerősítés - + Rename %s theme? A téma átnevezhető: %s? - + 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 - + Delete %s theme? Törölhető ez a téma: %s? - + Validation Error Érvényességi hiba - + A theme with this name already exists. Ilyen fájlnéven már létezik egy téma. - + OpenLP Themes (*.theme *.otz) OpenLP témák (*.theme *.otz) - + Copy of %s Copy of <theme name> %s másolata - + Theme Already Exists A téma már létezik @@ -4899,7 +5001,7 @@ A tartalom kódolása nem UTF-8. Téma neve: - + Edit Theme - %s Téma szerkesztése – %s @@ -4952,47 +5054,47 @@ A tartalom kódolása nem UTF-8. OpenLP.ThemesTab - + Global Theme Globális téma - + Theme Level Téma szint - + S&ong Level Dal &szint - + 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. Minden dalra az adatbázisban tárolt téma alkalmazása. Ha egy dalhoz nincs saját téma beállítva, akkor a szolgálati sorrendhez beállított alkalmazása. Ha a sorrendhez sincs téma beállítva, akkor a globális téma alkalmazása. - + &Service Level Szolgálati sorrend &szint - + 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. A szolgálati sorrendhez beállított téma alkalmazása, vagyis az egyes dalokhoz megadott témák felülírása. Ha a szolgálati sorrendhez nincs téma beállítva, akkor a globális téma alkalmazása. - + &Global Level &Globális szint - + Use the global theme, overriding any themes associated with either the service or the songs. A globális téma alkalmazása, vagyis a szolgálati sorrendhez, ill. a dalokhoz beállított témák felülírása. - + Themes Témák @@ -5076,245 +5178,245 @@ A tartalom kódolása nem UTF-8. pt - + Image Kép - + Import Importálás - + Live Élő adás - + Live Background Error Élő háttér hiba - + Load Betöltés - + Middle Középre - + New Új - + New Service Új sorrend - + New Theme Új téma - + No File Selected Singular Nincs kijelölt fájl - + No Files Selected Plural Nincsenek kijelölt fájlok - + No Item Selected Singular Nincs kijelölt elem - + No Items Selected Plural Nincsenek kijelölt elemek - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Előnézet - + Replace Background Háttér cseréje - + Reset Background Háttér visszaállítása - + s The abbreviated unit for seconds mp - + Save && Preview Mentés és előnézet - + Search Keresés - + You must select an item to delete. Ki kell jelölni egy törlendő elemet. - + You must select an item to edit. Ki kell jelölni egy szerkesztendő elemet. - + Save Service Sorrend mentése - + Service Sorrendbe - + Start %s Kezdés %s - + Theme Singular Téma - + Themes Plural Témák - + Top Felülre - + Version Verzió - + Delete the selected item. Kiválasztott elem törlése. - + Move selection up one position. Kiválasztás eggyel feljebb helyezése. - + Move selection down one position. Kiválasztás eggyel lejjebb helyezése. - + &Vertical Align: &Függőleges igazítás: - + Finished import. Az importálás befejeződött. - + Format: Formátum: - + Importing Importálás - + Importing "%s"... Importálás „%s”… - + Select Import Source Jelölj ki az importálandó forrást - + Select the import format and the location to import from. Jelöld ki az importálás formátumát és az importálás helyét. - + 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. Az openlp.org 1.x importáló le lett tiltva egy hiányzó Python modul miatt. Ha szeretnéd használni ezt az importálót, telepíteni kell a „python-sqlite” modult. - + Open %s File %s fájl megnyitása - + %p% %p% - + Ready. Kész. - + Starting import... Importálás indítása… - + You need to specify at least one %s file to import from. A file type e.g. OpenSong - Ki kell választani legalább egy %s fájlt az importáláshoz. + Meg kell adni legalább egy %s fájlt az importáláshoz. - + Welcome to the Bible Import Wizard Üdvözlet a bibliaimportáló tündérben @@ -5324,7 +5426,7 @@ A tartalom kódolása nem UTF-8. Üdvözlet a dalexportáló tündérben - + Welcome to the Song Import Wizard Üdvözlet a dalimportáló tündérben @@ -5412,53 +5514,53 @@ A tartalom kódolása nem UTF-8. ó - + Layout style: Elrendezés: - + Live Toolbar Élő eszköztár - + m The abbreviated unit for minutes p - + OpenLP is already running. Do you wish to continue? Az OpenLP mér fut. Folytatható? - + Settings Beállítások - + Tools Eszközök - + Unsupported File Nem támogatott fájl - + Verse Per Slide Egy vers diánként - + Verse Per Line Egy vers soronként - + View Nézet @@ -5473,37 +5575,37 @@ A tartalom kódolása nem UTF-8. XML szintaktikai hiba - + View Mode Nézetmód - + Open service. Sorrend megnyitása. - + Print Service Szolgálati sorrend nyomtatása - + Replace live background. Élő adás hátterének cseréje. - + Reset live background. Élő adás hátterének visszaállítása. - + Split a slide into two only if it does not fit on the screen as one slide. Diák kettéválasztása csak akkor, ha nem fér ki a képernyőn egy diaként. - + Welcome to the Bible Upgrade Wizard Üdvözlet a bibliafrissítő tündérben @@ -5513,64 +5615,105 @@ A tartalom kódolása nem UTF-8. Törlés megerősítése - + Play Slides in Loop Ismétlődő diavetítés - + Play Slides to End Diavetítés a végéig - + Stop Play Slides in Loop Ismétlődő vetítés megállítása - + Stop Play Slides to End Vetítés megállítása - + Next Track Következő szám - + Search Themes... Search bar place holder text Témák keresése... - + Optional &Split - + &Feltételes törés + + + + Invalid Folder Selected + Singular + Érvénytelen kijelölt mappa + + + + Invalid File Selected + Singular + Érvénytelen kijelölt állomány + + + + Invalid Files Selected + Plural + Érvénytelen kijelölt állományok + + + + No Folder Selected + Singular + Nincs kijelölt mappa + + + + Open %s Folder + %s mappa megnyitása + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Meg kell adni egy %s fájlt az importáláshoz. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Meg kell adni egy %s mappát az importáláshoz. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 és %2 - + %1, and %2 Locale list separator: end %1, és %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5579,50 +5722,50 @@ A tartalom kódolása nem UTF-8. 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>Bemutató bővítmény</strong><br />A bemutató bővítmény különböző külső programok segítségével bemutatók megjelenítését teszi lehetővé. A prezentációs programok egy listából választhatók ki. - + Presentation name singular Bemutató - + Presentations name plural Bemutatók - + Presentations container title Bemutatók - + Load a new presentation. Új bemutató betöltése. - + Delete the selected presentation. A kijelölt bemutató törlése. - + Preview the selected presentation. A kijelölt bemutató előnézete. - + Send the selected presentation live. A kijelölt bemutató élő adásba küldése. - + Add the selected presentation to the service. A kijelölt bemutató hozzáadása a sorrendhez. @@ -5630,70 +5773,70 @@ A tartalom kódolása nem UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Bemutatók kijelölése - + Automatic Automatikus - + Present using: Bemutató ezzel: - + File Exists A fájl létezik - + A presentation with that filename already exists. Ilyen fájlnéven már létezik egy bemutató. - + This type of presentation is not supported. Ez a bemutató típus nem támogatott. - + Presentations (%s) Bemutatók (%s) - + Missing Presentation Hiányzó bemutató - - The Presentation %s no longer exists. - A bemutató már nem létezik: %s. + + The presentation %s is incomplete, please reload. + A bemutató hiányos, újra kell tölteni: %s. - - The Presentation %s is incomplete, please reload. - A bemutató hiányos, újra kell tölteni: %s. + + The presentation %s no longer exists. + A bemutató már nem létezik: %s. PresentationPlugin.PresentationTab - + Available Controllers Elérhető vezérlők - + %s (unavailable) %s (elérhetetlen) - + Allow presentation application to be overridden A bemutató program felülírásának engedélyezése @@ -5727,150 +5870,150 @@ A tartalom kódolása nem UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 távirányító - + OpenLP 2.0 Stage View OpenLP 2.0 színpadi nézet - + Service Manager Sorrendkezelő - + Slide Controller Diakezelő - + Alerts Értesítések - + Search Keresés - + Refresh Frissítés - + Blank Elsötétítés - + Show Vetítés - + Prev Előző - + Next Következő - + Text Szöveg - + Show Alert Értesítés megjelenítése - + Go Live Élő adásba - + No Results Nincs találat - + Options Beállítások - + Add to Service Hozzáadás a sorrendhez - + Home - - - - - Theme - Téma + Kezdőlap - Desktop - + Theme + Téma - + + Desktop + Asztal + + + Add &amp; Go to Service - + Hozzáadás és ugrás a sorrendre RemotePlugin.RemoteTab - + Serve on IP address: Szolgáltatás IP címe: - + Port number: Port száma: - + Server Settings Szerver beállítások - + Remote URL: Távirányító URL: - + Stage view URL: Színpadi nézet URL: - + Display stage time in 12h format Időkijelzés a színpadi nézeten 12 órás formában - + Android App Android alkalmazás - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Szkenneld be a QR kódot vagy kattints az Android alkalmazás <a href="https://market.android.com/details?id=org.openlp.android">letöltéséhez</a> az alkalmazásboltból. @@ -5878,85 +6021,85 @@ A tartalom kódolása nem UTF-8. 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 @@ -6017,22 +6160,22 @@ A tartalom kódolása nem UTF-8. Helyszín jelentése - + Output File Location Kimeneti fájl elérési útvonala - + usage_detail_%s_%s.txt Dalstatisztika_%s%s.txt - + Report Creation Riport készítése - + Report %s has been successfully created. @@ -6040,12 +6183,12 @@ has been successfully created. %s. - + Output Path Not Selected Kimeneti útvonal nincs kijelölve - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Egy nem létező útvonalat adtál meg a dalstatisztika riporthoz. Jelölj ki egy érvényes űtvonalat a számítógépen. @@ -6083,82 +6226,82 @@ has been successfully created. 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. @@ -6167,26 +6310,26 @@ 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álaszd ki a karakterkódolást. A kódlap felelős a karakterek helyes megjelenítéséért. - + Song name singular Dal - + Songs name plural Dalok - + Songs container title Dalok @@ -6197,32 +6340,32 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Dalok exportálása a dalexportáló tündérrel. - + 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. @@ -6250,17 +6393,17 @@ A kódlap felelős a karakterek helyes megjelenítéséért. Vezetéknév: - + You need to type in the first name of the author. Meg kell adni a szerző vezetéknevét. - + You need to type in the last name of the author. Meg kell adni a szerző keresztnevét. - + You have not set a display name for the author, combine the first and last names? Nincs megadva a szerző megjelenített neve, legyen előállítva a vezeték és keresztnevéből? @@ -6295,12 +6438,12 @@ EasyWorshipből kerültek importálásra] Meta Data - + Metaadat Custom Book Names - + Egyedi könyvnevek @@ -6401,72 +6544,72 @@ EasyWorshipből kerültek importálásra] Téma, © és megjegyzés - + 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 gombra a 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. - + 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. - + 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. @@ -6496,7 +6639,7 @@ EasyWorshipből kerültek importálásra] Fájlok &eltávolítása - + Open File(s) Fájlok megnyitása @@ -6506,7 +6649,7 @@ EasyWorshipből kerültek importálásra] <strong>Figyelmeztetés:</strong> Nincs minden verszak alkalmazva. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. A versszaksorrend hibás. Nincsenek ilyen versszakok: %s. Az érvényes elemek ezek: %s. @@ -6584,7 +6727,7 @@ EasyWorshipből kerültek importálásra] You need to add at least one Song to export. - Ki kell választani legalább egy dalt az exportáláshoz. + Ki kell jelölni legalább egy dalt az exportáláshoz. @@ -6620,134 +6763,139 @@ EasyWorshipből kerültek importálásra] SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Jelölj ki egy dokumentum vagy egy bemutató fájlokat - + Song Import Wizard Dalimportáló tündér - + 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. 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ó - - Filename: - Fájlnév: - - - - 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. - 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. - - - + Add Files... Fájlok hozzáadása… - + Remove File(s) Fájlok törlése - + Please wait while your songs are imported. Kérlek, várj, míg a dalok importálás alatt állnak. - + 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 - + Copy Másolás - + Save to File Mentés fájlba - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A Songs of Fellowship importáló le lett tiltva, mivel az OpenLP nem talál OpenOffice-t vagy LibreOffice-t a számítógépen. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 - + CCLI SongSelect Files - + CCLI SongSelect fájlok - + EasySlides XML File - + EasySlides XML fájl - + EasyWorship Song Database - + EasyWorship dal adatbázis + + + + DreamBeam Song Files + DreamBeam dal fájlok + + + + You need to specify a valid PowerSong 1.0 database folder. + Meg kell adni egy érvényes PowerSong 1.0 adatvázis mappát. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Előbb CSV szövegfájllá kell konvertálni a ZionWorx adatbázist a <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Felhasználói kézikönyv</a> útmutatása szerint. @@ -6766,22 +6914,22 @@ EasyWorshipből kerültek importálásra] SongsPlugin.MediaItem - + Titles Címek - + Lyrics Dalszöveg - + CCLI License: CCLI licenc: - + Entire Song Teljes dal @@ -6793,7 +6941,7 @@ EasyWorshipből kerültek importálásra] - + Maintain the lists of authors, topics and books. Szerzők, témakörök, könyvek listájának kezelése. @@ -6804,27 +6952,27 @@ EasyWorshipből kerültek importálásra] másolás - + Search Titles... Címek keresése... - + Search Entire Song... Teljes dal keresése... - + Search Lyrics... Dalszöveg keresése... - + Search Authors... Szerzők keresése... - + Search Song Books... Énekeskönyvek keresése... @@ -6853,6 +7001,19 @@ EasyWorshipből kerültek importálásra] Exportálás „%s”… + + SongsPlugin.PowerSongImport + + + No songs to import. + Nincsenek importálható dalok. + + + + Verses not found. Missing "PART" header. + Versszakok nem találhatók. Hiányzik a „PART” fejléc. + + SongsPlugin.SongBookForm @@ -6892,12 +7053,12 @@ EasyWorshipből kerültek importálásra] SongsPlugin.SongImport - + copyright szerzői jog - + The following songs could not be imported: A következő dalok nem importálhatók: @@ -6917,118 +7078,110 @@ EasyWorshipből kerültek importálásra] A fájl nem található - - SongsPlugin.SongImportForm - - - Your song import failed. - Az importálás meghiúsult. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. A szerzőt nem lehet hozzáadni. - + This author already exists. Ez a szerző már létezik. - + Could not add your topic. A témakört nem lehet hozzáadni. - + This topic already exists. Ez a témakör már létezik. - + Could not add your book. A könyvet nem lehet hozzáadni. - + This book already exists. Ez a könyv már létezik. - + Could not save your changes. A módosításokat nem lehet elmenteni. - + Could not save your modified author, because the author already exists. A módosított szerzőt nem lehet elmenteni, mivel már a szerző létezik. - + Could not save your modified topic, because it already exists. A módosított témakört nem lehet elmenteni, mivel már létezik. - + Delete Author Szerző törlése - + Are you sure you want to delete the selected author? Valóban törölhető a kijelölt szerző? - + This author cannot be deleted, they are currently assigned to at least one song. Ezt a szerzőt nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Topic Témakör törlése - + Are you sure you want to delete the selected topic? Valóban törölhető a kijelölt témakör? - + This topic cannot be deleted, it is currently assigned to at least one song. Ezt a témakört nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + Delete Book Könyv törlése - + Are you sure you want to delete the selected book? Valóban törölhető a kijelölt könyv? - + This book cannot be deleted, it is currently assigned to at least one song. Ezt a könyvet nem lehet törölni, mivel jelenleg legalább egy dalhoz hozzá van rendelve. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Ez a szerző már létezik: %s. Szeretnéd, hogy a dal – melynek szerzője %s – a már létező szerző (%s) dalai közé kerüljön rögzítésre? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Ez a témakör már létezik: %s. Szeretnéd, hogy a dal – melynek témaköre: %s – a már létező témakörben (%s) kerüljön rögzítésre? - + 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önyve: %s – a már létező könyvben (%s) kerüljön rögzítésre? @@ -7036,29 +7189,29 @@ EasyWorshipből kerültek importálásra] SongsPlugin.SongsTab - + Songs Mode Dalmód - + Enable search as you type Gépelés közbeni keresés engedélyezése - + Display verses on live tool bar Versszakok megjelenítése az élő adás eszköztáron - + Update service from song edit Sorrendben lévő példány frissítése a dal módosításakor - + Import missing songs from service files - + Hiányzó dalok importálása a szolgálati fájlokból @@ -7117,4 +7270,17 @@ EasyWorshipből kerültek importálásra] Más + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Hiba a CSV fájl olvasása közben. + + + + File not valid ZionWorx CSV format. + A fájl nem érvényes ZionWorx CSV formátumú. + + diff --git a/resources/i18n/id.ts b/resources/i18n/id.ts index 6f69eb5fe..a071f58ed 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. @@ -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,510 +152,510 @@ Tetap lanjutkan? BiblesPlugin - + &Bible &Alkitab - + Bible name singular Alkitab - + Bibles name plural Alkitab - + Bibles container title Alkitab - + No Book Found Kitab Tidak Ditemukan - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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 the Bible databases to the latest format. Perbarui basis data Alkitab ke format terbaru. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -709,39 +709,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Referensi Kitab Suci Galat - + Web Bible cannot be used Alkitab Web tidak dapat digunakan - + Text Search is not available with Web Bibles. Pencarian teks tidak dapat dilakukan untuk Alkitab 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. Anda tidak memasukkan kata kunci pencarian. Anda dapat memisahkan kata kunci dengan spasi untuk mencari seluruh kata kunci dan Anda dapat memisahkan kata kunci dengan koma untuk mencari salah satu kata kunci. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. TIdak ada Alkitab terpasang. Harap gunakan Wisaya Impor untuk memasang sebuah atau beberapa Alkitab. - + No Bibles Available Alkitab tidak tersedia - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -757,128 +757,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Tampilan Ayat - + Only show new chapter numbers Hanya tampilkan nomor pasal baru - + Bible theme: Tema Alkitab: - + No Brackets Tanpa tanda kurung - + ( And ) ( Dan ) - + { And } { Dan } - + [ And ] [ Dan ] - + Note: Changes do not affect verses already in the service. Catatan: Perubahan tidak akan mempengaruhi ayat yang kini tampil. - + Display second Bible verses Tampilkan ayat Alkitab selanjutnya - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English Inggris - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -890,11 +890,6 @@ search results and on display: Select Book Name Pilih nama Kitab - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Buku ini tidak dapat dicocokkan dengan sistem. Mohon pilih nama buku tersebut dalam bahasa Inggris. - Current name: @@ -925,11 +920,16 @@ search results and on display: Apocrypha Apokripa + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Anda harus memilih sebuah kitab. @@ -1025,38 +1025,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Mendaftarkan Alkitab dan memuat buku... - + Registering Language... Mendaftarkan bahasa... - + Importing %s... Importing <book name>... Mengimpor %s... - + Download Error 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. - + Parse Error 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. @@ -1064,167 +1064,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Wisaya Impor Alkitab - + 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. Wisaya ini akan membantu Anda mengimpor Alkitab dari berbagai format. Klik tombol lanjut di bawah untuk memulai proses dengan memilih format untuk diimpor. - + Web Download Unduh dari web - + Location: Lokasi: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Alkitab: - + Download Options Opsi Unduhan - + Server: Server: - + Username: Nama Pengguna: - + Password: Sandi-lewat: - + Proxy Server (Optional) Proxy Server (Opsional) - + License Details Rincian Lisensi - + Set up the Bible's license details. Memasang rincian lisensi Alkitab. - + Version name: Nama versi: - + Copyright: Hak cipta: - + Please wait while your Bible is imported. Mohon tunggu selama Alkitab diimpor. - + You need to specify a file with books of the Bible to use in the import. Anda harus menentukan berkas yang berisi nama kitab dalam Alkitab untuk digunakan dalam import. - + You need to specify a file of Bible verses to import. Anda harus menentukan berkas Alkitab untuk diimpor. - + You need to specify a version name for your Bible. Anda harus menentukan nama versi untuk Alkitab Anda. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Anda harus memberikan hak cipta untuk Alkitab Anda. Alkitab di Public Domain harus ditandai sedemikian. - + Bible Exists Alkitab Sudah Ada - + This Bible already exists. Please import a different Bible or first delete the existing one. Alkitab sudah ada. Silakan impor Alkitab lain atau hapus yang sudah ada. - + Your Bible import failed. Impor Alkitab gagal. - + CSV File Berkas CSV - + Bibleserver Server Alkitab - + Permissions: Izin: - + Bible file: Berkas Alkitab: - + Books file: Berkas kitab: - + Verses file: Berkas ayat: - + openlp.org 1.x Bible Files Ayat Alkitab openlp.org 1.x - + Registering Bible... Mendaftarkan Alkitab... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Alkitab terdaftar. Mohon camkan, ayat akan diunduh saat @@ -1260,92 +1260,92 @@ dibutuhkan dan membutuhkan koneksi internet. BiblesPlugin.MediaItem - + Quick Cepat - + Find: Temukan: - + Book: Kitab: - + Chapter: Pasal: - + Verse: Ayat: - + From: Dari: - + To: Kepada: - + Text Search Pencarian Teks - + Second: Kedua: - + Scripture Reference Referensi Alkitab - + Toggle to keep or clear the previous results. Ganti untuk menyimpan atau menghapus hasil sebelumnya. - + 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? - + Bible not fully loaded. Alkitab belum termuat seluruhnya. - + Information 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1353,7 +1353,7 @@ dibutuhkan dan membutuhkan koneksi internet. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Mengimpor %s %s... @@ -1362,12 +1362,12 @@ dibutuhkan dan membutuhkan koneksi internet. 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... @@ -1376,149 +1376,149 @@ dibutuhkan dan membutuhkan koneksi internet. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Pilih direktori cadangan - + Bible Upgrade Wizard Wisaya Upgrade Alkitab - + 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. Wisaya ini akan membantu ada mengupgrade Alkitab yang tersedia. Klik tombol selanjutnya untuk memulai proses upgrade. - + Select Backup Directory Pilih Direktori Pencadangan - + Please select a backup directory for your Bibles Mohon pilih direktori pencadangan untuk Alkitab Anda - + 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>. Rilis sebelumnya dari OpenLP 2.0 tidak dapat menggunakan Alkitab termutakhirkan. Langkah ini akan membuat sebuah cadangan untuk seluruh Alkitab Anda sehingga Anda tinggal menyalin berkas-berkas ke direktori data OpenLP jika Anda perlu kembali ke rilis sebelumnya dari OpenLP. Silakan lihat <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>. - + Please select a backup location for your Bibles. Mohon pilh sebuah lokasi pencadangan untuk Alkitab Anda. - + Backup Directory: Direktori Pencadangan: - + There is no need to backup my Bibles Tidak perlu membuat cadangan Alkitab - + Select Bibles Pilih Alkitab - + Please select the Bibles to upgrade Mohon pilih Alkitab untuk dimutakhirkan - + Upgrading Memutakhirkan - + Please wait while your Bibles are upgraded. Mohon tunggu sementara Alkitab sedang diperbarui. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Pencadangan gagal. Untuk mencadangkan Alkitab Anda perlu izin untuk menulis di direktori terpilih. - + Upgrading Bible %s of %s: "%s" Failed Pemutakhiran Alkitab %s dari %s: "%s" Gagal - + Upgrading Bible %s of %s: "%s" Upgrading ... Pemutakhiran Alkitab %s dari %s: "%s" Memutakhirkan ... - + Download Error Unduhan Gagal - + To upgrade your Web Bibles an Internet connection is required. Untuk memutakhirkan Alkitab Web, koneksi internet dibutuhkan. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Memutakhirkan Alkitab %s dari %s: "%s" Memutakhirkan %s ... - + Upgrading Bible %s of %s: "%s" Complete Perbaruan Alkitab %s dari %s: "%s" Selesai - + , %s failed , %s gagal - + 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. Perbaruan Alkitab: %s sukses%s Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan internet dibutuhkan. - + Upgrading Bible(s): %s successful%s Pemutakhiran Alkitab: %s berhasil%s - + Upgrade failed. Pemutakhirkan gagal. - + You need to specify a backup directory for your Bibles. Anda harus membuat sebuah direktori pencadangan untuk Alkitab Anda. - + Starting upgrade... Memulai perbaruan... - + There are no Bibles that need to be upgraded. Tidak ada Alkitab yang perlu diperbarui. @@ -1592,12 +1592,12 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i CustomPlugin.CustomTab - + Custom Display Tampilan Suai - + Display footer Catatan kaki tampilan @@ -1668,7 +1668,7 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1678,60 +1678,60 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i 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>Plugin Gambar</strong><br />Plugin gambar memungkinkan penayangan gambar.<br />Salah satu keunggulan fitur ini adalah kemampuan untuk menggabungkan beberapa gambar pada Service Manager, yang menjadikan penayangan beberapa gambar mudah. Plugin ini juga dapat menggunakan "perulangan terwaktu" dari OpenLP untuk membuat slide show yang berjalan otomatis. Juga, gambar dari plugin dapat digunakan untuk menggantikan latar tema. - + Image name singular Gambar - + Images name plural Gambar - + Images container title Gambar - + Load a new image. Muat gambar baru. - + Add a new image. Tambah gambar baru. - + Edit the selected image. Sunting gambar terpilih. - + Delete the selected image. Hapus gambar terpilih. - + Preview the selected image. Pratayang gambar terpilih. - + Send the selected image live. Tayangkan gambar terpilih. - + Add the selected image to the service. Tambahkan gambar terpilih ke layanan. @@ -1739,7 +1739,7 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i ImagePlugin.ExceptionDialog - + Select Attachment Pilih Lampiran @@ -1747,44 +1747,44 @@ Perhatikan bahwa ayat dari Alkitab Web akan diunduh saat diminta dan sambungan i ImagePlugin.MediaItem - + Select Image(s) Pilih Gambar - + You must select an image to delete. Pilih sebuah gambar untuk dihapus. - + You must select an image to replace the background with. Pilih sebuah gambar untuk menggantikan latar. - + Missing Image(s) Gambar Tidak Ditemukan - + The following image(s) no longer exist: %s Gambar berikut tidak ada lagi: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Gambar berikut tidak ada lagi: %s Ingin tetap menambah gambar lain? - + There was a problem replacing your background, the image file "%s" no longer exists. Ada masalah dalam mengganti latar, berkas gambar "%s" tidak ada lagi. - + There was no display item to amend. Tidak ada butir tampilan untuk di-amend. @@ -1792,17 +1792,17 @@ Ingin tetap menambah gambar lain? ImagesPlugin.ImageTab - + Background Color Warna Latar - + Default Color: Warna Bawaan: - + Visible background for images with aspect ratio different to screen. @@ -1810,60 +1810,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. @@ -1911,7 +1911,7 @@ Ingin tetap menambah gambar lain? Tidak ada butir tayangan untuk di-amend. - + Unsupported File Berkas Tidak Didukung @@ -1929,22 +1929,22 @@ Ingin tetap menambah gambar lain? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1952,7 +1952,7 @@ Ingin tetap menambah gambar lain? OpenLP - + Image Files Berkas Gambar @@ -2156,192 +2156,274 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Pengaturan Antarmuka - + Number of recent files to display: Jumlah berkas anyar untuk ditampilkan: - + Remember active media manager tab on startup Ingat tab media manager yang aktif saat mulai - + Double-click to send items straight to live Klik-ganda untuk menayangkan butir terpilih - + Expand new service items on creation Tampilkan benda service saat dibuat - + Enable application exit confirmation Gunakan konfirmasi aplikasi keluar - + Mouse Cursor Kursor Tetikus - + Hide mouse cursor when over display window Sembunyikan kursor tetikus saat melewati jendela tampilan - + Default Image Gambar bawaan - + Background color: Warna latar: - + Image file: Berkas gambar: - + Open File Buka Berkas - + Advanced Lanjutan - + Preview items when clicked in Media Manager Pratayang barang saat diklik pada Media Manager - + Click to select a color. Klik untuk memilih warna. - + Browse for an image file to display. Ramban sebuah gambar untuk ditayangkan. - + Revert to the default OpenLP logo. Balikkan ke logo OpenLP bawaan. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2378,7 +2460,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Lampirkan Berkas - + Description characters to enter : %s Karakter deskripsi untuk dimasukkan: %s @@ -2386,24 +2468,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2434,7 +2516,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2570,17 +2652,17 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. Pengaturan Bawaan - + Downloading %s... Mengunduh %s... - + Download complete. Click the finish button to start OpenLP. Unduhan selesai. Klik tombol selesai untuk memulai OpenLP. - + Enabling selected plugins... Mengaktifkan plugin terpilih... @@ -2650,32 +2732,32 @@ Mohon gunakan bahasa Inggris untuk laporan kutu. 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. - + 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. @@ -2760,32 +2842,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Galat dalam Memperbarui - + Tag "n" already defined. 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. @@ -2793,82 +2875,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + 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 @@ -2876,157 +2958,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Umum - + Monitors Monitor - + Select monitor for output display: Pilih monitor untuk tampilan keluaran: - + Display if a single screen Tampilkan jika layar tunggal - + Application Startup Awal Mulai Aplikasi - + Show blank screen warning Tampilkan peringatan layar kosong - + Automatically open the last service Buka layanan terakhir secara otomatis - + Show the splash screen Tampilkan logo di awal - + Application Settings Pengaturan Aplikasi - + Prompt to save before starting a new service Coba simpan sebelum memulai pelayanan baru - + Automatically preview next item in service Pratinjau item selanjutnya pada sevice - + sec sec - + CCLI Details Detail CCLI - + SongSelect username: Nama pengguna SongSelect: - + SongSelect password: Sandi-lewat SongSelect: - + X X - + Y Y - + Height Tinggi - + Width Lebar - + Check for updates to OpenLP Cek pembaruan untuk OpenLP - + Unblank display when adding new live item Jangan kosongkan layar saat menambah butir tayang baru - + Timed slide interval: Selang waktu salindia: - + Background Audio Audio Latar - + Start background audio paused Mulai audio latar terjeda - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -3034,12 +3116,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Bahasa - + Please restart OpenLP to use your new language setting. Mohon mulai ulang OpenLP untuk menggunakan pengaturan bahasa baru. @@ -3055,287 +3137,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.MainWindow - + &File &Berkas - + &Import &Impor - + &Export &Ekspor - + &View &Lihat - + M&ode M&ode - + &Tools &Kakas - + &Settings &Pengaturan - + &Language &Bahasa - + &Help Bantua&n - + Media Manager Manajer Media - + Service Manager Manajer Layanan - + Theme Manager Manajer Tema - + &New &Baru - + &Open &Buka - + Open an existing service. Buka layanan yang ada. - + &Save &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. - + &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/. @@ -3344,108 +3426,108 @@ 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 - + English Please add the name of your language here Inggris - + Configure &Shortcuts... Atur &Pintasan... - + Close OpenLP Tutup OpenLP - + Are you sure you want to close OpenLP? Yakin ingin menutup OpenLP? - + Open &Data Folder... 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. - + &Recent Files Be&rkas Baru-baru 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. @@ -3454,43 +3536,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and Menjalankan wisaya ini mungkin akan mengubah konfigurasi OpenLP saat ini dan mungkin menambah lagu ke dalam daftar lagu dan mengubah tema bawaan. - + Clear List Clear List of recent files Bersihkan Daftar - + Clear the list of recent files. 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. @@ -3499,52 +3581,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3554,73 +3641,73 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Tidak Ada Barang yang Terpilih - + &Add to selected Service Item T&ambahkan ke dalam Butir Layanan - + You must select one or more items to preview. Anda harus memilih satu atau beberapa butir untuk dipratilik. - + You must select one or more items to send live. Anda harus memilih satu atau beberapa butir untuk ditayangkan. - + You must select one or more items. Anda harus memilih satu atau beberapa butir. - + You must select an existing service item to add to. Anda harus memilih butir layanan yang ada untuk ditambahkan. - + Invalid Service Item Butir Layanan Tidak Sahih - + You must select a %s service item. Anda harus memilih sebuah butir layanan %s. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3628,12 +3715,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3775,12 +3862,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Layar - + primary Utama @@ -3788,12 +3875,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3809,277 +3896,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top Pindahkan ke punc&ak - + Move item to the top of the service. Pindahkan butir ke puncak daftar layanan. - + Move &up Pindahkan ke a&tas - + Move item up one position in the service. Naikkan butir satu posisi pada daftar layanan. - + Move &down Pindahkan ke &bawah - + Move item down one position in the service. Turunkan butir satu posisi pada daftar layanan. - + Move to &bottom Pindahkan ke &kaki - + Move item to the end of the service. Pindahkan butir ke kaki daftar layanan. - + &Delete From Service Hapus &dari Layanan - + Delete the selected item from the service. Hapus butir terpilih dari layanan. - + &Add New Item T&ambahkan Butir Baru - + &Add to Selected Item T&ambahkan ke Butir Terpilih - + &Edit Item &Sunting Butir - + &Reorder Item Atu&r Ulang Butir - + &Notes Catata&n - + &Change Item Theme &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 - + 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 - + 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 - + Go Live Tayangkan - + Send the selected item to Live. Tayangkan butir terpilih. - + &Start Time &Waktu Mulai - + Show &Preview Tampilkan &Pratinjau - - Show &Live - Tampi&lkan Tayang - - - + 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? - + Custom Service Notes: - + Notes: - + Playing time: - + Untitled Service - + 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 - + 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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4110,12 +4202,12 @@ Isi berkas tidak berupa UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4150,12 +4242,12 @@ Isi berkas tidak berupa UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4168,172 +4260,172 @@ Isi berkas tidak berupa UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio Audio Latar - + Go to next audio track. - + Tracks @@ -4427,32 +4519,32 @@ Isi berkas tidak berupa UTF-8. 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) @@ -4460,193 +4552,193 @@ Isi berkas tidak berupa UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4874,7 +4966,7 @@ Isi berkas tidak berupa UTF-8. - + Edit Theme - %s @@ -4927,47 +5019,47 @@ Isi berkas tidak berupa UTF-8. 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 @@ -5051,245 +5143,245 @@ Isi berkas tidak berupa UTF-8. - + Image Gambar - + Import - + Live Tayang - + 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 Tidak Ada Barang yang Terpilih - + openlp.org 1.x - + 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 - + 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"... - + 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 @@ -5299,7 +5391,7 @@ Isi berkas tidak berupa UTF-8. - + Welcome to the Song Import Wizard @@ -5387,53 +5479,53 @@ Isi berkas tidak berupa UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings Pengaturan - + Tools - + Unsupported File Berkas Tidak Didukung - + Verse Per Slide - + Verse Per Line - + View @@ -5448,37 +5540,37 @@ Isi berkas tidak berupa UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5488,64 +5580,105 @@ Isi berkas tidak berupa UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5554,50 +5687,50 @@ Isi berkas tidak berupa UTF-8. 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 Presentasi - + Presentations container title Presentasi - + Load a new presentation. - + Delete the selected presentation. - + Preview the selected presentation. - + Send the selected presentation live. - + Add the selected presentation to the service. @@ -5605,70 +5738,70 @@ Isi berkas tidak berupa UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) - + Automatic Otomatis - + Present using: - + File Exists - + A presentation with that filename already exists. - + This type of presentation is not supported. - + Presentations (%s) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5702,107 +5835,107 @@ Isi berkas tidak berupa UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager Manajer Layanan - + Slide Controller - + Alerts Peringatan - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live Tayangkan - + No Results - + Options Pilihan - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5810,42 +5943,42 @@ Isi berkas tidak berupa UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5853,85 +5986,85 @@ Isi berkas tidak berupa 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 @@ -5992,34 +6125,34 @@ Isi berkas tidak berupa UTF-8. - + 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. @@ -6057,107 +6190,107 @@ has been successfully created. - + 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 @@ -6168,32 +6301,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6221,17 +6354,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6370,72 +6503,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6465,7 +6598,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6475,7 +6608,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6589,135 +6722,140 @@ The encoding is responsible for the correct character representation. 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 Salin - + Save to File Simpan menjadi Berkas - + 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6735,22 +6873,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6762,7 +6900,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6773,27 +6911,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6822,6 +6960,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6861,12 +7012,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6886,118 +7037,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -7005,27 +7148,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -7086,4 +7229,17 @@ The encoding is responsible for the correct character representation. Lainnya + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/it.ts b/resources/i18n/it.ts index 683ff80a2..236df4837 100644 --- a/resources/i18n/it.ts +++ b/resources/i18n/it.ts @@ -3,35 +3,35 @@ AlertsPlugin - + &Alert &Avviso - + Show an alert message. Mostra un messaggio di avviso. - + Alert name singular Avviso - + Alerts name plural Avvisi - + Alerts container title Avvisi - + <strong>Alerts Plugin</strong><br />The alert plugin controls the displaying of nursery alerts on the display screen. <strong>Plugin di Avvisi</strong><br />Il plugin di allarme controlla la visualizzazione di avvisi sul display. @@ -119,32 +119,32 @@ Vuoi continuare comunque? AlertsPlugin.AlertsTab - + Font Carattere - + Font name: Nome del Carattere - + Font color: Colore del Carattere - + Background color: Colore di sfondo: - + Font size: Dimensione Carattere: - + Alert timeout: Avviso Timeout: @@ -152,510 +152,510 @@ Vuoi continuare comunque? BiblesPlugin - + &Bible &Bibbia - + Bible name singular Bibbia - + Bibles name plural Bibbie - + Bibles container title Bibbie - + No Book Found Nessun libro trovato - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. Nessun libro analogo può essere trovato in questa Bibbia. Verificare di aver digitato il nome del libro in modo corretto. - + Import a Bible. Importa una Bibbia. - + Add a new Bible. Aggiungi una nuova Bibbia. - + Edit the selected Bible. Modifica la Bibbia selezionata. - + Delete the selected Bible. Cancella la Bibbia selezionata - + Preview the selected Bible. Anteprima della Bibbia selezionata. - + Send the selected Bible live. Invia la Bibbia selezionata dal vivo. - + Add the selected Bible to the service. Aggiungi la Bibbia selezionata al servizio. - + <strong>Bible Plugin</strong><br />The Bible plugin provides the ability to display Bible verses from different sources during the service. <strong>Bibbia Plugin</strong><br />Il plugin della Bibbia offre la possibilità di visualizzare i versetti della Bibbia da fonti diverse durante il servizio. - + &Upgrade older Bibles &Aggiornamento vecchie Bibbie - + Upgrade the Bible databases to the latest format. Aggiorna i database della Bibbia al formato più recente. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -709,39 +709,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Errore di Riferimento nella Scrittura - + Web Bible cannot be used La Bibbia nel Web non può essere utilizzato - + Text Search is not available with Web Bibles. Cerca testo non è disponibile con La Bibbia sul 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. Non hai inserito una parola chiave di ricerca. ⏎ È possibile separare parole chiave diverse da uno spazio per la ricerca di tutte le parole chiave e si possono separare con una virgola per la ricerca di uno di loro. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Non ci sono Bibbie attualmente installati. Si prega di utilizzare l'importazione guidata per installare uno o più Bibbie. - + No Bibles Available Bibbia non disponibile - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -757,128 +757,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Visualizza Versetto - + Only show new chapter numbers Mostra solo i numeri del nuovo capitolo - + Bible theme: Tema della Bibbia - + No Brackets Senza Parentesi Quadre - + ( And ) (E) - + { And } {E} - + [ And ] [E] - + Note: Changes do not affect verses already in the service. Nota: ⏎ Le modifiche non influiscono i versetti già nel servizio. - + Display second Bible verses Visualizza i Secondi versetti della Bibbia - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -890,11 +890,6 @@ search results and on display: Select Book Name Seleziona il Nome del Libro - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Il nome del seguente libro non può essere abbinato fino internamente. Si prega di selezionare il nome corrispondente in inglese dalla lista. - Current name: @@ -925,11 +920,16 @@ search results and on display: Apocrypha Libri Apocrifi + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. È necessario selezionare un libro. @@ -1025,38 +1025,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrazione della Bibbia e caricamento dei libri... - + Registering Language... Registrazione Lingua... - + Importing %s... Importing <book name>... Importazione %s... - + Download Error Errore di Download - + 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. C'è stato un problema nel scaricare il versetto selezionato. Si prega di verificare la connessione internet, se questo errore persiste considera di segnalarlo. - + Parse Error Errore di interpretazione - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. C'è stato un problema di estrazione del versetto selezionato. Se questo errore persiste ti prego di segnalarlo. @@ -1064,167 +1064,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Importazione Guidata della Bibbia - + 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. Questa procedura guidata consente di importare Bibbie da una varietà di formati. Clicca il pulsante sottostante per avviare il processo, selezionando un formato da cui importare. - + Web Download Web Download - + Location: Località: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibbia: - + Download Options Opzione di Download - + Server: Server: - + Username: Nome utente: - + Password: Password: - + Proxy Server (Optional) Proxy Server (Opzionale) - + License Details Dettaglio Licenza - + Set up the Bible's license details. Configura i dettagli nelle Licenze delle Bibbie - + Version name: Nome Versione: - + Copyright: Copyright: - + Please wait while your Bible is imported. Per favore attendi mentre la tua Bibbia viene importata. - + You need to specify a file with books of the Bible to use in the import. È necessario specificare un file con i libri della Bibbia da utilizzare nell' importazione. - + You need to specify a file of Bible verses to import. È necessario specificare un file dei versetti biblici da importare. - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1259,92 +1259,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1352,7 +1352,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1361,12 +1361,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>... @@ -1375,143 +1375,143 @@ demand and thus an internet connection is required. 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. - + 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 - + Upgrading Bible %s of %s: "%s" Upgrading ... - + Download Error Errore di Download - + To upgrade your Web Bibles an Internet connection is required. - + 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1585,12 +1585,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1661,7 +1661,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1672,60 +1672,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1733,7 +1733,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1741,43 +1741,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1785,17 +1785,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1803,60 +1803,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 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. @@ -1904,7 +1904,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1922,22 +1922,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1945,7 +1945,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2080,192 +2080,274 @@ Portions copyright © 2004-2012 %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: Colore di sfondo: - + 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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2301,7 +2383,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2309,23 +2391,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2343,7 +2425,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2466,17 +2548,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2546,32 +2628,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2656,32 +2738,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2689,82 +2771,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2772,157 +2854,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2930,12 +3012,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2951,438 +3033,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.MainWindow - + &File - + &Import - + &Export - + &View - + M&ode - + &Tools - + &Settings - + &Language - + &Help - + Media Manager - + Service Manager - + Theme Manager - + &New &Nuovo - + &Open - + Open an existing service. - + &Save &Salva - + 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 - + English Please add the name of your language here - + 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. @@ -3391,52 +3473,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3446,73 +3533,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3520,12 +3607,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3667,12 +3754,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3680,12 +3767,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3701,276 +3788,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4001,12 +4093,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4041,12 +4133,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4059,172 +4151,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4318,32 +4410,32 @@ The content encoding is not UTF-8. 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) @@ -4351,193 +4443,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4765,7 +4857,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4818,47 +4910,47 @@ The content encoding is not UTF-8. 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 @@ -4942,245 +5034,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5190,7 +5282,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5278,53 +5370,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5339,37 +5431,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5379,64 +5471,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5445,50 +5578,50 @@ The content encoding is not UTF-8. 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. @@ -5496,70 +5629,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5593,107 +5726,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts Avvisi - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5701,42 +5834,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5744,85 +5877,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 @@ -5883,34 +6016,34 @@ The content encoding is not UTF-8. - + 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. @@ -5948,107 +6081,107 @@ has been successfully created. - + 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 @@ -6059,32 +6192,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6112,17 +6245,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6261,72 +6394,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6356,7 +6489,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6366,7 +6499,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6480,135 +6613,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6626,22 +6764,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6654,7 +6792,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6665,27 +6803,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6714,6 +6852,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6753,12 +6904,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6778,118 +6929,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6897,27 +7040,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6978,4 +7121,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/ja.ts b/resources/i18n/ja.ts index 0c2a72a2f..e86631b74 100644 --- a/resources/i18n/ja.ts +++ b/resources/i18n/ja.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. <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,510 +152,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible 聖書(&B) - + 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 古い聖書を更新(&U) - + Upgrade the Bible databases to the latest format. 聖書データベースを最新の形式に更新します。 - + Genesis 創世記 - + Exodus 出エジプト記 - + Leviticus レビ記 - + Numbers 民数記 - + Deuteronomy 申命記 - + Joshua ヨシュア記 - + Judges 士師記 - + Ruth ルツ記 - + 1 Samuel サムエル記上 - + 2 Samuel サムエル記下 - + 1 Kings 列王記上 - + 2 Kings 列王記下 - + 1 Chronicles 歴代誌上 - + 2 Chronicles 歴代誌下 - + Ezra エズラ記 - + Nehemiah ネヘミヤ記 - + Esther エステル記 - + Job ヨブ記 - + Psalms 詩編 - + Proverbs 箴言 - + Ecclesiastes コヘレトの言葉 - + Song of Solomon 雅歌 - + Isaiah イザヤ書 - + Jeremiah エレミヤ書 - + Lamentations 哀歌 - + Ezekiel エゼキエル書 - + Daniel ダニエル書 - + Hosea ホセア書 - + Joel ヨエル書 - + Amos アモス書 - + Obadiah オバデヤ書 - + Jonah ヨナ書 - + Micah ミカ書 - + Nahum ナホム書 - + Habakkuk ハバクク書 - + Zephaniah ゼファニヤ書 - + Haggai ハガイ書 - + Zechariah ゼカリヤ書 - + Malachi マラキ書 - + Matthew マタイによる福音書 - + Mark マルコによる福音書 - + Luke ルカによる福音書 - + John ヨハネによる福音書 - + Acts 使徒言行録 - + Romans ローマの信徒への手紙 - + 1 Corinthians コリントの信徒への手紙一 - + 2 Corinthians コリントの信徒への手紙二 - + Galatians ガラテヤの信徒への手紙 - + Ephesians エフェソの信徒への手紙 - + Philippians フィリピの信徒への手紙 - + Colossians コロサイの信徒への手紙 - + 1 Thessalonians テサロニケの信徒への手紙一 - + 2 Thessalonians テサロニケの信徒への手紙二 - + 1 Timothy テモテへの手紙一 - + 2 Timothy テモテへの手紙二 - + Titus テトスへの手紙 - + Philemon フィレモンへの手紙 - + Hebrews ヘブライ人への手紙 - + James ヤコブの手紙 - + 1 Peter ペトロの手紙一 - + 2 Peter ペトロの手紙二 - + 1 John ヨハネの手紙一 - + 2 John ヨハネの手紙二 - + 3 John ヨハネの手紙三 - + Jude ユダの手紙 - + Revelation ヨハネの黙示録 - + Judith - + ユディト記 + + + + Wisdom + 知恵の書 - Wisdom - - - - Tobit トビト記 - + Sirach シラ書〔集会の書〕 - + Baruch バルク書 - + 1 Maccabees - + マカバイ記一 + + + + 2 Maccabees + マカバイ記二 - 2 Maccabees - + 3 Maccabees + マカバイ記三 - 3 Maccabees - + 4 Maccabees + マカバイ記四 - 4 Maccabees - + Rest of Daniel + ダニエル書補遺 - Rest of Daniel - - - - Rest of Esther - + Prayer of Manasses マナセの祈り - + Letter of Jeremiah エレミヤの手紙 - + Prayer of Azariah - + Susanna - + スザンナ + + + + Bel + ベル - Bel - - - - 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -666,82 +666,84 @@ Do you want to continue anyway? 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. - この聖書は既に存在します。他の聖書をインポートするか、まず存在する聖書を削除してください。 + この聖書は既に存在します。他の聖書をインポートするか、存在する聖書を削除してください。 You need to specify a book name for "%s". - + 「%s」の書名を設定する必要があります。 The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + 書名「%s」は正しくありません。 +数字は最初のみに使用し、 +数字以外の文字が続く必要があります。 Duplicate Book Name - + 書名が重複しています The Book Name "%s" has been entered more than once. - + 書名「%s」は2回以上入力されました。 BiblesPlugin.BibleManager - + Scripture Reference Error 書名章節番号エラー - + 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. 検索キーワードが入力されていません。 複数のキーワードをスペースで区切るとすべてに該当する箇所を検索し、カンマ (,) で区切るといずれかに該当する箇所を検索します。 - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. 利用できる聖書がありません。インポート ウィザードを利用して、一つ以上の聖書をインストールしてください。 - + No Bibles Available 利用できる聖書翻訳がありません - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,129 +766,129 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 2 つの聖句を表示 - + Custom Scripture References - + Verse Separator: 節区切: - + Range Separator: 範囲区切: - + List Separator: リスト区切: - + End Mark: - + 終了マーク - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - 日本語 + 日本語 - + Default Bible Language - + 既定の聖書言語 - + Book name language in search field, search results and on display: - + Bible Language - + 聖書の言語 - + Application Language - + アプリケーションの言語 @@ -896,11 +898,6 @@ search results and on display: Select Book Name 書名を選択 - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - 以下の書名は内部で一致しませんでした。対応する英語名を一覧から選択してください。 - Current name: @@ -931,11 +928,16 @@ search results and on display: Apocrypha 旧約聖書続編 + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. 書名を選択してください。 @@ -964,32 +966,32 @@ search results and on display: Bible Editor - + 聖書エディタ License Details - ライセンスの詳細 + ライセンスの詳細 Version name: - 訳名: + 訳名: Copyright: - 著作権: + 著作権: Permissions: - 使用許可: + 使用許可: Default Bible Language - + 既定の聖書言語 @@ -999,22 +1001,22 @@ search results and on display: Global Settings - + 全体設定 Bible Language - + 聖書の言語 Application Language - + アプリケーションの言語 English - 日本語 + 日本語 @@ -1031,38 +1033,38 @@ It is not possible to customize the Book Names. 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. 選択された聖書のダウンロードに失敗しました。インターネット接続を確認し、それでもエラーが繰り返して起こる場合は、バグ報告を検討してください。 - + Parse Error 構文エラー - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. 選択された聖書の展開に失敗しました。エラーが繰り返して起こる場合は、バグ報告を検討してください。 @@ -1070,167 +1072,167 @@ It is not possible to customize the Book Names. 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 ウェブからダウンロード - + Location: サイト: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: 聖書: - + Download Options ダウンロード オプション - + Server: サーバ: - + Username: ユーザ名: - + Password: パスワード: - + Proxy Server (Optional) プロキシ サーバ (省略可) - + 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 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. 聖書を登録しました。本文は使用時にダウンロードされるため、インターネット接続が必要なことに注意してください。 @@ -1265,100 +1267,100 @@ demand and thus an internet connection is required. 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? 1 つの聖書と複数の聖書の検索結果の結合はできません。検索結果を削除して再検索しますか? - + 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 節が除外されます。 - + Search Scripture Reference... - + 参照聖句を検索中... - + Search Text... - + テキストを検索中... - + Are you sure you want to delete "%s"? - + 「%s」を削除してよいですか? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... %s %s をインポート中... @@ -1367,12 +1369,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 をインポート中... @@ -1381,149 +1383,149 @@ demand and thus an internet connection is required. 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 のデータ ディレクトリにコピーしてください。 - + 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. ウェブ聖書を更新するにはインターネット接続が必要です。 - + 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 ウェブ聖書の本文は必要に応じてダウンロードされるため、インターネット接続が必要なことに注意してください。 - + 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. 更新する聖書はありません。 @@ -1597,12 +1599,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display カスタム表示 - + Display footer フッターを表示 @@ -1673,7 +1675,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1683,60 +1685,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 選択された画像を礼拝プログラムに追加します。 @@ -1744,7 +1746,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment 添付を選択 @@ -1752,44 +1754,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. 結合する項目がありません。 @@ -1797,17 +1799,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color 背景色 - + Default Color: 既定色: - + Visible background for images with aspect ratio different to screen. @@ -1815,60 +1817,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. 選択したメディアを礼拝プログラムに追加します。 @@ -1916,7 +1918,7 @@ Do you want to add the other images anyway? 結合する項目がありません。 - + Unsupported File 無効なファイル @@ -1934,22 +1936,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players 利用可能な再生ソフト - + %s (unavailable) %s (利用不可能) - + Player Order 再生ソフトの順序 - + Allow media player to be overridden メディアプレーヤを上書き可能にする @@ -1957,7 +1959,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files 画像ファイル @@ -2156,196 +2158,279 @@ OpenLP は、ボランティアの手で開発保守されています。もっ Copyright © 2004-2012 %s Portions copyright © 2004-2012 %s - + 著作権 © 2004-2012 %s +追加の著作権 © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings UI 設定 - + 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 ロゴに戻す。 - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Service %Y-%m-%d %H-%M - + Default Service Name - + 既定の礼拝名 - + Enable default service name - + 既定の礼拝名を有効にする - + Date and Time: - + 日付と時刻: - + Monday 月曜日 - + Tuesday 火曜日 - + Wednesday 水曜日 - + Thurdsday 木曜日 - + Friday 金曜日 - + Saturday 土曜日 - + Sunday 日曜日 - + Now - + 現在 - + Time when usual service starts. - + 普段の礼拝開始時刻。 - + Name: - + 名前: - + Consult the OpenLP manual for usage. - + 詳細はOpenLPのマニュアルをご覧ください。 - + Revert to the default service name "%s". - + 既定の礼拝名「%s」に戻す。 - + Example: 例: - + X11 X11 - + Bypass X11 Window Manager + X11をバイパスする + + + + Syntax error. + 構文エラー + + + + Data Location - - Syntax error. + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + キャンセル + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data @@ -2384,7 +2469,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for ファイルを添付 - + Description characters to enter : %s 説明 : %s @@ -2392,24 +2477,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s プラットフォーム: %s - + Save Crash Report クラッシュ報告を保存 - + Text files (*.txt *.log *.text) テキスト ファイル (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2441,7 +2526,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2578,17 +2663,17 @@ Version: %s 既定設定 - + Downloading %s... ダウンロード中 %s... - + Download complete. Click the finish button to start OpenLP. ダウンロードが完了しました。完了をクリックすると OpenLP が開始します。 - + Enabling selected plugins... 選択されたプラグインを有効にしています... @@ -2658,32 +2743,32 @@ Version: %s このウィザードで、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に戻ってください。 @@ -2768,32 +2853,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error 更新エラー - + Tag "n" already defined. タグ「n」は既に定義されています。 - + New Tag 新しいタグ - + <HTML here> <html here> - + </and here> </and here> - + Tag %s already defined. タグ「%s」は既に定義されています。 @@ -2801,82 +2886,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink ピンク - + Orange - + Purple - + White - + Superscript 上付き - + Subscript 下付き - + Paragraph 段落 - + Bold 太字 - + Italics 斜体 - + Underline 下線 - + Break 改行 @@ -2884,170 +2969,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General 全般 - + Monitors モニタ - + Select monitor for output display: 画面を出力するスクリーンを選択: - + Display if a single screen スクリーンが 1 つしかなくても表示 - + 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 パスワード: - + X X - + Y Y - + Height 高さ - + Width - + Check for updates to OpenLP OpenLP の更新を確認 - + Unblank display when adding new live item ライブ項目の追加時にブランクを解除 - + Timed slide interval: 時間付きスライドの間隔: - + Background Audio バックグラウンド音声 - + Start background audio paused 一時停止中のバックグラウンド音声を再生 - + Service Item Slide Limits - + 礼拝項目スライドの上限 - + Override display position: - + 表示位置を上書き: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + スライドの最後/最初で次/前へ移動する動作: - + &Remain on Slide - + 移動しない(&R) - + &Wrap around - + 周回する(&W) - + &Move to next/previous service item - + 次/前の礼拝項目へ移動(&M) OpenLP.LanguageManager - + Language 言語 - + Please restart OpenLP to use your new language setting. 新しい言語設定を使用には OpenLP を再起動してください。 @@ -3063,287 +3148,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 OpenLP を終了 - + &Theme テーマ(&T) - + &Configure OpenLP... OpenLP の設定(&C)... - + &Media Manager メディア マネージャ(&M) - + Toggle Media Manager メディア マネージャを切り替える - + Toggle the visibility of the media manager. メディア マネージャの表示/非表示を切り替えます。 - + &Theme Manager テーマ マネージャ(&T) - + Toggle Theme Manager テーマ マネージャの切り替え - + Toggle the visibility of the theme manager. テーマ マネージャの表示/非表示を切り替えます。 - + &Service Manager 礼拝プログラム管理(&S) - + Toggle Service Manager 礼拝プログラムの切り替え - + Toggle the visibility of the service manager. 礼拝プログラムの表示/非表示を切り替える。 - + &Preview Panel プレビュー パネル(&P) - + Toggle Preview Panel プレビュー パネルの切り替え - + Toggle the visibility of the preview panel. プレビュー パネルの表示/非表示を切り替えます。 - + &Live Panel ライブ パネル(&L) - + Toggle Live Panel ライブ パネルの切り替え - + Toggle the visibility of the live panel. ライブ パネルの表示/非表示を切り替える。 - + &Plugin List プラグイン一覧(&P) - + List the Plugins プラグイン一覧を表示します - + &User Guide ユーザ ガイド(&U) - + &About バージョン情報(&A) - + More information about OpenLP OpenLP の詳細情報 - + &Online Help オンライン ヘルプ(&O) - + &Web Site ウェブ サイト(&W) - + Use the system language, if available. 可能であればシステム言語を使用します。 - + Set the interface language to %s インタフェース言語を %s に設定 - + Add &Tool... ツールを追加(&T)... - + Add an application to the list of tools. ツールの一覧にアプリケーションを追加します。 - + &Default 既定値(&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/. @@ -3352,108 +3437,108 @@ 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 OpenLP のプライマリ ディスプレイがブランクになりました - + Default Theme: %s 既定のテーマ: %s - + English Please add the name of your language here 日本語 - + Configure &Shortcuts... ショートカットの設定(&S)... - + Close OpenLP OpenLP を閉じる - + Are you sure you want to close 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. 現在の礼拝プログラムを印刷します。 - + &Recent Files 最近使用したファイル(&R) - + 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. @@ -3462,43 +3547,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and 初回起動ウィザードを再実行すると、現在のOpenLP設定および既存の賛美やテーマが変更されることがあります。 - + 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 の設定をインポート - + Import settings? 設定をインポートしますか? - + Are you sure you want to import settings? Importing settings will make permanent changes to your current OpenLP configuration. @@ -3511,45 +3596,50 @@ Importing incorrect settings may cause erratic behaviour or OpenLP to terminate 不正な設定をインポートすると異常な動作や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 を終了させます。インポートされた設定は次の起動時に適用されます。 - + Export Settings File 設定ファイルのエクスポート - + OpenLP Export Settings File (*.conf) OpenLP 設定ファイル (*.conf) + + + New Data Directory Error + + 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 @@ -3558,7 +3648,7 @@ Database: %s データベース: %s - + OpenLP cannot load your database. Database: %s @@ -3570,74 +3660,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected 項目が選択されていません - + &Add to selected Service Item 選択された礼拝項目に追加(&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. 追加するには既存の礼拝項目を選択する必要があります。 - + 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 閉じる(&C) - + Duplicate files were found on import and were ignored. インポート中に重複するファイルが見つかり、無視されました。 @@ -3645,12 +3735,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>タグが見つかりません。 - + <verse> tag is missing. <verse>タグが見つかりません。 @@ -3792,12 +3882,12 @@ Suffix not supported OpenLP.ScreenList - + Screen スクリーン - + primary プライマリ @@ -3805,12 +3895,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>開始</strong>: %s - + <strong>Length</strong>: %s <strong>長さ</strong>: %s @@ -3826,277 +3916,282 @@ Suffix not supported OpenLP.ServiceManager - + Move to &top 一番上に移動(&t) - + Move item to the top of the service. 選択した項目を最も上に移動する。 - + Move &up 一つ上に移動(&u) - + Move item up one position in the service. 選択した項目を1つ上に移動する。 - + Move &down 一つ下に移動(&d) - + Move item down one position in the service. 選択した項目を1つ下に移動する。 - + Move to &bottom 一番下に移動(&b) - + Move item to the end of the service. 選択した項目を最も下に移動する。 - + &Delete From Service 削除(&D) - + Delete the selected item from the service. 選択した項目を礼拝プログラムから削除する。 - + &Add New Item 新しい項目を追加(&A) - + &Add to Selected Item 選択された項目を追加(&A) - + &Edit Item 項目の編集(&E) - + &Reorder Item 項目を並べ替え(&R) - + &Notes メモ(&N) - + &Change Item Theme 項目の外観テーマを変更(&C) - + 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 すべて展開(&E) - + Expand all the service items. 全ての項目を展開する。 - + &Collapse all すべて折り畳む(&C) - + 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 開始時間(&S) - + Show &Preview プレビュー表示(&P) - - Show &Live - ライブ表示(&L) - - - + 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 + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4127,12 +4222,12 @@ The content encoding is not UTF-8. ショートカット - + Duplicate Shortcut ショートカットの重複 - + The shortcut "%s" is already assigned to another action, please use a different shortcut. このショートカット"%s"は既に他の動作に割り振られています。他のショートカットをご利用ください。 @@ -4167,12 +4262,12 @@ The content encoding is not UTF-8. この動作のショートカットを初期値に戻す。 - + Restore Default Shortcuts ショートカットを初期設定に戻す - + Do you want to restore all shortcuts to their defaults? 全てのショートカットを初期設定に戻しますか? @@ -4185,172 +4280,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide 前のスライド - + Next Slide 次のスライド - + Pause Audio 音声の一時停止 - + Background Audio バックグラウンド音声 - + Go to next audio track. 次の音声トラックへ進みます。 - + Tracks トラック @@ -4444,32 +4539,32 @@ The content encoding is not UTF-8. 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) (スライド1枚におよそ%d行) @@ -4477,195 +4572,195 @@ The content encoding is not UTF-8. 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 外観テーマの編集(&E) - + &Delete Theme 外観テーマの削除(&D) - + Set As &Global Default 全体の既定として設定(&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. 無効な外観テーマファイルです。 - + &Copy Theme 外観テーマのコピー(&C) - + &Rename Theme 外観テーマの名前を変更(&N) - + &Export Theme 外観テーマのエキスポート(&E) - + 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> Copy of %s - + Theme Already Exists - + テーマが既に存在 @@ -4891,7 +4986,7 @@ The content encoding is not UTF-8. 外観テーマ名: - + Edit Theme - %s 外観テーマ編集 - %s @@ -4944,47 +5039,47 @@ The content encoding is not UTF-8. OpenLP.ThemesTab - + Global Theme 全体外観テーマ - + Theme Level 外観テーマレベル - + S&ong Level 賛美レベル(&O) - + 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 礼拝プログラムレベル(&S) - + 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 全体レベル(&G) - + Use the global theme, overriding any themes associated with either the service or the songs. 全体外観テーマを用い、すべての礼拝プログラムや賛美に関連付けられた外観テーマを上書きします。 - + Themes 外観テーマ @@ -5068,245 +5163,245 @@ The content encoding is not UTF-8. 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: 垂直整列(&V): - + 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. The openlp.org 1.xの取込機能が、Pythonの拡張機能がないためオフになっています。取込機能をお使いになられる場合、python-sqlite拡張機能をインストール必要があります。 - + 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 聖書インポートウィザードへようこそ @@ -5316,7 +5411,7 @@ The content encoding is not UTF-8. 賛美エキスポートウィザードへようこそ - + Welcome to the Song Import Wizard 賛美インポートウィザードへようこそ @@ -5404,53 +5499,53 @@ The content encoding is not UTF-8. - + 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 スライドに1節 - + Verse Per Line 1行に1節 - + View 表示 @@ -5465,37 +5560,37 @@ The content encoding is not UTF-8. XML構文エラー - + View Mode 表示モード - + Open service. 礼拝プログラムを開きます。 - + Print Service 礼拝プログラムを印刷 - + Replace live background. ライブの背景を置換します。 - + Reset live background. ライブの背景をリセットします。 - + Split a slide into two only if it does not fit on the screen as one slide. 1枚のスライドに納まらないときのみ、スライドが分割されます。 - + Welcome to the Bible Upgrade Wizard 聖書更新ウィザードへようこそ @@ -5505,64 +5600,105 @@ The content encoding is not UTF-8. 削除確認 - + Play Slides in Loop スライドを繰り返し再生 - + Play Slides to End スライドを最後まで再生 - + Stop Play Slides in Loop スライドの繰り返し再生を停止 - + Stop Play Slides to End - + Next Track 次のトラック - + Search Themes... Search bar place holder text テーマの検索... - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 と %2 - + %1, and %2 Locale list separator: end %1 と %2 - + %1, %2 Locale list separator: middle %1 と %2 - + %1, %2 Locale list separator: start %1 と %2 @@ -5571,50 +5707,50 @@ The content encoding is not UTF-8. 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. 選択したプレゼンテーションを礼拝プログラムに追加します。 @@ -5622,70 +5758,70 @@ The content encoding is not UTF-8. 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. + - - The Presentation %s is incomplete, please reload. - プレゼンテーション%sは不完全です。再度読み込んでください。 + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers 使用可能なコントローラ - + %s (unavailable) %s (利用不可) - + Allow presentation application to be overridden プレゼンテーションアプリケーションの上書きを可能にする @@ -5719,107 +5855,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 遠隔操作 - + OpenLP 2.0 Stage View OpenLP 2.0 ステージビュー - + Service Manager 礼拝プログラム - + Slide Controller スライドコントローラ - + Alerts 警告 - + Search 検索 - + Refresh 再読込 - + Blank ブランク - + Show 表示 - + Prev - + Next - + Text テキスト - + Show Alert 警告を表示 - + Go Live ライブへ送る - + No Results 見つかりませんでした - + Options オプション - + Add to Service 礼拝プログラムへ追加 - + Home - - - - - Theme - 外観テーマ + ホーム - Desktop - + Theme + 外観テーマ - + + Desktop + デスクトップ + + + Add &amp; Go to Service @@ -5827,42 +5963,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: 待ち受けるIPアドレス: - + Port number: ポート番号: - + Server Settings サーバ設定 - + Remote URL: 遠隔操作URL: - + Stage view URL: ステージビューURL: - + Display stage time in 12h format ステージの時刻を12時間で表示 - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. QRコードを読み取るか、<a href="https://market.android.com/details?id=org.openlp.android">ダウンロード</a>をクリックしてAndroidアプリをマーケットからインストールしてください。 @@ -5870,85 +6006,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 印刷済み @@ -6009,22 +6145,22 @@ The content encoding is not UTF-8. レポートの出力 - + Output File Location レポートの出力場所 - + usage_detail_%s_%s.txt usage_detail_%s_%s.txt - + Report Creation レポート生成 - + Report %s has been successfully created. @@ -6033,12 +6169,12 @@ 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. 賛美利用記録レポートの出力先が無効です。コンピューター上に存在するフォルダを選択して下さい。 @@ -6076,107 +6212,107 @@ has been successfully created. 賛美のインデックスを再作成中... - + 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. 文字コードを選択してください。文字が正常に表示されるのに必要な設定です。 - + Song name singular 賛美 - + Songs name plural 賛美 - + Songs container title 賛美 @@ -6187,32 +6323,32 @@ The encoding is responsible for the correct character representation. エキスポートウィザードを使って賛美をエキスポートする。 - + 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. 選択した賛美を礼拝プログラムに追加します。 @@ -6240,17 +6376,17 @@ The encoding is responsible for the correct character representation. 姓: - + 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? 表示名が設定されていません。名と姓を合わせますか? @@ -6390,72 +6526,72 @@ 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. 最低一つのバースを入力する必要があります。 - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. バース順序が無効です。%sに対応するバースはありません。%sは有効です。 - + Add Book アルバムを追加 - + This song book does not exist, do you want to add it? アルバムが存在しません、追加しますか? - + You need to have an author for this song. アーティストを入力する必要があります。 @@ -6485,19 +6621,19 @@ The encoding is responsible for the correct character representation. すべて削除(&A) - + Open File(s) ファイルを開く <strong>Warning:</strong> Not all of the verses are in use. - + <strong>警告:</strong>全ての箇所が使用されていません。 - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. - + 順序が正しくありません。%sに対応する箇所が存在しません。有効な箇所は%sです。 @@ -6609,135 +6745,140 @@ The encoding is responsible for the correct character representation. 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. - OpenLyricsのインポートは未開発です。次のバージョンにご期待ください。 - - - + Add Files... ファイルの追加... - + Remove File(s) ファイルの削除 - + Please wait while your songs are imported. 賛美がインポートされるまでしばらくお待ちください。 - + 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 ファイル - + Copy コピー - + Save to File ファイルに保存 - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、Songs of Fellowshipのインポート機能は無効になっています。 - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. OpenOfficeまたはLibreOfficeに接続できないため、汎用ドキュメント/プレゼンテーションのインポート機能は無効になっています。 - + OpenLyrics or OpenLP 2.0 Exported Song OpenLyrics OpenLP 2.0からエクスポートされたデータ - + OpenLyrics Files OpenLyricsファイル - + CCLI SongSelect Files CCLI SongSelectファイル - + EasySlides XML File Easy Slides XMLファイル - + EasyWorship Song Database EasyWorship Songデータベース + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6755,22 +6896,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles タイトル - + Lyrics 賛美詞 - + CCLI License: CCLI ライセンス: - + Entire Song 賛美全体 @@ -6782,7 +6923,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. アーティスト、トピックとアルバムの一覧を保守します。 @@ -6793,29 +6934,29 @@ The encoding is responsible for the correct character representation. コピー - + Search Titles... タイトルを検索... - + Search Entire Song... 全てのデータを検索... - + Search Lyrics... 歌詞を検索... - + Search Authors... 著者を検索... - + Search Song Books... - + アルバムを検索中... @@ -6842,6 +6983,19 @@ The encoding is responsible for the correct character representation. 「%s」をエキスポートしています... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6881,12 +7035,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright 著作権 - + The following songs could not be imported: 以下の賛美はインポートできませんでした: @@ -6906,118 +7060,110 @@ The encoding is responsible for the correct character representation. ファイルが見つかりません - - 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で賛美を作りますか? @@ -7025,27 +7171,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode 賛美モード - + Enable search as you type 入力と同時に検索する - + Display verses on live tool bar ライブツールバーにバースを表示 - + Update service from song edit 編集後に礼拝プログラムを更新 - + Import missing songs from service files @@ -7106,4 +7252,17 @@ The encoding is responsible for the correct character representation. その他 + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/ko.ts b/resources/i18n/ko.ts index 160dcedf1..35e4af30b 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,510 +150,510 @@ Do you want to continue anyway? 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. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,38 +707,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error 성경 참조 오류 - + 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. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -754,128 +754,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -887,11 +887,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -922,11 +917,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1022,38 +1022,38 @@ It is not possible to customize the Book Names. 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. @@ -1061,167 +1061,167 @@ It is not possible to customize the Book Names. 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 웹 다운로드 - + Location: 위치: - + Crosswalk - + BibleGateway - + Bible: 성경: - + Download Options 다운로드 옵션 - + Server: 서버: - + Username: 사용자 이름: - + Password: 비밀번호: - + Proxy Server (Optional) 프록시 서버 (선택 사항) - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1256,92 +1256,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1349,7 +1349,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1358,12 +1358,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>... @@ -1372,143 +1372,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1582,12 +1582,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1658,7 +1658,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1668,60 +1668,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1729,7 +1729,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1737,43 +1737,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1781,17 +1781,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1799,60 +1799,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 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. @@ -1900,7 +1900,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1918,22 +1918,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1941,7 +1941,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2076,192 +2076,274 @@ Portions copyright © 2004-2012 %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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2297,7 +2379,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2305,23 +2387,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2339,7 +2421,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2462,17 +2544,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2542,32 +2624,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2652,32 +2734,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2685,82 +2767,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2768,157 +2850,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2926,12 +3008,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2947,438 +3029,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 - + English Please add the name of your language here - + 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. @@ -3387,52 +3469,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3442,73 +3529,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3516,12 +3603,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3663,12 +3750,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3676,12 +3763,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3697,276 +3784,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -3997,12 +4089,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4037,12 +4129,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4055,172 +4147,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4314,32 +4406,32 @@ The content encoding is not UTF-8. 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) @@ -4347,193 +4439,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4761,7 +4853,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4814,47 +4906,47 @@ The content encoding is not UTF-8. 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 @@ -4938,245 +5030,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5186,7 +5278,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5274,53 +5366,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5335,37 +5427,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5375,64 +5467,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5441,50 +5574,50 @@ The content encoding is not UTF-8. 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. @@ -5492,70 +5625,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5589,107 +5722,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5697,42 +5830,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5740,85 +5873,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 @@ -5879,34 +6012,34 @@ The content encoding is not UTF-8. - + 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. @@ -5944,107 +6077,107 @@ has been successfully created. - + 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 @@ -6055,32 +6188,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6108,17 +6241,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6257,72 +6390,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6352,7 +6485,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6362,7 +6495,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6476,135 +6609,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6622,22 +6760,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6649,7 +6787,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6660,27 +6798,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6709,6 +6847,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6748,12 +6899,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6773,118 +6924,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6892,27 +7035,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6973,4 +7116,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/nb.ts b/resources/i18n/nb.ts index eb7b78011..450762623 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 Varsler - + Alerts container title Varsler - + <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 Skrifttype - + Font name: Skriftnavn: - + Font color: Skriftfarge: - + Background color: Bakgrunnsfarge: - + Font size: Skriftstørrelse: - + Alert timeout: Varselvarighet: @@ -150,510 +150,510 @@ Do you want to continue anyway? BiblesPlugin - + &Bible &Bibel - + Bible name singular - + Bibles name plural - + Bibles container title - + No Book Found Ingen bok funnet - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,39 +707,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Bibelreferansefeil - + Web Bible cannot be used Nettbibel kan ikke brukes - + Text Search is not available with Web Bibles. Tekstsøk er ikke tilgjengelig med nettbibler. - + 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. Du har ikke angitt et søkeord. Du kan skille ulike søkeord med mellomrom for å søke etter alle søkeordene dine, og du kan skille dem med komma for å søke etter ett av dem. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Det er ingen bibler installert. Vennligst bruk importeringsveiviseren for å installere en eller flere bibler. - + No Bibles Available Ingen bibler tilgjengelig - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -755,128 +755,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Versvisning - + Only show new chapter numbers Bare vis nye kapittelnummer - + Bible theme: Bibel tema: - + No Brackets Ingen klammer - + ( And ) ( Og ) - + { And } { Og } - + [ And ] [ Og ] - + Note: Changes do not affect verses already in the service. Merk: Endringer påvirker ikke vers som alt er lagt til møtet. - + Display second Bible verses Vis alternative bibelvers - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -888,11 +888,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -923,11 +918,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1023,38 +1023,38 @@ It is not possible to customize the Book Names. 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. @@ -1062,167 +1062,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bibelimporteringsverktøy - + 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. Denne veiviseren vil hjelpe deg å importere bibler fra en rekke ulike formater. Klikk på neste-knappen under for å starte prosessen ved å velge et format å importere fra. - + Web Download Nettnedlastning - + Location: Plassering: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Nedlastingsalternativer - + Server: Tjener: - + Username: Brukernavn: - + Password: Passord: - + Proxy Server (Optional) Proxytjener (valgfritt) - + License Details Lisensdetaljer - + Set up the Bible's license details. Sett opp Bibelens lisensdetaljer. - + Version name: Versjonsnavn: - + Copyright: Opphavsrett: - + Please wait while your Bible is imported. Vennligst vent mens bibelen blir importert. - + You need to specify a file with books of the Bible to use in the import. Du må angi en fil som inneholder bøkene i Bibelen du vil importere. - + You need to specify a file of Bible verses to import. Du må angi en fil med bibelvers som skal importeres. - + You need to specify a version name for your Bible. Du må spesifisere et versjonsnavn for Bibelen din. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du må angi kopiretten for Bibelen. Offentlige bibler må markeres deretter. - + Bible Exists Bibelen finnes - + This Bible already exists. Please import a different Bible or first delete the existing one. Denne bibelen finnes alt. Vennligst importer en annen bibel eller slett først den eksisterende. - + Your Bible import failed. - + CSV File CSV-fil - + Bibleserver Bibeltjener - + Permissions: Tillatelser: - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + openlp.org 1.x Bible Files OpenLP 1.x Bibelfiler - + Registering Bible... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. @@ -1257,92 +1257,92 @@ demand and thus an internet connection is required. BiblesPlugin.MediaItem - + Quick Hurtig - + Find: - + Book: Bok: - + Chapter: Kapittel: - + Verse: Vers: - + From: - + To: - + Text Search Tekstsøk - + Second: Alternativ: - + Scripture Reference Bibelreferanse - + 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1350,7 +1350,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importerer %s %s... @@ -1359,12 +1359,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... @@ -1373,143 +1373,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1583,12 +1583,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Tilpasset visning - + Display footer Vis bunntekst @@ -1659,7 +1659,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1670,60 +1670,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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>Bildetillegg</strong><br />Bildetillegget gir mulighet til visning av bilder.<br />Et av særtrekkene med dette tillegget er muligheten til å gruppere flere bilder sammen i møteplanleggeren, noe som gjør visning av flere bilder enklere. Programtillegget kan også benytte seg av OpenLP's "tidsbestemte løkke"-funksjon til å lage en lysbildefremvisning som kjører automatisk. I tillegg kan bilder fra tillegget brukes til å overstyre gjeldende temabakgrunn, noe som gir tekstbaserte saker, som sanger, det valgte bildet som bakgrunn. - + Image name singular Bilde - + Images name plural Bilder - + Images container title Bilder - + 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. @@ -1731,7 +1731,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Velg vedlegg @@ -1739,44 +1739,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.MediaItem - + Select Image(s) - + You must select an image to delete. Du må velge et bilde å slette. - + You must select an image to replace the background with. Du må velge et bilde å erstatte bakgrunnen med. - + Missing Image(s) Bilde(r) mangler - + The following image(s) no longer exist: %s De følgende bilde(r) finnes ikke lenger: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De følgende bilde(r) finnes ikke lenger: %s Vil du likevel legge til de andre bildene? - + There was a problem replacing your background, the image file "%s" no longer exists. Det oppstod et problem ved erstatting av bakgrunnen, bildefilen "%s" finnes ikke lenger. - + There was no display item to amend. @@ -1784,17 +1784,17 @@ Vil du likevel legge til de andre bildene? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1802,60 +1802,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. @@ -1903,7 +1903,7 @@ Vil du likevel legge til de andre bildene? - + Unsupported File @@ -1921,22 +1921,22 @@ Vil du likevel legge til de andre bildene? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1944,7 +1944,7 @@ Vil du likevel legge til de andre bildene? OpenLP - + Image Files Bildefiler @@ -2139,192 +2139,274 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Innstillinger for brukergrensesnitt - + Number of recent files to display: Antall nylig brukte filer å vise. - + Remember active media manager tab on startup Husk aktiv mediebehandlerfane ved oppstart - + Double-click to send items straight to live Dobbelklikk for å sende saker direkte live - + Expand new service items on creation Utvid nye møteenheter ved opprettelse - + Enable application exit confirmation Aktiver avsluttningsbekreftelse - + Mouse Cursor - + Hide mouse cursor when over display window - + Default Image - + Background color: Bakgrunnsfarge: - + 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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2360,7 +2442,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2368,23 +2450,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2402,7 +2484,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2525,17 +2607,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2605,32 +2687,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2715,32 +2797,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2748,82 +2830,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2831,157 +2913,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General - + Monitors - + Select monitor for output display: - + Display if a single screen - + Application Startup Programoppstart - + Show blank screen warning - + Automatically open the last service Åpne forrige møteplan automatisk - + Show the splash screen - + Application Settings Programinnstillinger - + Prompt to save before starting a new service - + Automatically preview next item in service - + sec - + CCLI Details - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2989,12 +3071,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -3010,438 +3092,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.MainWindow - + &File &Fil - + &Import &Importer - + &Export &Eksporter - + &View - + M&ode - + &Tools - + &Settings &Innstillinger - + &Language - + &Help &Hjelp - + Media Manager - + Service Manager - + Theme Manager - + &New &Ny - + &Open - + 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 - + &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 &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 - + List the Plugins - + &User Guide &Brukerveiledning - + &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 - + English Please add the name of your language here - + 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. @@ -3450,52 +3532,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3505,73 +3592,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3579,12 +3666,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3726,12 +3813,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3739,12 +3826,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3760,276 +3847,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4060,12 +4152,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4100,12 +4192,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4118,172 +4210,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4377,32 +4469,32 @@ The content encoding is not UTF-8. 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) @@ -4410,193 +4502,193 @@ The content encoding is not UTF-8. 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) - + You must select a theme to edit. - + You are unable to delete the default theme. Du kan ikke slette det globale temaet. - + 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. Filen er ikke et gyldig tema. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4824,7 +4916,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4877,47 +4969,47 @@ The content encoding is not UTF-8. 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 @@ -5001,245 +5093,245 @@ The content encoding is not UTF-8. - + Image Bilde - + 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 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 - + 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"... - + Select Import Source Velg importeringskilde - + 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 @@ -5249,7 +5341,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5337,53 +5429,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5398,37 +5490,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5438,64 +5530,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5504,50 +5637,50 @@ The content encoding is not UTF-8. 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. @@ -5555,70 +5688,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5652,107 +5785,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts Varsler - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5760,42 +5893,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5803,85 +5936,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 @@ -5942,34 +6075,34 @@ The content encoding is not UTF-8. - + 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. @@ -6007,107 +6140,107 @@ has been successfully created. - + 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 @@ -6118,32 +6251,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6171,17 +6304,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6320,72 +6453,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6415,7 +6548,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6425,7 +6558,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6539,135 +6672,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6685,22 +6823,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Titler - + Lyrics - + CCLI License: - + Entire Song @@ -6713,7 +6851,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6724,27 +6862,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6773,6 +6911,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6812,12 +6963,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6837,118 +6988,110 @@ The encoding is responsible for the correct character representation. - - 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? Er du sikker på at du vil slette den valgte forfatteren? - + 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6956,27 +7099,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -7037,4 +7180,17 @@ The encoding is responsible for the correct character representation. Annet + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/nl.ts b/resources/i18n/nl.ts index 0fd9481fa..090630000 100644 --- a/resources/i18n/nl.ts +++ b/resources/i18n/nl.ts @@ -3,35 +3,35 @@ 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. @@ -119,32 +119,32 @@ Toch doorgaan? AlertsPlugin.AlertsTab - + Font Lettertype - + Font name: Naam lettertype: - + Font color: Letterkleur: - + Background color: Achtergrondkleur: - + Font size: Corpsgrootte: - + Alert timeout: Tijdsduur: @@ -152,510 +152,510 @@ Toch doorgaan? BiblesPlugin - + &Bible &Bijbel - + Bible name singular bijbeltekst - + Bibles name plural bijbelteksten - + Bibles container title Bijbelteksten - + No Book Found Geen bijbelboek gevonden - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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 the Bible databases to the latest format. Upgrade de bijbel databases naar de meest recente indeling. - + Genesis Genesis - + Exodus Exodus - + Leviticus Leviticus - + Numbers Numeri - + Deuteronomy Deuteronomium - + Joshua Jozua - + Judges Rechteren - + Ruth Ruth - + 1 Samuel 1 Samuël - + 2 Samuel 2 Samuël - + 1 Kings 1 Koningen - + 2 Kings 2 Koningen - + 1 Chronicles 1 Kronieken - + 2 Chronicles 2 Kronieken - + Ezra Ezra - + Nehemiah Nehemiah - + Esther Esther - + Job Job - + Psalms Psalmen - + Proverbs Spreuken - + Ecclesiastes Prediker - + Song of Solomon Hooglied - + Isaiah Jesaja - + Jeremiah Jeremia - + Lamentations Klaagliederen - + Ezekiel Ezechiël - + Daniel Daniël - + Hosea Hosea - + Joel Joël - + Amos Amos - + Obadiah Obadja - + Jonah Jona - + Micah Micha - + Nahum Nahum - + Habakkuk Habakuk - + Zephaniah Sefanja - + Haggai Haggai - + Zechariah Zacharias - + Malachi Maleachi - + Matthew Matteüs - + Mark Marcus - + Luke Lucas - + John Johannes - + Acts Handelingen - + Romans Romeinen - + 1 Corinthians 1 Korintiërs - + 2 Corinthians 2 Korintiërs - + Galatians Galaten - + Ephesians Efeziërs - + Philippians Filippenzen - + Colossians Kolossenzen - + 1 Thessalonians 1 Tessalonicenzen - + 2 Thessalonians 2Tessalonicenzen - + 1 Timothy 1 Timoteüs - + 2 Timothy 2 Timoteüs - + Titus Titus - + Philemon Filemon - + Hebrews Hebreeën - + James Jakobus - + 1 Peter 1 Petrus - + 2 Peter 2 Petrus - + 1 John 1 Johannes - + 2 John 2 Johannes - + 3 John 3 Johannes - + Jude Judas - + Revelation Openbaringen - + Judith Judith - + Wisdom Wijsheid - + Tobit Tobit - + Sirach Sirach - + Baruch Baruch - + 1 Maccabees 1 Makkabeeën - + 2 Maccabees 2 Makkabeeën - + 3 Maccabees 3 Makkabeeën - + 4 Maccabees 4 Makkabeeën - + Rest of Daniel Toevoegingen aan Daniël - + Rest of Esther Ester (Grieks) - + Prayer of Manasses Manasse - + Letter of Jeremiah Brief van Jeremia - + Prayer of Azariah Gebed van Azariah - + Susanna Susanna - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|vers|verzen;;-|tot;;,|en;;eind @@ -709,39 +709,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Fouten in schriftverwijzingen - + Web Bible cannot be used Online bijbels kunnen niet worden gebruikt - + Text Search is not available with Web Bibles. In online bijbels kunt u niet zoeken op tekst. - + 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. Geen zoekterm opgegeven. Woorden met een spatie ertussen betekent zoeken naar alle woorden, Woorden met een komma ertussen betekent zoeken naar de afzonderlijke woorden. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Er zijn geen bijbels geïnstalleerd. Gebruik de Import assistent om een of meerdere bijbels te installeren. - + No Bibles Available Geen bijbels beschikbaar - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +764,79 @@ Boek Hoofdstuk%(verse)sVers%(range)sHoofdstuk%(verse)sVers BiblesPlugin.BiblesTab - + Verse Display Bijbeltekst weergave - + Only show new chapter numbers Toon alleen nieuw hoodstuknummer - + Bible theme: Bijbel thema: - + No Brackets geen haakjes - + ( And ) ( en ) - + { And } { en } - + [ And ] [ en ] - + Note: Changes do not affect verses already in the service. Nota Bene: Deze wijzigingen hebben geen betrekking op bijbelverzen die al in de liturgie zijn opgenomen. - + Display second Bible verses Toon tweede bijbelvertaling - + Custom Scripture References Aangepaste schriftverwijzingen - + Verse Separator: Vers scheidingsteken: - + Range Separator: Bereik scheidingsteken: - + List Separator: Lijst scheidingsteken: - + End Mark: End teken: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +845,7 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +854,7 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +863,7 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,28 +872,28 @@ Ze moeten gescheiden worden door een verticale streep "|". Maak de regel leeg om de standaardinstelling te gebruiken. - + English Engels - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -905,11 +905,6 @@ search results and on display: Select Book Name Selecteer naam bijbelboek - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Er kon geen bijbelboek met die naam gevonden worden. Selecteer de overeenkomstige Engels naam uit de lijst. - Current name: @@ -940,11 +935,16 @@ search results and on display: Apocrypha Apocriefe boeken + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Geef een boek op. @@ -1040,38 +1040,38 @@ It is not possible to customize the Book Names. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registreer Bijbel en laad de boeken... - + Registering Language... Registreer de taal... - + Importing %s... Importing <book name>... Importeer "%s"... - + Download Error 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. - + Parse Error 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. @@ -1079,167 +1079,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Bijbel Import Assistent - + 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. Deze Assistent helpt u bijbels van verschillende bestandsformaten te importeren. Om de Assistent te starten klikt op volgende. - + Web Download Onlinebijbel - + Location: Locatie: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bijbelvertaling: - + Download Options Download opties - + Server: Server: - + Username: Gebruikersnaam: - + Password: Wachtwoord: - + Proxy Server (Optional) Proxy-Server (optioneel) - + License Details Licentiedetails - + Set up the Bible's license details. Geef aan welke licentievoorwaarden gelden voor deze bijbelvertaling. - + Version name: Bijbeluitgave: - + Copyright: Copyright: - + Please wait while your Bible is imported. Even geduld. De bijbelvertaling wordt geïmporteerd. - + You need to specify a file with books of the Bible to use in the import. Er moet een bestand met beschikbare bijbelboeken opgegeven worden. - + You need to specify a file of Bible verses to import. Er moet een bestand met bijbelverzen opgegeven worden. - + You need to specify a version name for your Bible. Geef de naam van de bijbelvertaling op. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Copyright moet opgegeven worden. Bijbels in het publieke domein moeten als zodanig gemarkeerd worden. - + Bible Exists Deze bijbelvertaling bestaat reeds - + This Bible already exists. Please import a different Bible or first delete the existing one. Deze bijbel bestaat reeds. Geef een andere naam of verwijder eerst het bestaande exemplaar. - + Your Bible import failed. Het importeren is mislukt. - + CSV File CSV bestand - + Bibleserver Bibleserver.com - + Permissions: Rechten: - + Bible file: Bijbel bestand: - + Books file: Bijbelboeken bestand: - + Verses file: Bijbelverzen bestand: - + openlp.org 1.x Bible Files openlp.org 1.x bijbel bestanden - + Registering Bible... Registreer Bijbel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bijbel geregistreerd. Let op, de bijbelverzen worden gedownload @@ -1275,92 +1275,92 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.MediaItem - + Quick Snelzoeken - + Find: Vind: - + Book: Boek: - + Chapter: Hoofdstuk: - + Verse: Vers: - + From: Van: - + To: Tot: - + Text Search Zoek op tekst - + Second: Tweede: - + Scripture Reference Schriftverwijzing - + Toggle to keep or clear the previous results. Zoekresultaten wel / niet behouden. - + 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? - + Bible not fully loaded. Bijbel niet geheel geladen. - + Information 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. - + Search Scripture Reference... Doorzoek schriftverwijzing - + Search Text... Doorzoek tekst... - + Are you sure you want to delete "%s"? @@ -1368,7 +1368,7 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... %s %s wordt geïmporteerd... @@ -1377,12 +1377,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... @@ -1391,149 +1391,149 @@ indien nodig en een internetverbinding is dus noodzakelijk. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Selecteer Backup map - + Bible Upgrade Wizard Bijbel Upgrade Assistent - + 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. Deze Assistent helpt u bestaande bijbels op te waarderen van een eerdere indeling van OpenLP 2. Om de Assistent te starten klikt op volgende. - + Select Backup Directory Selecteer Backup map - + Please select a backup directory for your Bibles Selecteer een map om de backup van uw bijbel in op te slaan - + 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>. Eerdere versies van OpenLP 2.0 kunnen de nieuwe bijbelbestanden niet lezen. De assistent maakt een backup van uw huidige bestanden zodat u eenvoudig de bijbels terug kunt zetten in de OpenLP data-map voor het geval u met een oude versie van OpenLP moet werken. Instructies hoe de oorspronkelijke bestanden te herstellen staan in de <a href="http://wiki.openlp.org/faq">Frequently Asked Questions</a>(engelstalig). - + Please select a backup location for your Bibles. Selecteer een map om de backup van uw bijbel in op te slaan. - + Backup Directory: Backup map: - + There is no need to backup my Bibles Er hoeft geen Backup gemaakt te worden - + Select Bibles Selecteer bijbels - + Please select the Bibles to upgrade Selecteer de bijbels om op te waarderen - + Upgrading Opwaarderen - + Please wait while your Bibles are upgraded. Even geduld. De bijbels worden opgewaardeerd. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. De backup is mislukt. Om bijbels op te waarderen moet de map beschrijfbaar zijn.. - + Upgrading Bible %s of %s: "%s" Failed Opwaarderen Bijbel %s van %s: "%s" Faal - + Upgrading Bible %s of %s: "%s" Upgrading ... Opwaarderen Bijbel %s van %s: "%s" Opwaarderen ... - + Download Error Download fout - + To upgrade your Web Bibles an Internet connection is required. Om online bijbels op te waarderen is een internet verbinding noodzakelijk. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Opwaarderen Bijbel %s van %s: "%s" Opwaarderen %s ... - + Upgrading Bible %s of %s: "%s" Complete Opwaarderen Bijbel %s van %s: "%s" Klaar - + , %s failed , %s mislukt - + 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. Opwaarderen Bijbel(s): %s gelukt%s Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding is dus noodzakelijk. - + Upgrading Bible(s): %s successful%s Opwaarderen Bijbel(s): %s gelukt%s - + Upgrade failed. Opwaarderen mislukt. - + 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. @@ -1607,12 +1607,12 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding CustomPlugin.CustomTab - + Custom Display Aangepaste weergave - + Display footer Voettekst weergeven @@ -1683,7 +1683,7 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Weet u zeker dat u %n geslecteerde dia(s) wilt verwijderen? @@ -1694,60 +1694,60 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding 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>Afbeeldingen Plugin</strong><br />De afbeeldingen plugin voorziet in de mogelijkheid afbeeldingen te laten zien.<br />Een van de bijzondere mogelijkheden is dat meerdere afbeeldingen als groep in de liturgie worden opgenomen, zodat weergave van meerdere afbeeldingen eenvoudiger wordt. Deze plugin maakt doorlopende diashows (bijv. om de 3 sec. een nieuwe dia) mogelijk. Ook kun met deze plugin de achtergrondafbeelding van het thema vervangen met een andere afbeelding. Ook de combinatie van tekst en beeld is mogelijk. - + Image name singular Afbeelding - + Images name plural Bilder - + Images container title Afbeeldingen - + Load a new image. Afbeelding laden. - + Add a new image. Afbeelding toevoegen. - + Edit the selected image. Afbeelding bewerken. - + Delete the selected image. Geselecteerde afbeelding wissen. - + Preview the selected image. Geselecteerde afbeelding voorbeeld bekijken. - + Send the selected image live. Geselecteerde afbeelding Live tonen. - + Add the selected image to the service. Geselecteerde afbeelding aan liturgie toevoegen. @@ -1755,7 +1755,7 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding ImagePlugin.ExceptionDialog - + Select Attachment Selecteer bijlage @@ -1763,44 +1763,44 @@ Let op, de bijbelverzen worden gedownload indien nodig en een internetverbinding ImagePlugin.MediaItem - + Select Image(s) Selecteer afbeelding(en) - + You must select an image to delete. Selecteer een afbeelding om te verwijderen. - + You must select an image to replace the background with. Selecteer een afbeelding om de achtergrond te vervangen. - + Missing Image(s) Ontbrekende afbeelding(en) - + The following image(s) no longer exist: %s De volgende afbeelding(en) ontbreken: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? De volgende afbeelding(en) ontbreken: %s De andere afbeeldingen alsnog toevoegen? - + There was a problem replacing your background, the image file "%s" no longer exists. Achtergrond kan niet vervangen worden, omdat de afbeelding "%s" ontbreekt. - + There was no display item to amend. Er is geen weergave item om te verbeteren. @@ -1808,17 +1808,17 @@ De andere afbeeldingen alsnog toevoegen? ImagesPlugin.ImageTab - + Background Color Achtergrondkleur - + Default Color: Standaard kleur: - + Visible background for images with aspect ratio different to screen. @@ -1826,60 +1826,60 @@ De andere afbeeldingen alsnog toevoegen? 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. @@ -1927,7 +1927,7 @@ De andere afbeeldingen alsnog toevoegen? Er is geen weergave item om te verbeteren. - + Unsupported File Niet ondersteund bestandsformaat @@ -1945,22 +1945,22 @@ De andere afbeeldingen alsnog toevoegen? MediaPlugin.MediaTab - + Available Media Players Beschikbare media spelers - + %s (unavailable) %s (niet beschikbaar) - + Player Order Speler volgorde - + Allow media player to be overridden Toestaan om de mediaspeler te overschrijven @@ -1968,7 +1968,7 @@ De andere afbeeldingen alsnog toevoegen? OpenLP - + Image Files Afbeeldingsbestanden @@ -2174,192 +2174,274 @@ Portions copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Werkomgeving instellingen - + Number of recent files to display: Aantal recent geopende bestanden: - + Remember active media manager tab on startup Laatstgeopende tab opslaan - + Double-click to send items straight to live Dubbelklikken om onderdelen direct aan live toe te voegen - + Expand new service items on creation Nieuwe liturgieonderdelen automatisch uitklappen - + Enable application exit confirmation Afsluiten OpenLP bevestigen - + Mouse Cursor Muisaanwijzer - + Hide mouse cursor when over display window Verberg muisaanwijzer in het weergave venster - + Default Image standaard afbeelding - + Background color: Achtergrondkleur: - + Image file: Afbeeldingsbestand: - + Open File Open bestand - + Advanced Geavanceerd - + Preview items when clicked in Media Manager Voorbeeld direct laten zien bij aanklikken in Media beheer - + Click to select a color. Klik om een kleur te kiezen. - + Browse for an image file to display. Blader naar een afbeelding om te laten zien. - + Revert to the default OpenLP logo. Herstel standaard OpenLP logo. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Liturgie %d-%m-%Y %H-%M - + Default Service Name Standaard liturgienaam - + Enable default service name Gebruik standaard liturgienaam - + Date and Time: Datum en tijd: - + Monday maandag - + Tuesday dinsdag - + Wednesday woensdag - + Thurdsday donderdag - + Friday vrijdag - + Saturday zaterdag - + Sunday zondag - + Now Nu - + Time when usual service starts. Begintijd gewone dienst - + Name: Naam: - + Consult the OpenLP manual for usage. Raadpleeg de OpenLP handleiding voor gebruik. - + Revert to the default service name "%s". Herstel de standaard liturgienaam "%s". - + Example: Voorbeeld: - + X11 X11 - + Bypass X11 Window Manager Negeer X11 Window Manager - + Syntax error. Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Annuleren + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2397,7 +2479,7 @@ Stuur een e-mail naar: bugs@openlp.org met een gedetailleerde beschrijving van h Voeg bestand toe - + Description characters to enter : %s Toelichting aanvullen met nog %s tekens @@ -2405,24 +2487,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 @@ -2453,7 +2535,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2589,17 +2671,17 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Standaard instellingen - + Downloading %s... Downloaden %s... - + Download complete. Click the finish button to start OpenLP. Download compleet. Klik op afrond om OpenLP te starten. - + Enabling selected plugins... Geselecteerde plugins inschakelen... @@ -2669,32 +2751,32 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. Deze assistent helpt u bij het instellen van OpenLP voor het eerste gebruik. Klik op volgende om te beginnen. - + Setting Up And Downloading Instellen en downloaden - + Please wait while OpenLP is set up and your data is downloaded. Even geduld terwijl OpenLP ingesteld wordt en de voorbeeldgegevens worden gedownload. - + Setting Up Instellen - + Click the finish button to start OpenLP. Klik op afronden om OpenLP te starten. - + 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. @@ -2713,14 +2795,18 @@ Schrijf in het Engels, omdat de meeste programmeurs geen Nederlands spreken. 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. Click 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 internetverbinding gevonden. The First Time Wizard heeft een internetverbinding nodig om voorbeelden van liederen, bijbels en thema's te downloaden. Klik op klaar om OpenLP op te starten met standaardinstellingen zonder voorbeelddata. + +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), click the Cancel button now. - + + +To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. @@ -2779,32 +2865,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Update Fout - + Tag "n" already defined. Tag "n" bestaat al. - + New Tag Nieuwe tag - + <HTML here> <HTML here> - + </and here> </and here> - + Tag %s already defined. Tag %s bestaat al. @@ -2812,82 +2898,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Rood - + Black Zwart - + Blue Blauw - + Yellow Geel - + Green Groen - + Pink Roze - + Orange Oranje - + Purple Paars - + White Wit - + Superscript Superscript - + Subscript Subscript - + Paragraph Paragraaf - + Bold Vet - + Italics Cursief - + Underline Onderstreept - + Break Breek af @@ -2895,157 +2981,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Algemeen - + Monitors Beeldschermen - + Select monitor for output display: Projectiescherm: - + Display if a single screen Weergeven bij enkel scherm - + Application Startup Programma start - + Show blank screen warning Toon zwart scherm waarschuwing - + Automatically open the last service Automatisch laatste liturgie openen - + Show the splash screen Toon splash screen - + Application Settings Programma instellingen - + Prompt to save before starting a new service Waarschuw om werk op te slaan bij het beginnen van een nieuwe liturgie - + Automatically preview next item in service Automatisch volgend onderdeel van liturgie tonen - + sec sec - + CCLI Details CCLI-details - + SongSelect username: SongSelect gebruikersnaam: - + SongSelect password: SongSelect wachtwoord: - + X X - + Y Y - + Height Hoogte - + Width Breedte - + Check for updates to OpenLP Controleer op updates voor OpenLP - + Unblank display when adding new live item Zwart scherm uitschakelen als er een nieuw live item wordt toegevoegd - + Timed slide interval: Tijd tussen dia’s: - + Background Audio Achtergrond geluid - + Start background audio paused Start achtergrond geluid gepausseerd - + Service Item Slide Limits Limiet Liturgieitems per dia - + Override display position: Overschrijf scherm positie - + Repeat track list herhaal tracklijst - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -3053,12 +3139,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Taal - + Please restart OpenLP to use your new language setting. Start OpenLP opnieuw op om de nieuwe taalinstellingen te gebruiken. @@ -3074,287 +3160,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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. - + 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/. @@ -3363,108 +3449,108 @@ You can download the latest version from http://openlp.org/. U kunt de laatste versie op http://openlp.org/ downloaden. - + 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 - + English Please add the name of your language here 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. - + &Recent Files &Recente bestanden - + 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. @@ -3473,43 +3559,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and 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. - + Clear List Clear List of recent files Lijst leegmaken - + Clear the list of recent files. 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 - + 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. @@ -3522,45 +3608,50 @@ Instellingen importeren zal uw huidige OpenLP configuratie veranderen. Incorrecte instellingen importeren veroorzaakt onvoorspelbare effecten of OpenLP kan spontaan stoppen. - + Open File 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) + + + New Data Directory Error + + 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 @@ -3569,7 +3660,7 @@ Database: %s Database: %s - + OpenLP cannot load your database. Database: %s @@ -3581,74 +3672,74 @@ Database: %s OpenLP.MediaManagerItem - + No Items Selected Niets geselecteerd - + &Add to selected Service Item &Voeg selectie toe aan de liturgie - + You must select one or more items to preview. Selecteer een of meerdere onderdelen om voorbeeld te laten zien. - + You must select one or more items to send live. Selecteer een of meerdere onderdelen om Live te tonen. - + You must select one or more items. Selecteer een of meerdere onderdelen. - + You must select an existing service item to add to. Selecteer een liturgie om deze onderdelen aan toe te voegen. - + Invalid Service Item Ongeldige Liturgie onderdeel - + You must select a %s service item. Selecteer een %s liturgie onderdeel. - + You must select one or more items to add. Selecteer een of meerdere onderdelen om toe te voegen. - + No Search Results Niets gevonden - + Invalid File Type Ongeldig bestandsformaat - + Invalid File %s. Suffix not supported Ongeldig bestand %s. Extensie niet ondersteund - + &Clone &Kloon - + Duplicate files were found on import and were ignored. Identieke bestanden zijn bij het importeren gevonden en worden genegeerd. @@ -3656,12 +3747,12 @@ Extensie niet ondersteund OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <liedtekst> tag mist. - + <verse> tag is missing. <vers> tag mist. @@ -3803,12 +3894,12 @@ Extensie niet ondersteund OpenLP.ScreenList - + Screen Beeldscherm - + primary primair scherm @@ -3816,12 +3907,12 @@ Extensie niet ondersteund OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Start</strong>: %s - + <strong>Length</strong>: %s <strong>Lengte</strong>: %s @@ -3837,277 +3928,282 @@ Extensie niet ondersteund OpenLP.ServiceManager - + Move to &top Bovenaan plaa&tsen - + Move item to the top of the service. Plaats dit onderdeel bovenaan. - + Move &up Naar b&oven - + Move item up one position in the service. Verplaats een plek naar boven. - + Move &down Naar bene&den - + Move item down one position in the service. Verplaats een plek naar beneden. - + Move to &bottom Onderaan &plaatsen - + Move item to the end of the service. Plaats dit onderdeel onderaan. - + &Delete From Service Verwij&deren uit de liturgie - + Delete the selected item from the service. Verwijder dit onderdeel uit de liturgie. - + &Add New Item &Voeg toe - + &Add to Selected Item &Voeg selectie toe - + &Edit Item B&ewerk onderdeel - + &Reorder Item He&rschik onderdeel - + &Notes Aa&ntekeningen - + &Change Item Theme &Wijzig onderdeel thema - + OpenLP Service Files (*.osz) OpenLP liturgie bestanden (*.osz) - + 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 - + &Expand all Alles &uitklappen - + Expand all the service items. Alle liturgie onderdelen uitklappen. - + &Collapse all Alles &inklappen - + Collapse all the service items. Alle liturgie onderdelen inklappen. - + Open File Open bestand - + Moves the selection down the window. Verplaatst de selectie naar beneden. - + Move up Naar boven - + Moves the selection up the window. Verplaatst de selectie naar boven. - + Go Live Ga Live - + Send the selected item to Live. Toon selectie Live. - + &Start Time &Start Tijd - + Show &Preview Toon &Voorbeeld - - Show &Live - Toon &Live - - - + Modified Service Gewijzigde liturgie - + The current service has been modified. Would you like to save this service? De huidige liturgie is gewijzigd. Veranderingen opslaan? - + Custom Service Notes: Aangepaste liturgie kanttekeningen: - + Notes: Aantekeningen: - + Playing time: Speeltijd: - + Untitled Service Liturgie zonder naam - + 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 - + Load an existing service. Laad een bestaande liturgie. - + Save this service. Deze liturgie opslaan. - + Select a theme for the service. 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. - + Service File Missing Ontbrekend liturgiebestand - + Slide theme Dia thema - + Notes Aantekeningen - + Edit Bewerk - + Service copy only Liturgie alleen kopiëren + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4138,12 +4234,12 @@ Tekst codering is geen UTF-8. snelkoppeling - + Duplicate Shortcut Snelkoppelingen dupliceren - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Deze snelkoppeling "%s" wordt al voor iets anders gebruikt. Kies een andere toetscombinatie. @@ -4178,12 +4274,12 @@ Tekst codering is geen UTF-8. Herstel de standaard sneltoets voor de actie. - + Restore Default Shortcuts Herstel standaard sneltoetsen - + Do you want to restore all shortcuts to their defaults? Weet u zeker dat u alle standaard sneltoetsen wilt herstellen? @@ -4196,172 +4292,172 @@ Tekst codering is geen UTF-8. OpenLP.SlideController - + Hide Verbergen - + Go To Ga naar - + Blank Screen Zwart scherm - + Blank to Theme Zwart naar thema - + Show Desktop Toon bureaublad - + 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. Afspelen pauzeren - + Stop playing media. Afspelen stoppen - + Video position. Video positie - + Audio Volume. Audio volume - + Go to "Verse" Ga naar "Vers" - + Go to "Chorus" Ga naar "Refrein" - + Go to "Bridge" Ga naar "Bridge" - + Go to "Pre-Chorus" Ga naar "pre-Refrein" - + Go to "Intro" Ga naar "Intro" - + Go to "Ending" Ga naar "Einde" - + Go to "Other" Ga naar "Overige" - + Previous Slide vorige dia - + Next Slide volgende dia - + Pause Audio Pauzeer audio - + Background Audio Achtergrondgeluid - + Go to next audio track. Ga naar de volgende audiotrack. - + Tracks Tracks @@ -4455,32 +4551,32 @@ Tekst codering is geen UTF-8. OpenLP.ThemeForm - + Select Image Selecteer afbeelding - + Theme Name Missing Thema naam ontbreekt - + There is no name for this theme. Please enter one. Dit thema heeft nog geen naam. Geef een naam voor dit thema. - + Theme Name Invalid Ongeldige naam - + Invalid theme name. Please enter one. Deze naam kan niet worden gebruikt als thema naam. Kies een andere naam. - + (approximately %d lines per slide) (ongeveer %d regels per dia) @@ -4488,193 +4584,193 @@ Tekst codering is geen UTF-8. OpenLP.ThemeManager - + Create a new theme. Maak een nieuw thema. - + Edit Theme Bewerk thema - + Edit a theme. Bewerk een thema. - + Delete Theme Verwijder thema - + Delete a theme. Verwijder thema. - + Import Theme Importeer thema - + Import a theme. Importeer thema. - + Export Theme Exporteer thema - + Export a theme. Exporteer thema. - + &Edit Theme B&ewerk thema - + &Delete Theme Verwij&der thema - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Thema %s wordt gebruikt in de %s plugin. - + 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. Geen geldig thema bestand. - + &Copy Theme &Kopieer thema - + &Rename Theme He&rnoem thema - + &Export Theme &Exporteer thema - + You must select a theme to rename. Selecteer een thema om te hernoemen. - + Rename Confirmation Bevestig hernoemen - + Rename %s theme? %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) - + Copy of %s Copy of <theme name> Kopie van %s - + Theme Already Exists Theama bestaat al @@ -4902,7 +4998,7 @@ Tekst codering is geen UTF-8. Thema naam: - + Edit Theme - %s Bewerk thema - %s @@ -4955,47 +5051,47 @@ Tekst codering is geen UTF-8. OpenLP.ThemesTab - + Global Theme Globaal thema - + Theme Level Thema niveau - + S&ong Level &Lied niveau - + 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. Gebruik het thema bij elk lied in de database. Als een lied geen eigen thema heeft, gebruik dan het thema van de liturgie. Als de liturgie geen eigen thema heeft, gebruik dan het globale thema. - + &Service Level &Liturgie niveau - + 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. Gebruik het thema van de liturgie en negeer de thema's van elk lied afzonderlijk. Als de liturgie geen eigen thema heeft, gebruik dan het globale thema. - + &Global Level &Globaal niveau - + Use the global theme, overriding any themes associated with either the service or the songs. Gebruik het globale thema en negeer alle thema's van de liturgie of de afzonderlijke liederen. - + Themes Thema's @@ -5079,245 +5175,245 @@ Tekst codering is geen UTF-8. pt - + Image Afbeelding - + Import Importeren - + Live Live - + Live Background Error Live achtergrond fout - + Load Laad - + Middle Midden - + New Nieuw - + New Service Nieuwe liturgie - + New Theme Nieuw thema - + No File Selected Singular Geen bestand geselecteerd - + No Files Selected Plural Geen bestanden geselecteerd - + No Item Selected Singular Geen item geselecteerd - + No Items Selected Plural Geen items geselecteerd - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Voorbeeld - + Replace Background Vervang achtergrond - + Reset Background Herstel achtergrond - + s The abbreviated unit for seconds s - + Save && Preview Opslaan && voorbeeld bekijken - + Search Zoek - + You must select an item to delete. Selecteer een item om te verwijderen. - + You must select an item to edit. Selecteer iets om te bewerken. - + Save Service Liturgie opslaan - + Service Liturgie - + Start %s Start %s - + Theme Singular Thema - + Themes Plural Thema's - + Top Boven - + Version Versie - + Delete the selected item. Verwijder het geselecteerde item. - + Move selection up one position. Verplaats selectie een plek naar boven. - + Move selection down one position. Verplaats selectie een plek naar beneden. - + &Vertical Align: &Verticaal uitlijnen: - + Finished import. Importeren beëindigd. - + Format: Formaat: - + Importing Importeren - + Importing "%s"... Importeren "%s"... - + Select Import Source Selecteer te importeren bestand - + Select the import format and the location to import from. Selecteer te importeren bestand en het bestandsformaat. - + 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. 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 Open %s bestand - + %p% %p% - + Ready. Klaar. - + Starting import... Start importeren... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Selecteer minstens een %s bestand om te importeren. - + Welcome to the Bible Import Wizard Welkom bij de Bijbel Import Assistent @@ -5327,7 +5423,7 @@ Tekst codering is geen UTF-8. Welkom bij de lied export assistent - + Welcome to the Song Import Wizard Welkom bij de lied import assistent @@ -5415,53 +5511,53 @@ Tekst codering is geen UTF-8. h - + Layout style: Paginaformaat: - + Live Toolbar Live Werkbalk - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP is reeds gestart. Weet u zeker dat u wilt doorgaan? - + Settings Instellingen - + Tools Hulpmiddelen - + Unsupported File Niet ondersteund bestandsformaat - + Verse Per Slide Bijbelvers per dia - + Verse Per Line Bijbelvers per regel - + View Weergave @@ -5476,37 +5572,37 @@ Tekst codering is geen UTF-8. XML syntax fout - + View Mode Weergave modus - + Open service. Open liturgie. - + Print Service Liturgie afdrukken - + Replace live background. Vervang Live achtergrond. - + Reset live background. Herstel Live achtergrond. - + Split a slide into two only if it does not fit on the screen as one slide. Dia opdelen als de inhoud niet op een dia past. - + Welcome to the Bible Upgrade Wizard Welkom bij de Bijbel Opwaardeer Assistent @@ -5516,64 +5612,105 @@ Tekst codering is geen UTF-8. Bevestig verwijderen - + Play Slides in Loop Dia’s doorlopend tonen - + Play Slides to End 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 - + Next Track Volgende track - + Search Themes... Search bar place holder text Doorzoek thema... - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 en %2 - + %1, and %2 Locale list separator: end %1, en %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5582,50 +5719,50 @@ Tekst codering is geen UTF-8. 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>Presentatie plugin</strong><br />De presentatie plugin voorziet in de mogelijkheid om verschillende soorten presentaties weer te geven. De keuze van beschikbare presentatie software staat in een uitklapmenu. - + Presentation name singular Presentatie - + Presentations name plural Präsentationen - + Presentations container title Presentaties - + Load a new presentation. Laad nieuwe presentatie. - + Delete the selected presentation. Geselecteerde presentatie verwijderen. - + Preview the selected presentation. Geef van geselecteerde presentatie voorbeeld weer. - + Send the selected presentation live. Geselecteerde presentatie Live. - + Add the selected presentation to the service. Voeg geselecteerde presentatie toe aan de liturgie. @@ -5633,70 +5770,70 @@ Tekst codering is geen UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Selecteer presentatie(s) - + Automatic automatisch - + Present using: Presenteren met: - + File Exists Bestand bestaat - + A presentation with that filename already exists. Er bestaat al een presentatie met die naam. - + This type of presentation is not supported. Dit soort presentatie wordt niet ondersteund. - + Presentations (%s) Presentaties (%s) - + Missing Presentation Ontbrekende presentatie - - The Presentation %s no longer exists. - De presentatie %s bestaat niet meer. + + The presentation %s is incomplete, please reload. + - - The Presentation %s is incomplete, please reload. - De presentatie %s is niet compleet, herladen aub. + + The presentation %s no longer exists. + PresentationPlugin.PresentationTab - + Available Controllers Beschikbare regelaars - + %s (unavailable) %s (niet beschikbaar) - + Allow presentation application to be overridden Toestaan presentatieprogramma te overschrijven @@ -5730,107 +5867,107 @@ Tekst codering is geen UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remote - + OpenLP 2.0 Stage View OpenLP 2.0 Podium Weergave - + Service Manager Liturgie beheer - + Slide Controller Dia regelaar - + Alerts Waarschuwingen - + Search Zoek - + Refresh Vernieuwen - + Blank Leeg - + Show Toon - + Prev Vorige - + Next Volgende - + Text Tekst - + Show Alert Toon waarschuwingen - + Go Live Ga Live - + No Results Niets gevonden - + Options Opties - + Add to Service Voeg toe aan Liturgie - + Home - + Theme Thema - + Desktop - + Add &amp; Go to Service @@ -5838,42 +5975,42 @@ Tekst codering is geen UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: Beschikbaar via IP-adres: - + Port number: Poort nummer: - + Server Settings Server instellingen - + Remote URL: Remote URL: - + Stage view URL: Podium weergave URL: - + Display stage time in 12h format Toon tijd in 12h opmaak - + Android App Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Scan de QR code if klik <a href="https://market.android.com/details?id=org.openlp.android">download</a> om de Android app van de Market te downloaden. @@ -5881,85 +6018,85 @@ Tekst codering is geen UTF-8. 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 @@ -6020,22 +6157,22 @@ Tekst codering is geen UTF-8. Locatie rapport - + Output File Location Bestandslocatie - + usage_detail_%s_%s.txt liedgebruik_details_%s_%s.txt - + Report Creation Maak rapportage - + Report %s has been successfully created. @@ -6044,12 +6181,12 @@ has been successfully created. is gemaakt. - + Output Path Not Selected Uitvoer pad niet geselecteerd - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Geen geldige bestandslocatie opgegeven om de rapportage liedgebruik op te slaan. Kies een bestaande map op uw computer. @@ -6087,82 +6224,82 @@ is gemaakt. Liederen her-indexeren... - + 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 - + The codepage setting is responsible for the correct character representation. Usually you are fine with the preselected choice. @@ -6171,26 +6308,26 @@ een correcte weergave van lettertekens. Meestal voldoet de suggestie van OpenLP. - + 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. - + Song name singular Lied - + Songs name plural Lieder - + Songs container title Liederen @@ -6201,32 +6338,32 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens 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. @@ -6254,17 +6391,17 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Achternaam: - + You need to type in the first name of the author. De voornaam van de auteur moet worden opgegeven. - + You need to type in the last name of the author. De achternaam van de auteur moet worden opgegeven. - + You have not set a display name for the author, combine the first and last names? Geen weergave naam opgegeven. Moeten de voor- en achternaam gecombineerd worden? @@ -6405,72 +6542,72 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens 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? - + This author is already in the list. Deze auteur staat al in de lijst. - + 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? - + This topic is already in the list. Dit onderwerp staat al in de lijst. - + 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". - + 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. - + 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. - + 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 have an author for this song. Iemand heeft dit lied geschreven. @@ -6500,7 +6637,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens &Alles verwijderen - + Open File(s) Open bestand(en) @@ -6510,7 +6647,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens <strong>Let op:</strong> Niet alle verzen worden gebruikt. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Ongeldige vers volgorde. Er zijn geen verzen die overeenkomen met %s. Geldig zijn %s. @@ -6624,135 +6761,140 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecteer Documenten/Presentatie bestanden - + Song Import Wizard Lied importeer assistent - + 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. Deze assistent helpt liederen in verschillende bestandsformaten te importeren in OpenLP. Klik op volgende en kies daarna het bestandsformaat van het te importeren lied. - + Generic Document/Presentation Algemeen Document/Presentatie - - Filename: - Bestandsnaam: - - - - 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. - OpenLyrics import is nog niet gemaakt, maar we hebben het voornemen dit te doen. Hopelijk lukt dit in een volgende versie. - - - + Add Files... Toevoegen... - + Remove File(s) Verwijder bestand(en) - + Please wait while your songs are imported. Even geduld tijdens het importeren. - + 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 - - You need to specify at least one document or presentation file to import from. - Selecteer minimaal een document of presentatie om te importeren. - - - + Songs Of Fellowship Song Files Songs Of Fellowship lied bestanden - + SongBeamer Files SongBeamer bestanden - + SongShow Plus Song Files SongShow Plus lied bestanden - + Foilpresenter Song Files Foilpresenter lied bestanden - + Copy Kopieer - + Save to File Opslaan als bestand - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Songs of Fellowship import is uitgeschakeld omdat OpenLP OpenOffice.org niet kan vinden op deze computer. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 - + CCLI SongSelect Files CCLI SongSelect bestanden - + EasySlides XML File EasySlides XML bestanden - + EasyWorship Song Database EasyWorship Lied Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6770,22 +6912,22 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.MediaItem - + Titles Titels - + Lyrics Liedtekst - + CCLI License: CCLI Licentie: - + Entire Song Gehele lied @@ -6798,7 +6940,7 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens - + Maintain the lists of authors, topics and books. Beheer de lijst met auteurs, onderwerpen en liedboeken. @@ -6809,27 +6951,27 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens kopieer - + Search Titles... Doorzoek titels... - + Search Entire Song... Doorzoek gehele lied... - + Search Lyrics... Doorzoek liedtekst... - + Search Authors... Doorzoek auteurs... - + Search Song Books... Doorzoek liedboeken... @@ -6858,6 +7000,19 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Exporteren "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6897,12 +7052,12 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: De volgende liederen konden niet worden geïmporteerd: @@ -6922,118 +7077,110 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Bestand niet gevonden - - SongsPlugin.SongImportForm - - - Your song import failed. - Lied import mislukt. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Kon de auteur niet toevoegen. - + This author already exists. Deze auteur bestaat al. - + Could not add your topic. Kon dit onderwerp niet toevoegen. - + This topic already exists. Dit onderwerp bestaat al. - + Could not add your book. Kon dit boek niet toevoegen. - + This book already exists. Dit boek bestaat al. - + Could not save your changes. De wijzigingen kunnen niet opgeslagen worden. - + Could not save your modified author, because the author already exists. Kan de auteur niet opslaan, omdat deze reeds bestaat. - + Could not save your modified topic, because it already exists. Kan dit onderwerp niet opslaan, omdat het reeds bestaat. - + Delete Author Auteur verwijderen - + Are you sure you want to delete the selected author? Weet u zeker dat u de auteur wilt verwijderen? - + This author cannot be deleted, they are currently assigned to at least one song. Deze auteur kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld. - + Delete Topic Onderwerp verwijderen - + Are you sure you want to delete the selected topic? Weet u zeker dat u dit onderwerp wilt verwijderen? - + This topic cannot be deleted, it is currently assigned to at least one song. Dit onderwerp kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld. - + Delete Book Verwijder boek - + Are you sure you want to delete the selected book? Weet u zeker dat u dit boek wilt verwijderen? - + This book cannot be deleted, it is currently assigned to at least one song. Dit liedboek kan niet worden verwijderd, omdat er nog een lied aan is gekoppeld. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Deze auteur %s bestaat al. Liederen met auteur %s aan deze auteur %s koppelen? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Dit onderwerp %s bestaat al. Liederen met onderwerp %s aan %s koppelen? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Dit liedboek %s bestaat al. Liederen uit het Liedboek %s aan het liedboek %s koppelen? @@ -7041,27 +7188,27 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens SongsPlugin.SongsTab - + Songs Mode Lied instellingen - + Enable search as you type Zoeken tijdens het typen - + Display verses on live tool bar Coupletten weergeven op live werkbalk - + Update service from song edit Liturgie bijwerken met bewerkt lied - + Import missing songs from service files @@ -7122,4 +7269,17 @@ De tekstcodering is verantwoordelijk voor een correcte weergave van lettertekens Overig + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/pl.ts b/resources/i18n/pl.ts index 363356451..0b644ff05 100644 --- a/resources/i18n/pl.ts +++ b/resources/i18n/pl.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 - + Czcionka - + Font name: - + Nazwa czcionki: - + Font color: - + Kolor czcionki: - + Background color: - + Tło czcionki: - + Font size: - + Wielkość czcionki: - + Alert timeout: @@ -150,510 +150,510 @@ Do you want to continue anyway? 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. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,38 +707,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error - + 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. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -754,127 +754,127 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -886,11 +886,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -921,11 +916,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1021,38 +1021,38 @@ It is not possible to customize the Book Names. 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. @@ -1060,167 +1060,167 @@ It is not possible to customize the Book Names. 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 - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1255,92 +1255,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1348,7 +1348,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1357,12 +1357,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>... @@ -1371,143 +1371,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1581,12 +1581,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1657,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1669,60 +1669,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1730,7 +1730,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1738,43 +1738,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1782,17 +1782,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1800,60 +1800,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 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. @@ -1901,7 +1901,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1919,22 +1919,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1942,7 +1942,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2077,192 +2077,274 @@ Portions copyright © 2004-2012 %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: - + Tło czcionki: - + 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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2298,7 +2380,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2306,23 +2388,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2340,7 +2422,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2463,17 +2545,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2543,32 +2625,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2653,32 +2735,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2686,82 +2768,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2769,157 +2851,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2927,12 +3009,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2948,438 +3030,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 - + English Please add the name of your language here - + 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. @@ -3388,52 +3470,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3443,73 +3530,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3517,12 +3604,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3664,12 +3751,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3677,12 +3764,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3698,276 +3785,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -3998,12 +4090,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4038,12 +4130,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4056,172 +4148,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4315,32 +4407,32 @@ The content encoding is not UTF-8. 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) @@ -4348,193 +4440,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4762,7 +4854,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4794,7 +4886,7 @@ The content encoding is not UTF-8. Background color: - + Tło czcionki: @@ -4815,47 +4907,47 @@ The content encoding is not UTF-8. 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 @@ -4939,245 +5031,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5187,7 +5279,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5275,53 +5367,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5336,37 +5428,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5376,64 +5468,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5442,50 +5575,50 @@ The content encoding is not UTF-8. 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. @@ -5493,70 +5626,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5590,107 +5723,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5698,42 +5831,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5741,85 +5874,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 @@ -5880,34 +6013,34 @@ The content encoding is not UTF-8. - + 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. @@ -5945,107 +6078,107 @@ has been successfully created. - + 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 @@ -6056,32 +6189,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6109,17 +6242,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6258,72 +6391,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6353,7 +6486,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6363,7 +6496,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6477,135 +6610,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6623,22 +6761,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6652,7 +6790,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6663,27 +6801,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6712,6 +6850,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6751,12 +6902,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6776,118 +6927,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6895,27 +7038,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6976,4 +7119,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/pt_BR.ts b/resources/i18n/pt_BR.ts index 46644c694..d6e92e503 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. @@ -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,510 +152,510 @@ Deseja continuar mesmo assim? BiblesPlugin - + &Bible &Bíblia - + Bible name singular Bíblia - + Bibles name plural Bíblias - + Bibles container title Bíblias - + No Book Found Nenhum Livro Encontrado - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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 - + Upgrade the Bible databases to the latest format. Atualizar o banco de dados de Bíblias para o formato atual. - + Genesis Gênesis - + Exodus Êxodo - + Leviticus Levítico - + Numbers Números - + Deuteronomy Deuteronômio - + Joshua Josué - + Judges Juízes - + Ruth Rute - + 1 Samuel 1 Samuel - + 2 Samuel 2 Samuel - + 1 Kings 1 Reis - + 2 Kings 2 Reis - + 1 Chronicles 1 Crônicas - + 2 Chronicles 2 Crônicas - + Ezra Esdras - + Nehemiah Neemias - + Esther Ester - + Job - + Psalms Salmos - + Proverbs Provérbios - + Ecclesiastes Eclesiastes - + Song of Solomon Cântico dos Cânticos - + Isaiah Isaías - + Jeremiah Jeremias - + Lamentations Lamentações de Jeremias - + Ezekiel Ezequiel - + Daniel Daniel - + Hosea Oseias - + Joel Joel - + Amos Amós - + Obadiah Obadias - + Jonah Jonas - + Micah Miqueias - + Nahum Naum - + Habakkuk Habacuque - + Zephaniah Sofonias - + Haggai Ageu - + Zechariah Zacarias - + Malachi Malaquias - + Matthew Mateus - + Mark Marcos - + Luke Lucas - + John João - + Acts Atos dos Apóstolos - + Romans Romanos - + 1 Corinthians 1 Coríntios - + 2 Corinthians 2 Coríntios - + Galatians Gálatas - + Ephesians Efésios - + Philippians Filipenses - + Colossians Colossenses - + 1 Thessalonians 1 Tessalonicenses - + 2 Thessalonians 2 Tessalonicenses - + 1 Timothy 1 Timóteo - + 2 Timothy 2 Timóeo - + Titus Tito - + Philemon Filemon - + Hebrews Hebreus - + James Tiago - + 1 Peter 1 Pedro - + 2 Peter 2 Pedro - + 1 John 1 João - + 2 John 2 João - + 3 John 3 João - + Jude Judas - + Revelation Apócalipse - + Judith Judite - + Wisdom Sabedoria - + Tobit Tobias - + Sirach Eclesiástico - + Baruch Baruque - + 1 Maccabees 1 Macabeus - + 2 Maccabees 2 Macabeus - + 3 Maccabees 3 Macabeus - + 4 Maccabees 4 Macabeus - + Rest of Daniel Acréscimos de Daniel - + Rest of Esther Adições a Ester - + Prayer of Manasses Oração de Manassés - + Letter of Jeremiah Carta de Jeremias - + Prayer of Azariah Oração de Azarias - + Susanna Suzana - + Bel Bel - + 1 Esdras 1 Esdras - + 2 Esdras 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|verso|versos;;-|até;;,|e;;fim @@ -666,82 +666,84 @@ Deseja continuar mesmo assim? You need to specify a version name for your Bible. - Você deve especificar um nome de versão para a sua Bíblia. + É necessário especificar um nome para esta versão da Bíblia. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Você precisa definir os direitos autorais da sua Bíblia. Traduções em Domínio Público devem ser marcadas como tal. + É necessário informar os Direitos Autorais para esta Bíblia. Traduções em domínio público precisam ser marcadas como tal. Bible Exists - Bíblia Existe + A Bíblia existe This Bible already exists. Please import a different Bible or first delete the existing one. - Esta Bíblia já existe. Pro favor, importe uma Bíblia diferente ou apague a existente primeiro. + Esta Bíblia já existe. Por favor importa outra Bíblia ou remova a já existente. You need to specify a book name for "%s". - + É necessário especificar um nome de livro para "%s". The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + O nome de livro "%s" não é válido. +Números só podem ser usados na início e precisam +ser seguidos de um ou mais caracteres não-numéricos. Duplicate Book Name - + Nome de Livro Duplicado The Book Name "%s" has been entered more than once. - + O nome de Livro "%s" foi informado mais de uma vez. BiblesPlugin.BibleManager - + Scripture Reference Error Erro de Referência na Escritura - + Web Bible cannot be used Não é possível usar a Bíblia Online - + Text Search is not available with Web Bibles. A Pesquisa de Texto não está disponível para Bíblias Online. - + 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. Você não digitou uma palavra-chave de pesquisa. Você pode separar diferentes palavras-chave com um espaço para procurar por todas as palavras-chave e pode separá-las com uma vírgula para pesquisar por alguma delas. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Não há Bíblias instaladas atualmente. Por favor, utilize o Assistente de Importação para instalar uma ou mais Bíblias. - + No Bibles Available Nenhum Bíblia Disponível - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Livro Capítulo%(verse)sVerso%(range)sCapítulo%(verse)sVerso BiblesPlugin.BiblesTab - + Verse Display Exibição do Versículo - + Only show new chapter numbers Somente mostrar números de capítulos novos - + Bible theme: Tema da Bíblia: - + No Brackets Sem Parênteses - + ( And ) ( E ) - + { And } { E } - + [ And ] [ E ] - + Note: Changes do not affect verses already in the service. Observação: Mudanças não afetam os versículos que já estão no culto. - + Display second Bible verses Exibir versículos da Bíblia secundária - + Custom Scripture References Referências Personalizadas das Escrituras - + Verse Separator: Separador de Versos - + Range Separator: Separador de Faixas: - + List Separator: Separador de Listas: - + End Mark: Marcação de Fim: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ Eles devem ser separados por uma barra vertical "|". Por favor, limpe esta linha edição para usar o valor padrão. - + English Inglês - + Default Bible Language - + Idioma Padrão de Bíblia - + Book name language in search field, search results and on display: - + Idioma do nome de livros a ser usado na caixa de +busca, resultados da busca e na exibição: - + Bible Language - + Idioma da Bíblia - + Application Language - + Idioma do Aplicativo @@ -905,11 +908,6 @@ search results and on display: Select Book Name Selecione o Nome do Livro - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Não foi encontrado um correspondente para o nome do livro a seguir. Por favor, selecione o nome em Inglês a partir da lista. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Apócrifos + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Não foi encontrado um nome interno que corresponde ao seguinte nome de livro. Por favor escolha o nome correspondente da lista. + BiblesPlugin.BookNameForm - + You need to select a book. Você deve selecionar um livro. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Editor de Bíblia License Details - Detalhes da Licença + Detalhes da Licença Version name: - Nome da Versão: + Nome da versão: Copyright: - Direito Autoral: + Direitos Autorais: Permissions: - Permissões: + Permissões: Default Bible Language - + Idioma Padrão de Bíblia Book name language in search field, search results and on display: - + Idioma do nome de livros a ser usado na caixa de +busca, resultados da busca e na exibição: Global Settings - + Configurações Globais Bible Language - + Idioma da Bíblia Application Language - + Idioma da Aplicação English - + Inglês This is a Web Download Bible. It is not possible to customize the Book Names. - + Esta Bíblia foi baixada da Internet. Não é possível modificar os nomes dos Livros. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + Para usar os nomes de livros personalizados, "Idioma da Bíblia" deve estar selecionado na aba Meta Dados ou, se estiver selecionado "Ajustes Globais", na página Bíblia no Configurar OpenLP. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrando Bíblia e carregando livros... - + Registering Language... Registrando Idioma... - + Importing %s... Importing <book name>... Importando %s... - + Download Error 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. - + Parse Error 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 ao extrair os versículos selecionados. Se este erro continuar ocorrendo, por favor considere relatar um bug. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Assistente de Importação de Bíblia - + 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. Este assistente irá ajudá-lo a importar Bíblias de uma variedade de formatos. Clique no botão avançar abaixo para começar o processo selecionando o formato a ser importado. - + Web Download Download da Internet - + Location: Localização: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bíblia: - + Download Options Opções de Transferência - + Server: Servidor: - + Username: Usuário: - + Password: Senha: - + Proxy Server (Optional) Servidor Proxy (Opcional) - + License Details Detalhes da Licença - + Set up the Bible's license details. Configurar detalhes de licença da Bíblia. - + Version name: Nome da Versão: - + Copyright: Direito Autoral: - + Please wait while your Bible is imported. Por favor aguarde enquanto a sua Bíblia é importada. - + You need to specify a file with books of the Bible to use in the import. Você deve especificar um arquivo com livros da Bíblia para usar na importação. - + You need to specify a file of Bible verses to import. Você deve especificar um arquivo de versículos da Bíblia para importar. - + You need to specify a version name for your Bible. Você deve especificar um nome de versão para a sua Bíblia. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Você precisa definir os direitos autorais da sua Bíblia. Traduções em Domínio Público devem ser marcadas como tal. - + Bible Exists Bíblia Existe - + This Bible already exists. Please import a different Bible or first delete the existing one. Esta Bíblia já existe. Pro favor, importe uma Bíblia diferente ou apague a existente primeiro. - + Your Bible import failed. A sua Importação de Bíblia falhou. - + CSV File Arquivo CSV - + Bibleserver Bibleserver - + Permissions: Permissões: - + Bible file: Arquivo de Bíblia: - + Books file: Arquivo de Livros: - + Verses file: Arquivo de Versículos: - + openlp.org 1.x Bible Files Arquivos de Bíblia do openlp.org 1.x - + Registering Bible... Registrando Bíblia... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bíblia registrada. Por favor, observe que os verísulos serão baixados de acordo @@ -1275,100 +1279,100 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.MediaItem - + Quick Rápido - + Find: Localizar: - + Book: Livro: - + Chapter: Capítulo: - + Verse: Versículo: - + From: De: - + To: Até: - + Text Search Pesquisar Texto - + Second: Segundo: - + Scripture Reference Referência da Escritura - + Toggle to keep or clear the previous results. Alternar entre manter ou limpar resultados anteriores. - + 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 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. - + Information 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. - + Search Scripture Reference... - + Pesquisar referência... - + Search Text... - + Pesquisar texto... - + Are you sure you want to delete "%s"? - + Tem certeza de que desejas apagar "%s"? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importando %s %s... @@ -1377,12 +1381,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... @@ -1391,149 +1395,149 @@ com o usu, portanto uma conexão com a internet é necessária. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Selecione um Diretório para Cópia de Segurança - + Bible Upgrade Wizard Assistente de Atualização de Bíblias - + 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. Este assistente irá ajudá-lo a atualizar suas Bíblias existentes a partir de uma versão anterior do OpenLP 2. Clique no botão avançar abaixo para começar o processo de atualização. - + Select Backup Directory Selecione o Diretório para Cópia de Segurança - + Please select a backup directory for your Bibles Por favor, selecione um diretório para a cópia de segurança das suas Bíblias - + 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>. As versões anteriores do OpenLP 2.0 não conseguem usar as Bíblias atualizadas. Isto irá criar uma cópia de segurança das suas Bíblias atuais para que possa copiar os arquivos de voltar para o diretório de dados do OpenLP caso seja necessário voltar a uma versão anterior do OpenLP. Instruções de como recuperar os arquivos podem ser encontradas no nosso <a href="http://wiki.openlp.org/faq">Perguntas Frequentes</a>. - + Please select a backup location for your Bibles. Por favor, selecione o local da cópia de segurança das suas Bíblias. - + Backup Directory: Diretório de Cópia de Segurança: - + There is no need to backup my Bibles Não é necessário fazer uma cópia de segurança das minhas Bíblias - + Select Bibles Selecione Bíblias - + Please select the Bibles to upgrade Por favor, selecione as Bíblias a atualizar - + Upgrading Atualizando - + Please wait while your Bibles are upgraded. Por favor, aguarde enquanto suas Bíblias são atualizadas. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. A cópia de segurança não teve êxito. Para fazer uma cópia de segurança das suas Bíblias é necessário permissão de escrita no diretório selecionado. - + Upgrading Bible %s of %s: "%s" Failed Atualizando Bíblia %s de %s: "%s" Falhou - + Upgrading Bible %s of %s: "%s" Upgrading ... Atualizando Bíblia %s de %s: "%s" Atualizando ... - + Download Error Erro ao Baixar - + To upgrade your Web Bibles an Internet connection is required. Para atualizar suas Bíblias Internet é necessária uma conexão com a internet. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Atualizando Bíblia %s de %s: "%s" Atualizando %s ... - + Upgrading Bible %s of %s: "%s" Complete Atualizando Bíblia %s de %s: "%s" Finalizado - + , %s failed . %s falhou - + 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. Atualizando Bíblia(s): %s com sucesso%s Observe, que versículos das Bíblias Internet serão transferidos sob demanda então é necessária uma conexão com a internet. - + Upgrading Bible(s): %s successful%s Atualizando Bíblia(s): %s com sucesso%s - + Upgrade failed. A atualização falhou. - + You need to specify a backup directory for your Bibles. Você precisa informar um diretório de backup para as suas Bíblias. - + Starting upgrade... Iniciando atualização... - + There are no Bibles that need to be upgraded. Não há Bíblias que necessitam ser atualizadas. @@ -1607,12 +1611,12 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e CustomPlugin.CustomTab - + Custom Display Exibir Personalizado - + Display footer Exibir rodapé @@ -1683,7 +1687,7 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Tem certeza que deseja excluir o %n slide personalizado selecionado? @@ -1694,60 +1698,60 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e 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>Plugin de Imagens</strong><br />O plugin de imagens permite a exibição de imagens.<br />Uma das funcionalidades importantes deste plugin é a possibilidade de agrupar várias imagens no culto, facilitando a exibição de várias imagens. Este plugin também pode usar a funcionalidade de "repetição temporizada" do OpenLP para criar uma apresentação de slides que é executada automaticamente. Além disso, imagens do plugin podem ser usadas em sobreposição ao plano de fundo do tema atual, exibindo itens baseados em texto como músicas com a imagem selecionada ao fundo ao invés do plano de fundo fornecido pelo tema. - + Image name singular Imagem - + Images name plural Imagens - + Images container title Imagens - + Load a new image. Carregar uma nova imagem. - + Add a new image. Adicionar uma nova imagem. - + Edit the selected image. Editar a imagem selecionada. - + Delete the selected image. Excluir a imagem selecionada. - + Preview the selected image. Pré-visualizar a imagem selecionada. - + Send the selected image live. Enviar a imagem selecionada para a projeção. - + Add the selected image to the service. Adicionar a imagem selecionada ao culto. @@ -1755,7 +1759,7 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e ImagePlugin.ExceptionDialog - + Select Attachment Selecionar Anexo @@ -1763,44 +1767,44 @@ Observe, que versículos das Bíblias Internet serão transferidos sob demanda e ImagePlugin.MediaItem - + Select Image(s) Selecionar Imagem(s) - + You must select an image to delete. Você precisa selecionar uma imagem para excluir. - + You must select an image to replace the background with. Você precisa selecionar uma imagem para definir como plano de fundo. - + Missing Image(s) Imagem(s) não encontrada(s) - + The following image(s) no longer exist: %s A(s) seguinte(s) imagem(s) não existe(m) mais: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? A(s) seguinte(s) imagem(s) não existe(m) mais: %s Mesmo assim, deseja continuar adicionando as outras imagens? - + There was a problem replacing your background, the image file "%s" no longer exists. Ocorreu um erro ao substituir o plano de fundo, o arquivo de imagem "%s" não existe. - + There was no display item to amend. Não há nenhum item de exibição para corrigir. @@ -1808,78 +1812,78 @@ Mesmo assim, deseja continuar adicionando as outras imagens? ImagesPlugin.ImageTab - + Background Color Cor do Plano de Fundo - + Default Color: Cor Padrão: - + Visible background for images with aspect ratio different to screen. - + Plano de fundo que será visto nas imagens que possuem proporção altura/largura diferente da tela. 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. @@ -1927,7 +1931,7 @@ Mesmo assim, deseja continuar adicionando as outras imagens? Não há nenhum item de exibição para corrigir. - + Unsupported File Arquivo não suportado @@ -1945,22 +1949,22 @@ Mesmo assim, deseja continuar adicionando as outras imagens? MediaPlugin.MediaTab - + Available Media Players Reprodutores de Mídia Disponíveis - + %s (unavailable) %s (indisponível) - + Player Order Sequência de Reprodução - + Allow media player to be overridden Permitir que o reprodutor de mídia seja alterado @@ -1968,7 +1972,7 @@ Mesmo assim, deseja continuar adicionando as outras imagens? OpenLP - + Image Files Arquivos de Imagem @@ -2172,192 +2176,276 @@ Porções copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Configurações da Interface - + Number of recent files to display: Número de arquivos recentes a serem exibidos: - + Remember active media manager tab on startup Lembrar aba ativa do gerenciador de mídia ao iniciar - + Double-click to send items straight to live Clicar duas vezes para diretamente projetar itens - + Expand new service items on creation Expandir novos itens do culto ao serem criados - + Enable application exit confirmation Habilitar confirmação de saída do programa - + Mouse Cursor Ponteiro do Mouse - + Hide mouse cursor when over display window Ocultar o cursor do mouse quando estiver sobre a tela de projeção - + Default Image Imagem Padrão - + Background color: Cor do plano de fundo: - + Image file: Arquivo de Imagem: - + Open File Abrir Arquivo - + Advanced Avançado - + Preview items when clicked in Media Manager Pré-visualizar itens quando clicados no Gerenciador de Mídia - + Click to select a color. Clique para selecionar uma cor. - + Browse for an image file to display. Procurar um arquivo de imagem para exibir. - + Revert to the default OpenLP logo. Reverter ao logotipo padrão OpenLP. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Culto %Y-%m-%d %H-%M - + Default Service Name Nome Padrão de Culto - + Enable default service name Habilitar nome padrão de culto - + Date and Time: Data e Hora: - + Monday Segunda-feira - + Tuesday Terça-feira - + Wednesday Quarta-feira - + Thurdsday Quinta-feira - + Friday Sexta-feira - + Saturday Sábado - + Sunday Domingo - + Now Agora - + Time when usual service starts. Hora em que o culto normal se inicia. - + Name: Nome: - + Consult the OpenLP manual for usage. Consulte o manual OpenLP para uso. - + Revert to the default service name "%s". Reverter para o nome padrão de culto "%s". - + Example: Exemplo: - + X11 X11 - + Bypass X11 Window Manager Desativar Gerenciador de Janelas X11 - + Syntax error. Erro de sintaxe. + + + Data Location + Local dos Dados + + + + Current path: + Caminho atual: + + + + Custom path: + Caminho personalizado: + + + + Browse for new data file location. + Escolher um novo local para os arquivos de dados. + + + + Set the data location to the default. + Restabelecer o local de dados para o padrão. + + + + Cancel + Cancelar + + + + Cancel OpenLP data directory location change. + Cancelar a mudança da localização dos dados do OpenLP. + + + + Copy data to new location. + Copiar os dados para a nova localização. + + + + Copy the OpenLP data files to the new location. + Copiar os arquivos de dados do OpenLP para a nova localização. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>AVISO:</strong> O novo diretório de dados já contém arquivos do OpenLP. Estes arquivos SERÃO sobrescritos durante uma cópia. + + + + Data Directory Error + Erro no Diretório de Dados + + + + Select Data Directory Location + Seleciona a Localização do Diretório de Dados + + + + Confirm Data Directory Change + Confirmar Mudança do Diretório de Dados + + + + Reset Data Directory + Restabelecer o Diretório de Dados + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Tem certeza de que quer mudar a localização do diretório de dados do OpenLP para a localização padrão? + +Esta localização será usada depois que o OpenLP for fechado. + + + + Overwrite Existing Data + Sobrescrever Dados Existentes + OpenLP.ExceptionDialog @@ -2394,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Anexar Arquivo - + Description characters to enter : %s Caracteres que podem ser digitadas na descrição: %s @@ -2402,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2538,7 @@ Versão %s - + *OpenLP Bug Report* Version: %s @@ -2587,17 +2675,17 @@ Agradecemos se for possível escrever seu relatório em inglês. Configurações Padrões - + Downloading %s... Transferindo %s... - + Download complete. Click the finish button to start OpenLP. Transferência finalizada. Clique no botão terminar para iniciar o OpenLP. - + Enabling selected plugins... Habilitando os plugins selecionados... @@ -2667,32 +2755,32 @@ Agradecemos se for possível escrever seu relatório em inglês. Este assistente irá ajudá-lo na configuração do OpenLP para o uso inicial. Clique abaixo no botão avançar para começar. - + Setting Up And Downloading Configurando e Transferindo - + Please wait while OpenLP is set up and your data is downloaded. Por favor, aguarde enquanto o OpenLP é configurado e seus dados são transferidos. - + Setting Up Configurando - + Click the finish button to start OpenLP. Clique o botão finalizar para iniciar o OpenLP. - + Download complete. Click the finish button to return to OpenLP. Transferência finalizada. Clique no botão finalizar para retornar ao OpenLP. - + Click the finish button to return to OpenLP. Cloque no botão finalizar para retornar ao OpenLP. @@ -2711,14 +2799,22 @@ Agradecemos se for possível escrever seu relatório em inglê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. Click 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. - + Nenhuma conexão com a internet encontrada. O Assistente de Primeira Execução necessita de uma conexão para baixar letras de músicas, bíblias e temas. + +Para iniciar o Assistente de Primeira Execução novamente e baixar letras de músicas, bíblias e temas, verifique a sua conexão com a internet e siga estes passos para executar este assistente novamente: "Ferramentas/Iniciar o Assistente de Primeira Execução novamente" no OpenLP. + +Clique no botão finalizar para iniciar o OpenLP com as configurações iniciais. To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. - + + +Para cancelar o Assistente de Primeira Execução (e não iniciar o OpenLP), clique no botão Cancelar. + + @@ -2777,32 +2873,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Erro na Atualização - + Tag "n" already defined. Tag "n" já está definida. - + New Tag Novo Tag - + <HTML here> <HTML aqui> - + </and here> </e aqui> - + Tag %s already defined. Tag %s já está definida. @@ -2810,82 +2906,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Vermelho - + Black Preto - + Blue Azul - + Yellow Amarelo - + Green Verde - + Pink Rosa - + Orange Laranja - + Purple Roxo - + White Branco - + Superscript Sobrescrito - + Subscript Subscrito - + Paragraph Parágrafo - + Bold Negrito - + Italics Itálico - + Underline Sublinhado - + Break Quebra @@ -2893,170 +2989,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Geral - + Monitors Monitores - + Select monitor for output display: Selecione o monitor para exibição: - + Display if a single screen Exibir no caso de uma única tela - + Application Startup Inicialização do Aplicativo - + Show blank screen warning Exibir alerta de tela em branco - + Automatically open the last service Abrir automaticamente o último culto - + Show the splash screen Exibir a tela de abertura - + Application Settings Configurações do Aplicativo - + Prompt to save before starting a new service Perguntar se salva antes de iniciar um novo culto - + Automatically preview next item in service Pré-visualizar automaticamente o item seguinte do culto - + sec seg - + CCLI Details Detalhes de CCLI - + SongSelect username: Usuário SongSelect: - + SongSelect password: Senha SongSelect: - + X X - + Y Y - + Height Altura - + Width Largura - + Check for updates to OpenLP Procurar por atualizações do OpenLP - + Unblank display when adding new live item Ativar projeção ao adicionar um item novo - + Timed slide interval: Intervalo temporizado de slide: - + Background Audio Áudio de Fundo - + Start background audio paused Iniciar áudio de fundo em pausa - + Service Item Slide Limits Limites de Slide de Itens de Culto - + Override display position: Alterar posição de exibição: - + Repeat track list Repetir lista de faixas - + Behavior of next/previous on the last/first slide: - + Comportamento do Próximo/Anterior no primeiro e últimos slides: - + &Remain on Slide - + &Permanecer no Slide - + &Wrap around - + Quebrar linhas - + &Move to next/previous service item - + &Mover para o próximo/anterior item do culto OpenLP.LanguageManager - + Language Idioma - + Please restart OpenLP to use your new language setting. Por favor reinicie o OpenLP para usar a nova configuração de idioma. @@ -3072,287 +3168,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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/. @@ -3361,108 +3457,108 @@ 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 - + English Please add the name of your language here 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. - + &Recent Files Arquivos &Recentes - + 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. @@ -3471,43 +3567,43 @@ 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. - + 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 - + 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. @@ -3520,45 +3616,50 @@ 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 - + 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) + + + New Data Directory Error + Erro no Novo Diretório de Dados + 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 @@ -3567,7 +3668,7 @@ Database: %s Banco de dados: %s - + OpenLP cannot load your database. Database: %s @@ -3579,74 +3680,74 @@ Banco de Dados: %s OpenLP.MediaManagerItem - + No Items Selected Nenhum Item Selecionado - + &Add to selected Service Item &Adicionar ao Item de Ordem de Culto selecionado - + You must select one or more items to preview. Você deve selecionar um ou mais itens para pré-visualizar. - + You must select one or more items to send live. Você deve selecionar um ou mais itens para projetar. - + You must select one or more items. Você deve selecionar um ou mais itens. - + You must select an existing service item to add to. Você deve selecionar um item de culto existente ao qual adicionar. - + Invalid Service Item Item de Culto inválido - + You must select a %s service item. Você deve selecionar um item de culto %s. - + You must select one or more items to add. Você deve selecionar um ou mais itens para adicionar. - + No Search Results Nenhum Resultado de Busca - + Invalid File Type Tipo de Arquivo Inválido - + Invalid File %s. Suffix not supported Arquivo Inválido %s. Sufixo não suportado - + &Clone &Duplicar - + Duplicate files were found on import and were ignored. Arquivos duplicados foram encontrados na importação e foram ignorados. @@ -3654,12 +3755,12 @@ Sufixo não suportado OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. tag <lyrics> ausente. - + <verse> tag is missing. tag <verse> ausente. @@ -3801,12 +3902,12 @@ Sufixo não suportado OpenLP.ScreenList - + Screen Tela - + primary primário @@ -3814,12 +3915,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 @@ -3835,277 +3936,282 @@ Sufixo não suportado OpenLP.ServiceManager - + Move to &top Mover para o &topo - + Move item to the top of the service. Mover item para o topo do culto. - + Move &up Mover para &cima - + Move item up one position in the service. Mover item uma posição para cima no culto. - + Move &down Mover para &baixo - + Move item down one position in the service. Mover item uma posição para baixo no culto. - + Move to &bottom Mover para o &final - + Move item to the end of the service. Mover item para o final do culto. - + &Delete From Service &Excluir do Culto - + Delete the selected item from the service. Excluir o item selecionado do culto. - + &Add New Item &Adicionar um Novo Item - + &Add to Selected Item &Adicionar ao Item Selecionado - + &Edit Item &Editar Item - + &Reorder Item &Reordenar Item - + &Notes &Anotações - + &Change Item Theme &Alterar Tema do Item - + OpenLP Service Files (*.osz) Arquivos de Culto do OpenLP (*.osz) - + 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 - + &Expand all &Expandir todos - + Expand all the service items. Expandir todos os itens do culto. - + &Collapse all &Recolher todos - + Collapse all the service items. Recolher todos os itens do culto. - + Open File Abrir Arquivo - + Moves the selection down the window. Move a seleção para baixo dentro da janela. - + Move up Mover para cima - + Moves the selection up the window. Move a seleção para cima dentro da janela. - + Go Live Projetar - + Send the selected item to Live. Enviar o item selecionado para a Projeção. - + &Start Time &Horário Inicial - + Show &Preview Exibir &Pré-visualização - - Show &Live - Exibir &Projeção - - - + Modified Service Culto Modificado - + The current service has been modified. Would you like to save this service? O culto atual foi modificada. Você gostaria de salvar este culto? - + Custom Service Notes: Anotações de Culto Personalizados: - + Notes: Observações: - + Playing time: Duração: - + Untitled Service Culto Sem Nome - + 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 - + Load an existing service. Carregar um culto existente. - + Save this service. Salvar este culto. - + Select a theme for the service. 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. - + Service File Missing Arquivo do Culto não encontrado - + Slide theme Tema do Slide - + Notes Notas - + Edit Editar - + Service copy only Somente cópia de culto + + + Error Saving File + Erro ao Salvar Arquivo + + + + There was an error saving your file. + Houve um erro ao salvar seu arquivo. + OpenLP.ServiceNoteForm @@ -4136,12 +4242,12 @@ A codificação do conteúdo não é UTF-8. Atalho - + Duplicate Shortcut Atalho Repetido - + The shortcut "%s" is already assigned to another action, please use a different shortcut. O atalho "%s" já está designado para outra ação, escolha um atalho diferente. @@ -4176,12 +4282,12 @@ A codificação do conteúdo não é UTF-8. Restaurar o atalho padrão desta ação. - + Restore Default Shortcuts Restaurar Atalhos Padrões - + Do you want to restore all shortcuts to their defaults? Deseja restaurar todos os atalhos ao seus padrões? @@ -4194,172 +4300,172 @@ 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 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. Pausar mídia sendo reproduzido. - + Stop playing media. Parar mídia sendo reproduzido. - + Video position. Posição do vídeo - + Audio Volume. Volume do Áudio. - + Go to "Verse" Ir para "Estrofe" - + Go to "Chorus" Ir para "Refrão" - + Go to "Bridge" Ir para "Ponte" - + Go to "Pre-Chorus" Ir para "Pré-Refrão" - + Go to "Intro" Ir para "Introdução" - + Go to "Ending" Ir para "Final" - + Go to "Other" Ir para "Outro" - + Previous Slide Slide Anterior - + Next Slide Slide Seguinte - + Pause Audio Interromper Som - + Background Audio Som de Fundo - + Go to next audio track. Ir para a próxima faixa de áudio - + Tracks Faixas @@ -4453,32 +4559,32 @@ A codificação do conteúdo não é UTF-8. OpenLP.ThemeForm - + Select Image Selecionar Imagem - + Theme Name Missing Faltando Nome do Tema - + There is no name for this theme. Please enter one. Não há nome para este tema. Por favor forneça um. - + Theme Name Invalid Nome do Tema Inválido - + Invalid theme name. Please enter one. O nome do tema é inválido. Por favor forneça um. - + (approximately %d lines per slide) (aproximadamente %d linhas por slide) @@ -4486,193 +4592,193 @@ A codificação do conteúdo não é UTF-8. OpenLP.ThemeManager - + Create a new theme. Criar um novo tema. - + Edit Theme Editar Tema - + Edit a theme. Editar um tema. - + Delete Theme Excluir Tema - + Delete a theme. Excluir um tema. - + Import Theme Importar Tema - + Import a theme. Importar um tema. - + Export Theme Exportar Tema - + Export a theme. Exportar um tema. - + &Edit Theme &Editar Tema - + &Delete Theme &Apagar Tema - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. O tema %s é usado no plugin %s. - + 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. O arquivo não é um tema válido. - + &Copy Theme &Copiar Tema - + &Rename Theme &Renomear Tema - + &Export Theme &Exportar Tema - + You must select a theme to rename. Você precisa selecionar um tema para renomear. - + Rename Confirmation Confirmar Renomeação - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Cópia do %s - + Theme Already Exists Tema Já Existe @@ -4900,7 +5006,7 @@ A codificação do conteúdo não é UTF-8. Nome do tema: - + Edit Theme - %s Editar Tema - %s @@ -4953,47 +5059,47 @@ A codificação do conteúdo não é UTF-8. OpenLP.ThemesTab - + Global Theme Tema Global - + Theme Level Nível do Tema - + S&ong Level Nível de &Música - + 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. Use o tema de cada música na base de dados. Se uma música não tiver um tema associado a ela, então usar o tema do culto. Se o culto não tiver um tema, então usar o tema global. - + &Service Level Nível de &Culto - + 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. Usar o tema do culto, ignorando qualquer temas das músicas individuais. Se o culto não tiver um tema, então usar o tema global. - + &Global Level Nível &Global - + Use the global theme, overriding any themes associated with either the service or the songs. Usar o tema global, ignorando qualquer tema associado ao culto ou às músicas. - + Themes Temas @@ -5077,245 +5183,245 @@ A codificação do conteúdo não é UTF-8. pt - + Image Imagem - + Import Importar - + Live Projeção - + Live Background Error Erro no Fundo da Projeção - + Load Carregar - + Middle Meio - + New Novo - + New Service Novo Culto - + New Theme Novo Tema - + No File Selected Singular Nenhum Arquivo Selecionado - + No Files Selected Plural Nenhum Arquivo Selecionado - + No Item Selected Singular Nenhum Item Selecionado - + No Items Selected Plural Nenhum Item Selecionado - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Pré-Visualização - + Replace Background Substituir Plano de Fundo - + Reset Background Restabelecer o Plano de Fundo - + s The abbreviated unit for seconds s - + Save && Preview Salvar && Pré-Visualizar - + Search Pesquisar - + You must select an item to delete. Você precisa selecionar um item para excluir. - + You must select an item to edit. Você precisa selecionar um item para editar. - + Save Service Salvar Culto - + Service Culto - + Start %s Início %s - + Theme Singular Tema - + Themes Plural Temas - + Top Topo - + Version Versão - + Delete the selected item. Excluir o item selecionado. - + Move selection up one position. Mover a seleção para cima em uma posição. - + Move selection down one position. Mover a seleção para baixo em uma posição. - + &Vertical Align: Alinhamento &Vertical: - + Finished import. Importação concluída. - + Format: Formato: - + Importing Importando - + Importing "%s"... Importando "%s"... - + Select Import Source Selecionar Origem da Importação - + Select the import format and the location to import from. Selecione o formato e a localização para a importação. - + 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. O importador do openlp.org 1.x foi desabilitado devido à falta de um módulo Python. Se você deseja utilizar este importador, você precisará instalar o módulo "python-sqlite". - + Open %s File Abrir o Arquivo %s - + %p% %p% - + Ready. Pronto. - + Starting import... Iniciando importação... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Você precisa especificar pelo menos um arquivo %s para importar. - + Welcome to the Bible Import Wizard Bem Vindo ao Assistente de Importação de Bíblias @@ -5325,7 +5431,7 @@ A codificação do conteúdo não é UTF-8. Bem Vindo ao Assistente de Exportação de Músicas - + Welcome to the Song Import Wizard Bem-vindo ao Assistente de Importação de Música @@ -5413,53 +5519,53 @@ A codificação do conteúdo não é UTF-8. h - + Layout style: Estilo do Layout: - + Live Toolbar Barra de Ferramentas de Projeção - + m The abbreviated unit for minutes m - + OpenLP is already running. Do you wish to continue? OpenLP já está sendo executado. Deseja continuar? - + Settings Configurações - + Tools Ferramentas - + Unsupported File Arquivo Não Suportado - + Verse Per Slide Versículos por Slide - + Verse Per Line Versículos por Linha - + View Visualizar @@ -5474,37 +5580,37 @@ A codificação do conteúdo não é UTF-8. Erro de sintaxe XML - + View Mode Modo de Visualização - + Open service. Abrir culto. - + Print Service Imprimir Culto - + Replace live background. Trocar fundo da projeção. - + Reset live background. Reverter fundo da projeção. - + Split a slide into two only if it does not fit on the screen as one slide. Dividir um slide em dois somente se não couber na tela em um único slide. - + Welcome to the Bible Upgrade Wizard Bem-vindo ao Assistente de Atualização de Bíblias @@ -5514,64 +5620,105 @@ A codificação do conteúdo não é UTF-8. Confirmar Exclusão - + Play Slides in Loop Exibir Slides com Repetição - + Play Slides to End Exibir Slides até o Fim - + Stop Play Slides in Loop Parar Slides com Repetição - + Stop Play Slides to End Parar Slides até o Final - + Next Track Faixa Seguinte - + Search Themes... Search bar place holder text - + Pesquisar temas... - + Optional &Split - + Divisão Opcional + + + + Invalid Folder Selected + Singular + Diretório Inválido Selecionado + + + + Invalid File Selected + Singular + Arquivo Inválido Selecionado + + + + Invalid Files Selected + Plural + Arquivos Inválidos Selecionados + + + + No Folder Selected + Singular + Nenhum Diretório Selecionado + + + + Open %s Folder + Abrir Diretório %s + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Você precisa especificar um arquivo %s de onde importar. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Você precisa especificar um diretório %s de onde importar. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 e %2 - + %1, and %2 Locale list separator: end %1, e %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5580,50 +5727,50 @@ A codificação do conteúdo não é UTF-8. 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>Plugin de Apresentação</strong><br />O plugin de apresentação permite exibir apresentações utilizando vários programas diferentes. Os programas disponíveis são exibidos em uma caixa de seleção. - + Presentation name singular Apresentação - + Presentations name plural Apresentações - + Presentations container title Apresentações - + Load a new presentation. Carregar uma nova apresentação. - + Delete the selected presentation. Excluir a apresentação selecionada. - + Preview the selected presentation. Pré-visualizar a apresentação selecionada. - + Send the selected presentation live. Enviar a apresentação selecionada para a projeção. - + Add the selected presentation to the service. Adicionar a apresentação selecionada ao culto. @@ -5631,70 +5778,70 @@ A codificação do conteúdo não é UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Selecionar Apresentação(ões) - + Automatic Automático - + Present using: Apresentar usando: - + File Exists O Arquivo já Existe - + A presentation with that filename already exists. Já existe uma apresentação com este nome. - + This type of presentation is not supported. Este tipo de apresentação não é suportado. - + Presentations (%s) Apresentações (%s) - + Missing Presentation Apresentação Não Encontrada - - The Presentation %s no longer exists. - A Apresentação %s não existe mais. + + The presentation %s is incomplete, please reload. + A apresentação %s está incompleta, por favor recarregue. - - The Presentation %s is incomplete, please reload. - A Apresentação %s está incompleta, por favor recarregue-a. + + The presentation %s no longer exists. + A apresentação %s já não existe mais. PresentationPlugin.PresentationTab - + Available Controllers Controladores Disponíveis - + %s (unavailable) %s (indisponivel) - + Allow presentation application to be overridden Permitir que o aplicativo de apresentações seja alterado @@ -5728,150 +5875,150 @@ A codificação do conteúdo não é UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 Remoto - + OpenLP 2.0 Stage View OpenLP 2.0 Visão de Palco - + Service Manager Gerenciador de Culto - + Slide Controller Controlador de Slide - + Alerts Alertas - + Search Pesquisar - + Refresh Atualizar - + Blank Desativar - + Show Exibir - + Prev Ant - + Next Seg - + Text Texto - + Show Alert Mostrar Alerta - + Go Live Projetar - + No Results Nenhum Resultado - + Options Opções - + Add to Service Adicionar ao Culto - + Home - - - - - Theme - Tema + Home - Desktop - + Theme + Tema - + + Desktop + Área de Trabalho + + + Add &amp; Go to Service - + Adicionar ao Culto RemotePlugin.RemoteTab - + Serve on IP address: Endereço IP do servidor: - + Port number: Número de porta: - + Server Settings Configurações do Servidor - + Remote URL: URL Remoto: - + Stage view URL: URL de Visualização de Palco: - + Display stage time in 12h format Exibir hora de palco no formato 12h - + Android App Aplicativo Android - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Scaneia o código QR ou clique <a href="https://market.android.com/details?id=org.openlp.android">download</a> para instalar o aplicativo Android a partir do Market. @@ -5879,85 +6026,85 @@ A codificação do conteúdo não é UTF-8. 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 UsoDaMúsica - + 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 @@ -6018,22 +6165,22 @@ A codificação do conteúdo não é UTF-8. Localização do Relatório - + Output File Location Local do arquivo de saída - + usage_detail_%s_%s.txt detalhe_uso_%s_%s.txt - + Report Creation Criação de Relatório - + Report %s has been successfully created. @@ -6042,12 +6189,12 @@ has been successfully created. foi criado com sucesso. - + Output Path Not Selected Caminho de saída não foi selecionado - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Você precisa selecionar uma localização de sapida válida para o relatório de uso de músicas. Por favor selecione um caminho existente no seu computador. @@ -6085,82 +6232,82 @@ foi criado com sucesso. Reindexando 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. @@ -6169,26 +6316,26 @@ 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. - + Song name singular Música - + Songs name plural Músicas - + Songs container title Músicas @@ -6199,32 +6346,32 @@ A codificação é responsável pela correta representação dos caracteres.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. @@ -6252,17 +6399,17 @@ A codificação é responsável pela correta representação dos caracteres.Sobrenome: - + You need to type in the first name of the author. Você precisa digitar o primeiro nome do autor. - + You need to type in the last name of the author. Você precisa digitar o sobrenome do autor. - + You have not set a display name for the author, combine the first and last names? Você não definiu um nome de tela para o autor, combinar o nome e o sobrenome? @@ -6297,12 +6444,12 @@ EasyWorship] Meta Data - + Metadados Custom Book Names - + Nomes de Livros Personalizados @@ -6403,72 +6550,72 @@ 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. - + 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. - + 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. @@ -6498,7 +6645,7 @@ EasyWorship] Excluir &Todos - + Open File(s) Abrir Arquivo(s) @@ -6508,7 +6655,7 @@ EasyWorship] <strong>Aviso:</strong> Nem todos os versos estão em uso. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. A ordem dos versos está inválido. Não há versos correspondentes a %s. Entradas válidas são %s. @@ -6622,134 +6769,139 @@ EasyWorship] SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Selecione Arquivos de Documentos/Apresentações - + Song Import Wizard Assistente de Importação de Música - + 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. 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 - - Filename: - Nome do arquivo: - - - - 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. - 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. - - - + Add Files... Adicionar Arquivos... - + Remove File(s) Remover Arquivos(s) - + Please wait while your songs are imported. Por favor espere enquanto as suas músicas são importadas. - + 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 - + Copy Copiar - + Save to File Salvar em Arquivo - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. A importação Songs of Fellowship foi desabilitada porque OpenLP não consegue acessar OpenOffice ou LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 - + CCLI SongSelect Files - + Arquivos CCLI - + EasySlides XML File - + Arquivo XML EasySlides - + EasyWorship Song Database - + Músicas EasyWorship + + + + DreamBeam Song Files + Arquivos de Música DreamBeam + + + + You need to specify a valid PowerSong 1.0 database folder. + Você precisa especificar um diretório válido de banco de dados do PowerSong 1.0. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Primeiro converta o seu banco de dados do ZionWorx, como explicado no <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Manual do Usuário</a> @@ -6768,22 +6920,22 @@ EasyWorship] SongsPlugin.MediaItem - + Titles Títulos - + Lyrics Letras - + CCLI License: Licença CCLI: - + Entire Song Música Inteira @@ -6796,7 +6948,7 @@ EasyWorship] - + Maintain the lists of authors, topics and books. Gerencia a lista de autores, tópicos e hinários. @@ -6807,29 +6959,29 @@ EasyWorship] copiar - + Search Titles... - + Pesquisar títulos... - + Search Entire Song... - + Música Inteira - + Search Lyrics... - + Pesquisar letras... - + Search Authors... - + Pesquisar autores... - + Search Song Books... - + Pesquisar hinos... @@ -6856,6 +7008,19 @@ EasyWorship] Exportando "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + Nenhuma música para importar. + + + + Verses not found. Missing "PART" header. + Os versículos não foram encontrados. O cabeçalho "PART" está faltando. + + SongsPlugin.SongBookForm @@ -6895,12 +7060,12 @@ EasyWorship] SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: As seguintes músicas não puderam ser importadas: @@ -6920,118 +7085,110 @@ EasyWorship] Arquivo não encontrado - - SongsPlugin.SongImportForm - - - Your song import failed. - Sua importação de música falhou. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Não foi possível adicionar seu autor. - + This author already exists. Este autor já existe. - + Could not add your topic. Não foi possível adicionar seu assunto. - + This topic already exists. Este assunto já existe. - + Could not add your book. Não foi possível adicionar seu livro. - + This book already exists. Este livro já existe. - + Could not save your changes. Não foi possível salvar suas alterações. - + Could not save your modified author, because the author already exists. Não foi possível salvar sue autor modificado, pois o autor já existe. - + Could not save your modified topic, because it already exists. O assunto modificado não pode ser salvo porque já existe. - + Delete Author Excluir Autor - + Are you sure you want to delete the selected author? Você tem certeza de que deseja excluir o autor selecionado? - + This author cannot be deleted, they are currently assigned to at least one song. Este autor não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Topic Excluir Assunto - + Are you sure you want to delete the selected topic? Tem certeza de que quer apagar o assunto selecionado? - + This topic cannot be deleted, it is currently assigned to at least one song. Este assunto não pode ser apagado, pois está associado a pelo menos uma música. - + Delete Book Excluir Hinário - + Are you sure you want to delete the selected book? Tem certeza de que quer excluir o hinário selecionado? - + This book cannot be deleted, it is currently assigned to at least one song. Este hinário não pode ser excluido, pois está associado a ao menos uma música. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? O autor %s já existe. Deseja que as músicas com o autor %s usem o autor %s existente? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? O assunto %s já existe. Deseja que as músicas com o assunto %s usem o assunto %s existente? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? O hinário %s já existe. Deseja que as músicas com o hinário %s usem o hinário %s existente? @@ -7039,29 +7196,29 @@ EasyWorship] SongsPlugin.SongsTab - + Songs Mode Modo de Música - + Enable search as you type Habilitar busca ao digitar - + Display verses on live tool bar Exibir versículos na barra de ferramentas de projeção - + Update service from song edit Atualizar culto após editar música - + Import missing songs from service files - + Importar músicas de arquivos de culto @@ -7120,4 +7277,17 @@ EasyWorship] Outra + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Erro ao ler o arquivo CSV. + + + + File not valid ZionWorx CSV format. + O arquivo não é um arquivo CSV válido do ZionWorx. + + diff --git a/resources/i18n/ru.ts b/resources/i18n/ru.ts index 8106b50b3..926c33408 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 />Плагин оповещений контролирует отображения срочной информации на экране. @@ -118,32 +118,32 @@ Do you want to continue anyway? AlertsPlugin.AlertsTab - + Font Шрифт - + Font name: Шрифт: - + Font color: Цвет: - + Background color: Цвет фона: - + Font size: Размер: - + Alert timeout: Таймаут оповещения: @@ -151,510 +151,510 @@ Do you want to continue anyway? 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. Обновить формат базы данных для хранения Библии. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -708,39 +708,39 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error Ошибка ссылки на Писание - + 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. Вы не указали ключевое слово для поиска. Вы можете разделить разичные ключевые слова пробелами чтобы осуществить поиск по фразе, а также можете использовать запятые, чтобы искать по каждому из указанных ключевых слов. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. В настоящее время ни одна Библия не установлена. Пожалуйста, воспользуйтесь Мастером Импорта чтобы установить одну Библию или более. - + No Bibles Available Библии отсутствуют - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -756,128 +756,128 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Отображение стихов - + Only show new chapter numbers Показывать только номера новых глав - + Bible theme: Тема для отображения Библии - + No Brackets Без скобок - + ( And ) ( XXX ) - + { And } { XXX } - + [ And ] [ XXX ] - + Note: Changes do not affect verses already in the service. Обратите внимание: Изменения не повлияют на стихи в порядке служения. - + Display second Bible verses Показать альтернативный перевод - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English Русский - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -889,11 +889,6 @@ search results and on display: Select Book Name Выберите название книги - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Книге не было найдено внутренне соответствие. Пожалуйста, выберите соответствующее английское название из списка. - Current name: @@ -924,11 +919,16 @@ search results and on display: Apocrypha Апокрифы + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. Вы должны выбрать книгу. @@ -1024,38 +1024,38 @@ It is not possible to customize the Book Names. 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. Возникла проблема при загрузке секции стихов. Пожалуйста, проверьте параметры Интернет соединения, и случае если ошибка происходит при нормальном Интернет соединении, сообщите о ней на сайте разработчика в разделе Ошибки. - + Parse Error Ошибка обработки - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. @@ -1063,167 +1063,167 @@ It is not possible to customize the Book Names. 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 Загрузка из Сети - + Location: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Библия: - + Download Options Опции загрузки - + Server: Сервер: - + Username: Логин: - + Password: Пароль: - + Proxy Server (Optional) Прокси сервер (опционально) - + 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 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. Регистрация Библии. Пожалуйста, помните о том, что стихи @@ -1259,92 +1259,92 @@ demand and thus an internet connection is required. 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 стихов не будут включены в результаты. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1352,7 +1352,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Импортирую %s %s... @@ -1361,12 +1361,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... @@ -1375,149 +1375,149 @@ demand and thus an internet connection is required. 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">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. Пожалуйста, подождите пока выполнится обновление Библий. - + 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. Для выполнения обновления сетевых Библий необходимо наличие интернет соединения. - + 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 Пожалуйста, помните, что стихи сетевых Библий загружаются по требованию, поэтому необходимо наличие интернет соединения. - + 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. Нет Библий, которым необходимо обновление. @@ -1591,12 +1591,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display Отображение - + Display footer @@ -1667,7 +1667,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1679,60 +1679,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 />Одной из отличительных возможностей этого плагина является возможность группировать выбранные изображение в менеджере служения, что делает работу с большим количеством изображений более легкой. Этот плагин также позволяет использовать возможности "временной петли" OpenLP, чтобы создавать слайд-шоу, которые выполняются автоматически. В дополнение к этому, изображения из плагина могут быть использованы, чтобы заменить текущий фон, что позволяет отображать текстовые элементы, такие как песни, с выбранным изображением в качестве фона, вместо фона, который указан в теме. - + 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. Добавить выбранное изображение к служению. @@ -1740,7 +1740,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment Выбрать Вложение @@ -1748,44 +1748,44 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. Отсутствует объект для изменений. @@ -1793,17 +1793,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1811,60 +1811,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. Добавить выбранный объект к порядку служения. @@ -1912,7 +1912,7 @@ Do you want to add the other images anyway? Отсутствует объект для изменений. - + Unsupported File @@ -1930,22 +1930,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1953,7 +1953,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files Файлы изображений @@ -2156,192 +2156,274 @@ Portions copyright © 2004-2012 %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 - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + Отмена + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2378,7 +2460,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Добавить файл - + Description characters to enter : %s Символы описания: %s @@ -2386,24 +2468,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s Платформа: %s - + Save Crash Report Сохранить отчет об ошибке - + Text files (*.txt *.log *.text) Текстовый файл (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2434,7 +2516,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2570,17 +2652,17 @@ Version: %s Настройки по умолчанию - + Downloading %s... Загрузка %s... - + Download complete. Click the finish button to start OpenLP. Загрузка завершена. Нажмите кнопку Завершить для запуска OpenLP. - + Enabling selected plugins... Разрешение выбранных плагинов... @@ -2650,32 +2732,32 @@ Version: %s Этот мастер поможет вам настроить 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. @@ -2760,32 +2842,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> <HTML здесь> - + </and here> - + Tag %s already defined. @@ -2793,82 +2875,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2876,157 +2958,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 пароль: - + X Х - + Y - + Height Высота - + Width Ширина - + Check for updates to OpenLP Проверять обновления OpenLP - + Unblank display when adding new live item Снимать блокировку дисплея при добавлении нового объекта - + Timed slide interval: Интервал показа: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -3034,12 +3116,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language Язык - + Please restart OpenLP to use your new language setting. Перезагрузите OpenLP чтобы использовать новые языковые настройки. @@ -3055,287 +3137,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 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/. @@ -3344,108 +3426,108 @@ 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 Главный дисплей был очищен - + Default Theme: %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. @@ -3454,43 +3536,43 @@ Re-running this wizard may make changes to your current OpenLP configuration and Перезапуск мастера сделает изменения в текущей конфигурации 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 - + 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. @@ -3499,52 +3581,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3554,74 +3641,74 @@ Database: %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. @@ -3629,12 +3716,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3776,12 +3863,12 @@ Suffix not supported OpenLP.ScreenList - + Screen Экран - + primary основной @@ -3789,12 +3876,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s <strong>Начать</strong>: %s - + <strong>Length</strong>: %s <strong>Длина</strong>: %s @@ -3810,277 +3897,282 @@ Suffix not supported 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 + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -4111,12 +4203,12 @@ The content encoding is not UTF-8. Быстрые клавиши - + Duplicate Shortcut Дублировать быстрые клавиши - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Сочетание "%s" уже назначено для другого действия. Пожалуйста используйте другое сокращение. @@ -4151,12 +4243,12 @@ The content encoding is not UTF-8. Восстановить сочетание клавиш по умолчанию для этого действия. - + Restore Default Shortcuts Восстановить быстрые клавиши по умолчанию - + Do you want to restore all shortcuts to their defaults? Вы хотите восстановить все быстрые клавиши на значения по умолчанию? @@ -4169,172 +4261,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4428,32 +4520,32 @@ The content encoding is not UTF-8. 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) @@ -4461,193 +4553,193 @@ The content encoding is not UTF-8. 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) - + Copy of %s Copy of <theme name> Копия %s - + Theme Already Exists @@ -4875,7 +4967,7 @@ The content encoding is not UTF-8. Название темы: - + Edit Theme - %s Изменить тему - %s @@ -4928,47 +5020,47 @@ The content encoding is not UTF-8. 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 Темы @@ -5052,245 +5144,245 @@ The content encoding is not UTF-8. пт - + 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 был запрещен из-за отсутствующего модуля Питона. Если вы хотите испольовать этот модуль, вы должны установить модуль "python-sqlite". - + 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 Добро пожаловать в Мастер импорта Библий @@ -5300,7 +5392,7 @@ The content encoding is not UTF-8. Добро пожаловать в Мастер экспорта песен - + Welcome to the Song Import Wizard Добро пожалоДобро пожаловать в Мастер Импорта Песен @@ -5388,53 +5480,53 @@ The content encoding is not UTF-8. ч - + 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 Просмотр @@ -5449,37 +5541,37 @@ The content encoding is not UTF-8. Ошибка синтаксиса XML - + View Mode Режим отображения - + Open service. Открыть служение. - + Print Service Распечатать служение - + Replace live background. Заменить фон показа - + Reset live background. Сбросить фон показа - + Split a slide into two only if it does not fit on the screen as one slide. Разделить слайд на два если он не помещается как один слайд. - + Welcome to the Bible Upgrade Wizard Добро пожаловать в Мастер обновления Библии @@ -5489,64 +5581,105 @@ The content encoding is not UTF-8. Подтвердить удаление - + Play Slides in Loop Воспроизводить слайды в цикле - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5555,50 +5688,50 @@ The content encoding is not UTF-8. 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. @@ -5606,70 +5739,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5703,107 +5836,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager Менеджер служения - + Slide Controller - + Alerts Оповещения - + Search Поиск - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live Показать - + No Results - + Options Опции - + Add to Service - + Home - + Theme Тема - + Desktop - + Add &amp; Go to Service @@ -5811,42 +5944,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5854,85 +5987,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 @@ -5993,34 +6126,34 @@ The content encoding is not UTF-8. - + 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. @@ -6058,82 +6191,82 @@ has been successfully created. Индексация песен... - + 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. @@ -6143,26 +6276,26 @@ 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 Псалмы @@ -6173,32 +6306,32 @@ The encoding is responsible for the correct character representation. Экспортировать песни используя мастер экспорта. - + 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. @@ -6226,17 +6359,17 @@ The encoding is responsible for the correct character representation. Фамилия: - + 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? Вы не указали отображаемое имя автора. Использовать комбинацию имени и фамилии? @@ -6375,72 +6508,72 @@ 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. Вы должны ввести по крайней мере один куплет. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. Порядок куплетов указан неверно. Нет куплета, который бы соответсвовал %s. Правильными записями являютеся %s. - + Add Book Добавить Книгу - + This song book does not exist, do you want to add it? Этот сборник песен не существует. Хотите добавить его? - + You need to have an author for this song. Вы должны добавить автора к этой песне. @@ -6470,7 +6603,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6480,7 +6613,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6594,135 +6727,140 @@ The encoding is responsible for the correct character representation. 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. - 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 2.0 - + openlp.org v1.x Databases База данных openlp.org v1.x - + Words Of Worship Song 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 - + 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6740,22 +6878,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles Название - + Lyrics Слова - + CCLI License: Лицензия CCLI: - + Entire Song Всю песню @@ -6769,7 +6907,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6780,27 +6918,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6829,6 +6967,19 @@ The encoding is responsible for the correct character representation. Экспортирую "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6868,12 +7019,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6893,118 +7044,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -7012,27 +7155,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -7093,4 +7236,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/sq.ts b/resources/i18n/sq.ts index 574c5730a..a8399b89d 100644 --- a/resources/i18n/sq.ts +++ b/resources/i18n/sq.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,510 +150,510 @@ Do you want to continue anyway? 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. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,38 +707,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error - + 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. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -754,127 +754,127 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English Shqiptar - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -886,11 +886,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -921,11 +916,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1021,38 +1021,38 @@ It is not possible to customize the Book Names. 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. @@ -1060,167 +1060,167 @@ It is not possible to customize the Book Names. 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 - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1255,92 +1255,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1348,7 +1348,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1357,12 +1357,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>... @@ -1371,143 +1371,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1581,12 +1581,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1657,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1668,60 +1668,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1729,7 +1729,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1737,43 +1737,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1781,17 +1781,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1799,60 +1799,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 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. @@ -1900,7 +1900,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1918,22 +1918,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1941,7 +1941,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2076,192 +2076,274 @@ Portions copyright © 2004-2012 %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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2297,7 +2379,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2305,23 +2387,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2339,7 +2421,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2462,17 +2544,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2542,32 +2624,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2652,32 +2734,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2685,82 +2767,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2768,157 +2850,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2926,12 +3008,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2947,438 +3029,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 - + English Please add the name of your language here Shqiptar - + 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. @@ -3387,52 +3469,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3442,73 +3529,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3516,12 +3603,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3663,12 +3750,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3676,12 +3763,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3697,276 +3784,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -3997,12 +4089,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4037,12 +4129,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4055,172 +4147,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4314,32 +4406,32 @@ The content encoding is not UTF-8. 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) @@ -4347,193 +4439,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4761,7 +4853,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4814,47 +4906,47 @@ The content encoding is not UTF-8. 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 @@ -4938,245 +5030,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5186,7 +5278,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5274,53 +5366,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5335,37 +5427,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5375,64 +5467,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5441,50 +5574,50 @@ The content encoding is not UTF-8. 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. @@ -5492,70 +5625,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5589,107 +5722,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5697,42 +5830,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5740,85 +5873,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 @@ -5879,34 +6012,34 @@ The content encoding is not UTF-8. - + 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. @@ -5944,107 +6077,107 @@ has been successfully created. - + 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 @@ -6055,32 +6188,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6108,17 +6241,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6257,72 +6390,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6352,7 +6485,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6362,7 +6495,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6476,135 +6609,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6622,22 +6760,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6650,7 +6788,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6661,27 +6799,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6710,6 +6848,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6749,12 +6900,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6774,118 +6925,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6893,27 +7036,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6974,4 +7117,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + diff --git a/resources/i18n/sv.ts b/resources/i18n/sv.ts index 653921b17..2279c3e4d 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,510 +152,510 @@ Vill du fortsätta ändå? BiblesPlugin - + &Bible &Bibel - + Bible name singular Bibel - + Bibles name plural Biblar - + Bibles container title Biblar - + No Book Found Bok saknas - + No matching book could be found in this Bible. Check that you have spelled the name of the book correctly. 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. - + Genesis Första Moseboken - + Exodus Andra Moseboken - + Leviticus Tredje Moseboken - + Numbers Fjärde Moseboken - + Deuteronomy Femte Moseboken - + Joshua Josua - + Judges Domarboken - + Ruth Rut - + 1 Samuel Första Samuelsboken - + 2 Samuel Andra Samuelsboken - + 1 Kings Första Kungaboken - + 2 Kings Andra Kungaboken - + 1 Chronicles Första Krönikeboken - + 2 Chronicles Andra Krönikeboken - + Ezra Esra - + Nehemiah Nehemja - + Esther Ester - + Job Job - + Psalms Psaltaren - + Proverbs Ordspråksboken - + Ecclesiastes Predikaren - + Song of Solomon Höga Visan - + Isaiah Jesaja - + Jeremiah Jeremia - + Lamentations Klagovisorna - + Ezekiel Hesekiel - + Daniel Daniel - + Hosea Hosea - + Joel Joel - + Amos Amos - + Obadiah Obadja - + Jonah Jona - + Micah Mika - + Nahum Nahum - + Habakkuk Habackuk - + Zephaniah Sefanja - + Haggai Haggaj - + Zechariah Sakarja - + Malachi Malaki - + Matthew Matteusevangeliet - + Mark Markusevangeliet - + Luke Lukasevangeliet - + John Johannesevangeliet - + Acts Apostlagärningarna - + Romans Romarbrevet - + 1 Corinthians Första Korinthierbrevet - + 2 Corinthians Andra Korinthierbrevet - + Galatians Galaterbrevet - + Ephesians Efesierbrevet - + Philippians Filipperbrevet - + Colossians Kolosserbrevet - + 1 Thessalonians Första Thessalonikerbrevet - + 2 Thessalonians Andra Thessalonikerbrevet - + 1 Timothy Första Timotheosbrevet - + 2 Timothy Andra Timotheosbrevet - + Titus Titusbrevet - + Philemon Filemonbrevet - + Hebrews Hebreerbrevet - + James Jakobsbrevet - + 1 Peter Första Petrusbrevet - + 2 Peter Andra Petrusbrevet - + 1 John Första Johannesbrevet - + 2 John Andra Johannesbrevet - + 3 John Tredje Johannesbrevet - + Jude Judasbrevet - + Revelation Uppenbarelseboken - + Judith Judit - + Wisdom Salomos vishet - + Tobit Tobit - + Sirach Jesus Syraks vishet - + Baruch Baruk - + 1 Maccabees Första Mackabeerboken - + 2 Maccabees Andra Mackabeerboken - + 3 Maccabees Tredje Mackabeerboken - + 4 Maccabees Fjärde Mackabeerboken - + Rest of Daniel Tillägg till Daniel - + Rest of Esther Ester enligt den grekiska texten - + Prayer of Manasses Manasses bön - + Letter of Jeremiah Jeremias brev - + Prayer of Azariah Asarjas bön - + Susanna Susanna i badet - + Bel Bel i Babylon - + 1 Esdras Tredje Esra - + 2 Esdras Fjärde Esra - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. :|v|V|vers|verser;;-|till;;,|och;;slut @@ -666,82 +666,84 @@ Vill du fortsätta ändå? You need to specify a version name for your Bible. - Du måste ange ett namn för bibeln. + Du måste ange ett namn på bibelöversättningen. You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. - Du måste ange en copyright-text för bibeln. Biblar i public domain måste anges som sådana. + Du måste ange copyright för bibeln. Biblar i public domain måste markeras som sådana. Bible Exists - Bibeln finns redan + Bibeln finns redan This Bible already exists. Please import a different Bible or first delete the existing one. - Bibeln finns redan. Importera en annan Bibel eller radera den nuvarande. + Bibeln finns redan. Importera en annan bibel eller ta först bort den existerande. You need to specify a book name for "%s". - + Du måste ange ett boknamn för "%s". The book name "%s" is not correct. Numbers can only be used at the beginning and must be followed by one or more non-numeric characters. - + Boknamnet "%s" är inte korrekt. +Siffror kan bara användas i början och måste +följas av ett eller flera ickenumeriska tecken. Duplicate Book Name - + Dublettnamn på bok The Book Name "%s" has been entered more than once. - + Boknamnet "%s" har angivits flera gånger. BiblesPlugin.BibleManager - + Scripture Reference Error Felaktig bibelreferens - + Web Bible cannot be used Webb-bibel kan inte användas - + Text Search is not available with Web Bibles. Textsökning är inte tillgänglig för webb-biblar. - + 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. Du angav inget sökord. Du kan ange flera sökord avskilda med mellanslag för att söka på alla sökord och du kan avskilja sökorden med kommatecken för att söka efter ett av sökorden. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. Det finns inga biblar installerade. Använd guiden för bibelimport och installera en eller flera bibelöversättningar. - + No Bibles Available Inga biblar tillgängliga - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -764,79 +766,79 @@ Bok Kapitel%(verse)sVers%(range)sKapitel%(verse)sVerse BiblesPlugin.BiblesTab - + Verse Display Visning av bibeltext - + Only show new chapter numbers Visa bara nummer för nya kapitel - + Bible theme: Bibeltema: - + No Brackets Inga parenteser - + ( And ) ( och ) - + { And } { och } - + [ And ] [ och ] - + Note: Changes do not affect verses already in the service. Observera: Ändringar kommer inte att påverka verser som redan finns i körschemat. - + Display second Bible verses Visa andra bibelns verser - + Custom Scripture References Anpassade bibelreferenser - + Verse Separator: Versavskiljare: - + Range Separator: Intervallavskiljare: - + List Separator: Listavskiljare: - + End Mark: Slutmärke: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -845,7 +847,7 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -854,7 +856,7 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -863,7 +865,7 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. @@ -872,30 +874,31 @@ De måste separeras med ett lodrätt streck "|". Lämna fältet tomt för att använda standardvärdet. - + English Engelska - + Default Bible Language - + Förvalt bibelspråk - + Book name language in search field, search results and on display: - + Språk på boknamn i sökfält, +sökresultat och vid visning: - + Bible Language - + Bibelspråk - + Application Language - + Programmets språk @@ -905,11 +908,6 @@ search results and on display: Select Book Name Välj bok - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - Följande bok kunde inte identifieras. Välj motsvarande engelskt namn från listan. - Current name: @@ -940,11 +938,16 @@ search results and on display: Apocrypha Apokryferna + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + Följande boknamn kan inte kopplas till någon bok. Välj tillhörande namn från listan. + BiblesPlugin.BookNameForm - + You need to select a book. Du måste välja en bok. @@ -973,105 +976,106 @@ search results and on display: Bible Editor - + Bibelredigering License Details - Licensuppgifter + Licensdetaljer Version name: - Namn på bibelöversättningen: + Namn på översättningen: Copyright: - Copyright: + Copyright: Permissions: - Tillstånd: + Tillstånd: Default Bible Language - + Förvalt bibelspråk Book name language in search field, search results and on display: - + Språk på boknamn i sökfält, sökresultat och vid visning: Global Settings - + Globala inställningar Bible Language - + Bibelspråk Application Language - + Programmets språk English - + Engelska This is a Web Download Bible. It is not possible to customize the Book Names. - + Det här är en webb-bibel. +Det går inte att anpassa boknamnen. To use the customized book names, "Bible language" must be selected on the Meta Data tab or, if "Global settings" is selected, on the Bible page in Configure OpenLP. - + För att kunna använda anpassade boknamn måste "Bibelspråk" vara valt under fliken "Metadata" eller, om "Globala inställningar" är valt, på bibelsidan i OpenLP-inställningarna. BiblesPlugin.HTTPBible - + Registering Bible and loading books... Registrerar bibel och laddar böcker... - + Registering Language... Registrerar språk... - + Importing %s... Importing <book name>... Importerar %s... - + Download Error Fel vid nedladdning - + 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. Det uppstod problem vid nedladdningen av versurvalet. Kontrollera Internetanslutningen och om problemet återkommer, överväg att rapportera det som en bugg. - + Parse Error Fel vid tolkning - + There was a problem extracting your verse selection. If this error continues to occur please consider reporting a bug. Det uppstod problem vid extraherande av vers-urvalet. Om problemet uppstår igen, överväg att rapportera det som en bugg. @@ -1079,167 +1083,167 @@ It is not possible to customize the Book Names. BiblesPlugin.ImportWizardForm - + Bible Import Wizard Guiden för bibelimport - + 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. Den här guiden hjälper dig importera biblar från en mängd olika format. Klicka på Nästa för att fortsätta med importen. - + Web Download Nedladdning från Internet - + Location: Källa: - + Crosswalk Crosswalk - + BibleGateway BibleGateway - + Bible: Bibel: - + Download Options Alternativ för nedladdning - + Server: Server: - + Username: Användarnamn: - + Password: Lösenord: - + Proxy Server (Optional) Proxyserver (frivilligt) - + License Details Licensuppgifter - + Set up the Bible's license details. Skriv in bibelns licensuppgifter. - + Version name: Namn på bibelöversättningen: - + Copyright: Copyright: - + Please wait while your Bible is imported. Vänta medan bibeln importeras. - + You need to specify a file with books of the Bible to use in the import. Du måste välja en fil med bibelböcker att använda i importen. - + You need to specify a file of Bible verses to import. Du måste välja en fil med bibelverser att importera. - + You need to specify a version name for your Bible. Du måste ange ett namn för bibeln. - + You need to set a copyright for your Bible. Bibles in the Public Domain need to be marked as such. Du måste ange en copyright-text för bibeln. Biblar i public domain måste anges som sådana. - + Bible Exists Bibeln finns redan - + This Bible already exists. Please import a different Bible or first delete the existing one. Bibeln finns redan. Importera en annan Bibel eller radera den nuvarande. - + Your Bible import failed. Bibelimporten misslyckades. - + CSV File CSV-fil - + Bibleserver Bibelserver - + Permissions: Tillstånd: - + Bible file: Bibelfil: - + Books file: Bokfil: - + Verses file: Versfil: - + openlp.org 1.x Bible Files openlp.org 1.x bibelfiler - + Registering Bible... Registrerar bibel... - + Registered Bible. Please note, that verses will be downloaded on demand and thus an internet connection is required. Bibeln registrerad. Observera att verser kommer att laddas ner @@ -1275,100 +1279,100 @@ vid behov, och därför behövs en Internetanslutning. BiblesPlugin.MediaItem - + Quick Enkelt - + Find: Sök efter: - + Book: Bok: - + Chapter: Kapitel: - + Verse: Vers: - + From: Från: - + To: Till: - + Text Search Textsökning - + Second: Alternativ: - + Scripture Reference Bibelreferens - + Toggle to keep or clear the previous results. Växla mellan att behålla eller rensa föregående sökresultat. - + You cannot combine single and dual Bible verse search results. Do you want to delete your search results and start a new search? Du kan inte kombinera resultat från sökning i en bibel med resultat från sökning i två biblar. Vill du ta bort dina sökresultat och starta en ny sökning? - + Bible not fully loaded. Bibeln är inte helt laddad. - + Information 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. Den alternativa bibelöversättningen innehåller inte alla verser som finns i huvudöversättningen. Endast verser som finns i båda översättningar kommer att visas. %d verser har utelämnats. - + Search Scripture Reference... - + Sök bibelvers... - + Search Text... - + Sök text... - + Are you sure you want to delete "%s"? - + Är du säker på att du vill ta bort "%s"? BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... Importerar %s %s... @@ -1377,12 +1381,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... @@ -1391,149 +1395,149 @@ vid behov, och därför behövs en Internetanslutning. BiblesPlugin.UpgradeWizardForm - + Select a Backup Directory Välj en backupmapp - + Bible Upgrade Wizard Bibeluppgraderingsguiden - + 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. Den här guiden hjälper dig att uppgradera dina befintliga biblar från en tidigare version av OpenLP 2. Klicka på Nästa för att starta uppgraderingsprocessen. - + Select Backup Directory Välj backupmapp - + Please select a backup directory for your Bibles Välj en mapp för backup av dina biblar - + 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>. Tidigare utgåvor av OpenLP 2.0 kan inte använda uppgraderade biblar. Nu skapas en backup av dina nuvarande biblar så att du enkelt kan kopiera tillbaks filerna till din OpenLP-datamapp om du skulle behöva återgå till en tidigare utgåva av OpenLP. Instruktioner om hur man återställer finns i vår <a href="http://wiki.openlp.org/faq">FAQ</a>. - + Please select a backup location for your Bibles. Välj en mapp för backup av dina biblar. - + Backup Directory: Backupmapp: - + There is no need to backup my Bibles Det är inte nödvändigt med backup av mina biblar - + Select Bibles Välj biblar - + Please select the Bibles to upgrade Välj biblar att uppgradera - + Upgrading Uppgraderar - + Please wait while your Bibles are upgraded. Vänta medan biblarna uppgraderas. - + The backup was not successful. To backup your Bibles you need permission to write to the given directory. Backuptagningen lyckades inte. För att kunna göra backup av dina biblar krävs skrivrättigheter i den givna mappen. - + Upgrading Bible %s of %s: "%s" Failed Uppgraderar bibel %s av %s: "%s" Misslyckades - + Upgrading Bible %s of %s: "%s" Upgrading ... Uppgraderar bibel %s av %s: "%s" Uppgraderar ... - + Download Error Fel vid nedladdning - + To upgrade your Web Bibles an Internet connection is required. För att uppgradera dina webb-biblar krävs en Internetanslutning. - + Upgrading Bible %s of %s: "%s" Upgrading %s ... Uppgraderar bibel %s av %s: "%s" Uppgraderar %s ... - + Upgrading Bible %s of %s: "%s" Complete Uppgraderar bibel %s av %s: "%s" Färdig - + , %s failed , %s misslyckades - + 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. Uppgradering av biblar: %s lyckades%s Observera att verser från webb-biblar kommer att laddas ner vid behov, och därför behövs en Internetanslutning. - + Upgrading Bible(s): %s successful%s Uppgradering av biblar: %s lyckades%s - + Upgrade failed. Uppgradering misslyckades. - + You need to specify a backup directory for your Bibles. Du måste välja en backupmapp för dina biblar. - + Starting upgrade... Startar uppgradering... - + There are no Bibles that need to be upgraded. Det finns inga biblar som behöver uppgraderas. @@ -1607,12 +1611,12 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där CustomPlugin.CustomTab - + Custom Display Anpassad visning - + Display footer Visa sidfot @@ -1683,7 +1687,7 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? Är du säker på att du vill ta bort den valda bilden? @@ -1694,60 +1698,60 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där 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>Bildmodul</strong><br />Bildmodulen erbjuder visning av bilder.<br />En av funktionerna i modulen är möjligheten att gruppera bilder i körschemat, vilket gör visning av flera bilder enklare. Modulen kan även använda OpenLP:s funktion för "tidsstyrd bildväxling" för att skapa ett bildspel som rullar automatiskt. Dessutom kan bilder från modulen användas för att ersätta det aktuella temats bakgrund, så att textbaserade sidor som till exempel sånger visas med den valda bilden som bakgrund i stället för temats bakgrund. - + Image name singular Bild - + Images name plural Bilder - + Images container title Bilder - + Load a new image. Ladda en ny bild. - + Add a new image. Lägg till en ny bild. - + Edit the selected image. Redigera den valda bilden. - + Delete the selected image. Ta bort den valda bilden. - + Preview the selected image. Förhandsgranska den valda bilden. - + Send the selected image live. Visa den valda bilden live. - + Add the selected image to the service. Lägg till den valda bilden i körschemat. @@ -1755,7 +1759,7 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där ImagePlugin.ExceptionDialog - + Select Attachment Välj bilaga @@ -1763,44 +1767,44 @@ Observera att verser från webb-biblar kommer att laddas ner vid behov, och där ImagePlugin.MediaItem - + Select Image(s) Välj bild(er) - + You must select an image to delete. Du måste välja en bild som skall tas bort. - + You must select an image to replace the background with. Du måste välja en bild att ersätta bakgrundsbilden med. - + Missing Image(s) Bild(er) saknas - + The following image(s) no longer exist: %s Följande bild(er) finns inte längre: %s - + The following image(s) no longer exist: %s Do you want to add the other images anyway? Följande bild(er) finns inte längre: %s Vill du lägga till dom andra bilderna ändå? - + There was a problem replacing your background, the image file "%s" no longer exists. Det uppstod ett problem med att ersätta din bakgrund, bildfilen "%s" finns inte längre. - + There was no display item to amend. Det fanns ingen visningspost att ändra. @@ -1808,78 +1812,78 @@ Vill du lägga till dom andra bilderna ändå? ImagesPlugin.ImageTab - + Background Color Bakgrundsfärg - + Default Color: Standardfärg: - + Visible background for images with aspect ratio different to screen. - + Synlig bakgrund för bilder med annat bildformat än skärmen. 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. @@ -1927,7 +1931,7 @@ Vill du lägga till dom andra bilderna ändå? Det fanns ingen visningspost att ändra. - + Unsupported File Ej stödd fil @@ -1945,22 +1949,22 @@ Vill du lägga till dom andra bilderna ändå? MediaPlugin.MediaTab - + Available Media Players Tillgängliga mediaspelare - + %s (unavailable) %s (ej tillgänglig) - + Player Order Spelarordning - + Allow media player to be overridden Tillåt åsidosättning av vald mediaspelare @@ -1968,7 +1972,7 @@ Vill du lägga till dom andra bilderna ändå? OpenLP - + Image Files Bildfiler @@ -2172,192 +2176,276 @@ Del-copyright © 2004-2012 %s OpenLP.AdvancedTab - + UI Settings Inställningar för användargränssnitt - + Number of recent files to display: Antal tidigare körscheman att visa: - + Remember active media manager tab on startup Kom ihåg aktiv mediaflik vid start - + Double-click to send items straight to live Dubbelklicka för att visa poster live - + Expand new service items on creation Expandera nya poster i körschemat vid skapandet - + Enable application exit confirmation Bekräfta för att avsluta programmet - + Mouse Cursor Muspekare - + Hide mouse cursor when over display window Dölj muspekaren över visningsfönstret - + Default Image Standardbild - + Background color: Bakgrundsfärg: - + Image file: Bildfil: - + Open File Öppna fil - + Advanced Avancerat - + Preview items when clicked in Media Manager Förhandsgranska poster vid klick i mediahanteraren - + Click to select a color. Klicka för att välja en färg. - + Browse for an image file to display. Välj en bildfil att visa. - + Revert to the default OpenLP logo. Återställ till OpenLP:s standardlogotyp. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. Körschema %Y-%m-%d %H-%M - + Default Service Name Förvalt namn på körschema - + Enable default service name Aktivera förvalt namn på körschema - + Date and Time: Datum och tid: - + Monday Måndag - + Tuesday Tisdag - + Wednesday Onsdag - + Thurdsday Torsdag - + Friday Fredag - + Saturday Lördag - + Sunday Söndag - + Now Nu - + Time when usual service starts. Tid när schemat vanligen börjar. - + Name: Namn: - + Consult the OpenLP manual for usage. Läs i OpenLP-manualen för information om funktionen. - + Revert to the default service name "%s". Återställ till körschemats standardnamn "%s". - + Example: Exempel: - + X11 X11 - + Bypass X11 Window Manager Kringgå X11:s fönsterhanterare - + Syntax error. Syntaxfel. + + + Data Location + Datalagring + + + + Current path: + Nuvarande sökväg: + + + + Custom path: + Anpassad sökväg: + + + + Browse for new data file location. + Bläddra efter ny plats för datalagring. + + + + Set the data location to the default. + Återställ plats för datalagring till standardinställningen. + + + + Cancel + Avbryt + + + + Cancel OpenLP data directory location change. + Avbryt ändring av plats för OpenLP:s datalagring. + + + + Copy data to new location. + Kopiera data till ny plats. + + + + Copy the OpenLP data files to the new location. + Kopiera OpenLP:s data till den nya platsen. + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + <strong>VARNING:</strong> Den nya datakatalogen innehåller OpenLP-datafiler. Dessa filer kommer att ersättas vid kopieringen. + + + + Data Directory Error + Datakatalogfel + + + + Select Data Directory Location + Välj plats för datakatalog + + + + Confirm Data Directory Change + Bekräfta ändring av datakatalog + + + + Reset Data Directory + Återställ datakatalog + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + Är du säker på att du vill ändra platsen för OpenLP:s data till standardinställningen? + +Den nya platsen kommer att användas efter att OpenLP har avslutats. + + + + Overwrite Existing Data + Skriv över befintlig data + OpenLP.ExceptionDialog @@ -2394,7 +2482,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for Lägg till fil - + Description characters to enter : %s Beskrivningstecken att ange: %s @@ -2402,24 +2490,24 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for 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 @@ -2450,7 +2538,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2586,17 +2674,17 @@ Version: %s Standardinställningar - + Downloading %s... Hämtar %s... - + Download complete. Click the finish button to start OpenLP. Nedladdning färdig. Klicka på Slutför för att starta OpenLP. - + Enabling selected plugins... Aktivera valda moduler... @@ -2613,7 +2701,7 @@ Version: %s Sample Songs - Fria sånger + Exempelsånger @@ -2623,7 +2711,7 @@ Version: %s Sample Bibles - Fria bibelöversättningar + Exempelbiblar @@ -2633,12 +2721,12 @@ Version: %s Sample Themes - Fria teman + Exempelteman Select and download sample themes. - Välj och ladda ner färdiga teman. + Välj och ladda ner exempelteman. @@ -2666,32 +2754,32 @@ Version: %s Den här guiden hjälper dig att ställa in OpenLP före första användningen. Klicka på Nästa för att starta. - + Setting Up And Downloading Ställer in och laddar ner - + Please wait while OpenLP is set up and your data is downloaded. Vänta medan OpenLP ställs in och din data laddas ner. - + Setting Up Ställer in - + Click the finish button to start OpenLP. Klicka på Slutför för att starta OpenLP. - + Download complete. Click the finish button to return to OpenLP. Nedladdning färdig. Klicka på Slutför för att återvända till OpenLP. - + Click the finish button to return to OpenLP. Klicka på Slutför för att återvända till OpenLP. @@ -2710,14 +2798,18 @@ 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. Click 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. - + Ingen Internetanslutning hittades. Kom igång-guiden behöver en Internetanslutning för att kunna ladda ner ett urval av sånger, biblar och teman. Klicka på knappen Slutför nu för att starta OpenLP med grundinställningarna och utan data. + +För att köra Kom igång-guiden igen och importera exempeldatan senare, kontrollera din Internetanslutning och starta om den här guiden genom att välja "Verktyg/Kör kom igång-guiden" från OpenLP. To cancel the First Time Wizard completely (and not start OpenLP), click the Cancel button now. - + + +För att avbryta Kom igång-guiden helt (och inte starta OpenLP), klicka på knappen Avbryt nu. @@ -2776,32 +2868,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error Fel vid uppdatering - + Tag "n" already defined. Taggen "n" finns redan. - + New Tag Ny tagg - + <HTML here> <HTML här> - + </and here> </och här> - + Tag %s already defined. Taggen %s finns redan. @@ -2809,82 +2901,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red Röd - + Black Svart - + Blue Blå - + Yellow Gul - + Green Grön - + Pink Rosa - + Orange Orange - + Purple Lila - + White Vit - + Superscript Upphöjt - + Subscript Nedsänkt - + Paragraph Stycke - + Bold Fet - + Italics Kursiv - + Underline Understruken - + Break Radbrytning @@ -2892,170 +2984,170 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.GeneralTab - + General Allmänt - + Monitors Skärmar - + Select monitor for output display: Välj skärm för bildvisning: - + Display if a single screen Visa även på enkel skärm - + Application Startup Programstart - + Show blank screen warning Visa varning vid tom skärm - + Automatically open the last service Öppna det senaste körschemat automatiskt - + Show the splash screen Visa startbilden - + Application Settings Programinställningar - + Prompt to save before starting a new service Fråga om att spara innan ett nytt körschema skapas - + Automatically preview next item in service Förhandsgranska nästa post i körschemat automatiskt - + sec sekunder - + CCLI Details CCLI-detaljer - + SongSelect username: SongSelect användarnamn: - + SongSelect password: SongSelect lösenord: - + X X - + Y Y - + Height Höjd - + Width Bredd - + Check for updates to OpenLP Sök efter uppdateringar till OpenLP - + Unblank display when adding new live item Lägg ut bilden direkt när en ny live-bild läggs till - + Timed slide interval: Tidsstyrd bildväxling: - + Background Audio Bakgrundsljud - + Start background audio paused Starta bakgrundsljud pausat - + Service Item Slide Limits Bildväxlingsgräns - + Override display position: Manuell skärmposition: - + Repeat track list Repetera spellistan - + Behavior of next/previous on the last/first slide: - + Inställning för nästa/föregående vid sista/första bilden: - + &Remain on Slide - + &Stanna på bilden - + &Wrap around - + Börja &om - + &Move to next/previous service item - + &Gå till nästa/föregående post i körschemat OpenLP.LanguageManager - + Language Språk - + Please restart OpenLP to use your new language setting. Vänligen starta om OpenLP för att aktivera dina nya språkinställningar. @@ -3071,287 +3163,287 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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/. @@ -3360,108 +3452,108 @@ 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 - + English Please add the name of your language here 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. - + &Recent Files Senaste &körscheman - + 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. @@ -3470,43 +3562,43 @@ 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. - + 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. @@ -3519,45 +3611,50 @@ 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) + + + New Data Directory Error + Ny datakatalog-fel + 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 @@ -3566,7 +3663,7 @@ Database: %s Databas: %s - + OpenLP cannot load your database. Database: %s @@ -3578,74 +3675,74 @@ Databas: %s OpenLP.MediaManagerItem - + No Items Selected Inga poster valda - + &Add to selected Service Item &Lägg till i vald post i körschemat - + You must select one or more items to preview. Du måste välja en eller flera poster att förhandsgranska. - + You must select one or more items to send live. Du måste välja en eller flera poster att visa live. - + You must select one or more items. Du måste välja en eller flera poster. - + You must select an existing service item to add to. Du måste välja en befintlig post i körschemat att lägga till i. - + Invalid Service Item Ogiltig körschemapost - + You must select a %s service item. Du måste välja en post av typen %s i körschemat. - + You must select one or more items to add. Du måste välja en eller flera poster att lägga till. - + No Search Results Inga sökresultat - + Invalid File Type Ogiltig filtyp - + Invalid File %s. Suffix not supported Ogiltig fil %s. Filändelsen stöds ej - + &Clone &Klona - + Duplicate files were found on import and were ignored. Dubblettfiler hittades vid importen och ignorerades. @@ -3653,12 +3750,12 @@ Filändelsen stöds ej OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. <lyrics>-tagg saknas. - + <verse> tag is missing. <verse>-tagg saknas. @@ -3800,12 +3897,12 @@ Filändelsen stöds ej OpenLP.ScreenList - + Screen Skärm - + primary primär @@ -3813,12 +3910,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 @@ -3834,277 +3931,282 @@ Filändelsen stöds ej OpenLP.ServiceManager - + Move to &top Lägg &först - + Move item to the top of the service. Lägg posten först i körschemat. - + Move &up Flytta &upp - + Move item up one position in the service. Flytta upp posten ett steg i körschemat. - + Move &down Flytta &ner - + Move item down one position in the service. Flytta ner posten ett steg i körschemat. - + Move to &bottom Lägg &sist - + Move item to the end of the service. Lägg posten sist i körschemat. - + &Delete From Service &Ta bort från körschemat - + Delete the selected item from the service. Ta bort den valda posten från körschemat. - + &Add New Item &Lägg till ny post - + &Add to Selected Item Lägg till i &vald post - + &Edit Item &Redigera post - + &Reorder Item Arrangera &om post - + &Notes &Anteckningar - + &Change Item Theme &Byt postens tema - + OpenLP Service Files (*.osz) OpenLP körschemafiler (*.osz) - + 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 - + &Expand all &Expandera alla - + Expand all the service items. Expandera alla poster i körschemat. - + &Collapse all &Fäll ihop alla - + Collapse all the service items. Fäll ihop alla poster i körschemat. - + Open File Öppna fil - + Moves the selection down the window. Flyttar urvalet neråt i fönstret. - + Move up Flytta upp - + Moves the selection up the window. Flyttar urvalet uppåt i fönstret. - + Go Live Lägg ut live-bilden - + Send the selected item to Live. Visa den valda posten live. - + &Start Time &Starttid - + Show &Preview &Förhandsgranska - - Show &Live - Visa &Live - - - + Modified Service Körschemat ändrat - + The current service has been modified. Would you like to save this service? Det nuvarande körschemat har ändrats. Vill du spara körschemat? - + Custom Service Notes: Egna körschemaanteckningar: - + Notes: Anteckningar: - + Playing time: Speltid: - + Untitled Service Nytt körschema - + 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 - + Load an existing service. Ladda ett befintligt körschema. - + Save this service. Spara körschemat. - + Select a theme for the service. 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. - + Service File Missing Körschemafil saknas - + Slide theme Sidtema - + Notes Anteckningar - + Edit Redigera - + Service copy only Endast kopian i körschemat + + + Error Saving File + Fel vid filsparande + + + + There was an error saving your file. + Det inträffade ett fel när filen skulle sparas. + OpenLP.ServiceNoteForm @@ -4135,12 +4237,12 @@ Innehållets teckenkodning är inte UTF-8. Genväg - + Duplicate Shortcut Dubblett - + The shortcut "%s" is already assigned to another action, please use a different shortcut. Genvägen "%s" är redan kopplad till en annan åtgärd; välj en annan genväg. @@ -4175,12 +4277,12 @@ Innehållets teckenkodning är inte UTF-8. Återställ till standardgenvägen för den här åtgärden. - + Restore Default Shortcuts Återställ till standardgenvägar - + Do you want to restore all shortcuts to their defaults? Vill du återställa alla genvägar till standardvärdena? @@ -4193,172 +4295,172 @@ 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 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. Pausa spelande media. - + Stop playing media. Stoppa spelande media. - + Video position. Videoposition. - + Audio Volume. Ljudvolym. - + Go to "Verse" Gå till "Vers" - + Go to "Chorus" Gå till "Refräng" - + Go to "Bridge" Gå till "Stick" - + Go to "Pre-Chorus" Gå till "Brygga" - + Go to "Intro" Gå till "Intro" - + Go to "Ending" - Gå till "Slut" + Gå till "Avslut" - + Go to "Other" Gå till "Övrigt" - + Previous Slide Föregående bild - + Next Slide Nästa bild - + Pause Audio Pausa ljud - + Background Audio Bakgrundsljud - + Go to next audio track. Gå till nästa ljudspår - + Tracks Spår @@ -4452,32 +4554,32 @@ Innehållets teckenkodning är inte UTF-8. OpenLP.ThemeForm - + Select Image Välj bild - + Theme Name Missing Temanamn saknas - + There is no name for this theme. Please enter one. Det finns inget namn på temat. Var vänlig att ange ett. - + Theme Name Invalid Ogiltigt temanamn - + Invalid theme name. Please enter one. Ogiltigt temanamn. Ange ett giltigt namn. - + (approximately %d lines per slide) (ungefär %d rader per sida) @@ -4485,193 +4587,193 @@ Innehållets teckenkodning är inte UTF-8. OpenLP.ThemeManager - + Create a new theme. Skapa ett nytt tema. - + Edit Theme Redigera tema - + Edit a theme. Redigera ett tema. - + Delete Theme Ta bort tema - + Delete a theme. Ta bort ett tema. - + Import Theme Importera tema - + Import a theme. Importera tema. - + Export Theme Exportera tema - + Export a theme. Exportera tema. - + &Edit Theme &Redigera tema - + &Delete Theme &Ta bort tema - + Set As &Global Default 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. - + Theme %s is used in the %s plugin. Temat %s används i modulen %s. - + 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. Filen är inte ett giltigt tema. - + &Copy Theme &Kopiera tema - + &Rename Theme &Byt namn på tema - + &Export Theme &Exportera tema - + You must select a theme to rename. Du måste välja ett tema att byta namn på. - + Rename Confirmation Bekräftelse av namnbyte - + Rename %s theme? 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) - + Copy of %s Copy of <theme name> Kopia av %s - + Theme Already Exists Tema finns redan @@ -4899,7 +5001,7 @@ Innehållets teckenkodning är inte UTF-8. Temanamn: - + Edit Theme - %s Redigera tema - %s @@ -4952,47 +5054,47 @@ Innehållets teckenkodning är inte UTF-8. OpenLP.ThemesTab - + Global Theme Globalt tema - + Theme Level Temanivå - + S&ong Level &Sångnivå - + 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. Använd temat för varje sång i databasen indviduellt. Om en sång inte har ett associerat tema, använd körschemats tema. Om körschemat inte har ett tema, använd det globala temat. - + &Service Level &Körschemanivå - + 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. Använd temat för körschemat och ignorera sångernas individuella teman. Om körschemat inte har ett tema, använd det globala temat. - + &Global Level &Global nivå - + Use the global theme, overriding any themes associated with either the service or the songs. Använd det globala temat och ignorera teman associerade med körschemat eller sångerna. - + Themes Teman @@ -5076,245 +5178,245 @@ Innehållets teckenkodning är inte UTF-8. pt - + Image Bild - + Import Importera - + Live Live - + Live Background Error Live-bakgrundsproblem - + Load Ladda - + Middle Mitten - + New Nytt - + New Service Nytt körschema - + New Theme Nytt tema - + No File Selected Singular Ingen fil vald - + No Files Selected Plural Inga filer valda - + No Item Selected Singular Ingen post vald - + No Items Selected Plural Inga poster valda - + openlp.org 1.x openlp.org 1.x - + OpenLP 2.0 OpenLP 2.0 - + Preview Förhandsgranskning - + Replace Background Ersätt bakgrund - + Reset Background Återställ bakgrund - + s The abbreviated unit for seconds s - + Save && Preview Spara && förhandsgranska - + Search Sök - + You must select an item to delete. Du måste välja en post att ta bort. - + You must select an item to edit. Du måste välja en post att redigera. - + Save Service Spara körschema - + Service Körschema - + Start %s Starta %s - + Theme Singular Tema - + Themes Plural Teman - + Top Toppen - + Version Version - + Delete the selected item. Ta bort den valda posten. - + Move selection up one position. Flytta upp urvalet ett steg. - + Move selection down one position. Flytta ner urvalet ett steg. - + &Vertical Align: &Vertikal justering: - + Finished import. Importen är slutförd. - + Format: Format: - + Importing Importerar - + Importing "%s"... Importerar "%s"... - + Select Import Source Välj importkälla - + Select the import format and the location to import from. Välj importformat och plats att importera från. - + 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-import är inaktiverad på grund av en saknad Python-modul. Om du vill göra den här importen måste du installera modulen "python-sqlite". - + Open %s File Öppna %s-fil - + %p% %p % - + Ready. Klar. - + Starting import... Startar import... - + You need to specify at least one %s file to import from. A file type e.g. OpenSong Du måste ange åtminstone en %s-fil att importera från. - + Welcome to the Bible Import Wizard Välkommen till bibelimportguiden @@ -5324,7 +5426,7 @@ Innehållets teckenkodning är inte UTF-8. Välkommen till sångexportguiden - + Welcome to the Song Import Wizard Välkommen till sångimportguiden @@ -5412,53 +5514,53 @@ Innehållets teckenkodning är inte UTF-8. h - + Layout style: Layout: - + Live Toolbar Live-verktygsrad - + m The abbreviated unit for minutes min - + OpenLP is already running. Do you wish to continue? OpenLP körs redan. Vill du fortsätta? - + Settings Inställningar - + Tools Verktyg - + Unsupported File Okänd filtyp - + Verse Per Slide En vers per sida - + Verse Per Line En vers per rad - + View Visa @@ -5473,37 +5575,37 @@ Innehållets teckenkodning är inte UTF-8. XML-syntaxfel - + View Mode Visningsläge - + Open service. Öppna körschema. - + Print Service Skriv ut körschema - + Replace live background. Ersätt live-bakgrund. - + Reset live background. Återställ live-bakgrund. - + Split a slide into two only if it does not fit on the screen as one slide. Dela en sida i två bara om den inte ryms som en sida på skärmen. - + Welcome to the Bible Upgrade Wizard Välkommen till bibeluppgraderingsguiden @@ -5513,64 +5615,105 @@ Innehållets teckenkodning är inte UTF-8. Bekräfta borttagning - + Play Slides in Loop Kör visning i slinga - + Play Slides to End Kör visning till slutet - + Stop Play Slides in Loop Stoppa slingvisning - + Stop Play Slides to End Stoppa visning till slutet - + Next Track Nästa spår - + Search Themes... Search bar place holder text - + Sök teman... - + Optional &Split - + &Brytanvisning + + + + Invalid Folder Selected + Singular + Felaktig katalog vald + + + + Invalid File Selected + Singular + Felaktig fil vald + + + + Invalid Files Selected + Plural + Felaktiga filer valda + + + + No Folder Selected + Singular + Ingen katalog vald + + + + Open %s Folder + Öppna %s-katalog + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + Du måste ange en %s-fil att importera från. + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + Du måste ange en %s-katalog att importera från. OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items %1 och %2 - + %1, and %2 Locale list separator: end %1, och %2 - + %1, %2 Locale list separator: middle %1, %2 - + %1, %2 Locale list separator: start %1, %2 @@ -5579,50 +5722,50 @@ Innehållets teckenkodning är inte UTF-8. 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>Presentationsmodul</strong><br />Presentationsmodulen ger möjlighet att visa presentationer med en mängd olika program. Val av presentationsprogram görs av användaren i en flervalslista. - + Presentation name singular Presentation - + Presentations name plural Presentationer - + Presentations container title Presentationer - + Load a new presentation. Ladda en ny presentation. - + Delete the selected presentation. Ta bort den valda presentationen. - + Preview the selected presentation. Förhandsgranska den valda presentationen. - + Send the selected presentation live. Visa den valda presentationen live. - + Add the selected presentation to the service. Lägg till den valda presentationen i körschemat. @@ -5630,70 +5773,70 @@ Innehållets teckenkodning är inte UTF-8. PresentationPlugin.MediaItem - + Select Presentation(s) Välj presentation(er) - + Automatic Automatiskt - + Present using: Presentera med: - + File Exists Fil finns redan - + A presentation with that filename already exists. En presentation med det namnet finns redan. - + This type of presentation is not supported. Den här presentationstypen stöds inte. - + Presentations (%s) Presentationer (%s) - + Missing Presentation Presentation saknas - - The Presentation %s no longer exists. - Presentationen %s finns inte längre. + + The presentation %s is incomplete, please reload. + Presentationen %s är inte komplett. Försök att ladda om den. - - The Presentation %s is incomplete, please reload. - Presentationen %s är inte komplett; ladda om den. + + The presentation %s no longer exists. + Presentationen %s finns inte längre. PresentationPlugin.PresentationTab - + Available Controllers Tillgängliga presentationsprogram - + %s (unavailable) %s (inte tillgängligt) - + Allow presentation application to be overridden Tillåt åsidosättning av valt presentationsprogram @@ -5727,150 +5870,150 @@ Innehållets teckenkodning är inte UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote OpenLP 2.0 fjärrstyrning - + OpenLP 2.0 Stage View OpenLP 2.0 scenvisning - + Service Manager Körschema - + Slide Controller Visningskontroll - + Alerts Meddelanden - + Search Sök - + Refresh Uppdatera - + Blank Släck - + Show Visa - + Prev Förra - + Next Nästa - + Text Text - + Show Alert Visa meddelande - + Go Live Lägg ut bilden - + No Results Inga resultat - + Options Alternativ - + Add to Service Lägg till i körschema - + Home - - - - - Theme - Tema + Hem - Desktop - + Theme + Tema - + + Desktop + Skrivbord + + + Add &amp; Go to Service - + Lägg till &amp; gå till körschema RemotePlugin.RemoteTab - + Serve on IP address: Kör på IP-adress: - + Port number: Portnummer: - + Server Settings Serverinställningar - + Remote URL: Fjärrstyrningsadress: - + Stage view URL: Scenvisningsadress: - + Display stage time in 12h format Visa scentiden i 12-timmarsformat - + Android App Android-app - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. Skanna QR-koden eller välj <a href="https://market.android.com/details?id=org.openlp.android">ladda ner</a> för att installera Android-appen från butiken. @@ -5878,85 +6021,85 @@ Innehållets teckenkodning är inte UTF-8. 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 @@ -6017,22 +6160,22 @@ Innehållets teckenkodning är inte UTF-8. Målmapp - + Output File Location Lagringssökväg - + usage_detail_%s_%s.txt användning_%s_%s.txt - + Report Creation Rapportskapande - + Report %s has been successfully created. @@ -6041,12 +6184,12 @@ has been successfully created. skapades utan problem. - + Output Path Not Selected Målmapp inte vald - + You have not set a valid output location for your song usage report. Please select an existing path on your computer. Du måste välja en giltig målmapp för sångrapporten. Välj en befintlig sökväg på datorn. @@ -6084,82 +6227,82 @@ skapades utan problem. Indexerar om 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. @@ -6168,26 +6311,26 @@ 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. - + Song name singular Sång - + Songs name plural Sånger - + Songs container title Sånger @@ -6198,32 +6341,32 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. 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. @@ -6251,17 +6394,17 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Efternamn: - + You need to type in the first name of the author. Du måste ange författarens förnamn. - + You need to type in the last name of the author. Du måste ange författarens efternamn. - + You have not set a display name for the author, combine the first and last names? Du har inte angett ett visningsnamn för författaren; kombinera för- och efternamn? @@ -6296,12 +6439,12 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Meta Data - + Metadata Custom Book Names - + Anpassade boknamn @@ -6402,72 +6545,72 @@ 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. - + 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. - + 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. @@ -6497,7 +6640,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. &Ta bort alla - + Open File(s) Öppna fil(er) @@ -6507,7 +6650,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. <strong>Varning:</strong> Alla verser används inte. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. Versordningen är ogiltig. Det finns inga verser som hör till %s. Giltiga värden är %s. @@ -6621,134 +6764,139 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.ImportWizardForm - + Select Document/Presentation Files Välj dokument/presentation - + Song Import Wizard Sångimportguiden - + 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. 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 - - Filename: - Filnamn: - - - - 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. - 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. - - - + Add Files... Lägg till filer... - + Remove File(s) Ta bort fil(er) - + Please wait while your songs are imported. Vänta medan sångerna importeras. - + 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 - - 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. - - - + Songs Of Fellowship Song Files Songs of Fellowship-sångfiler - + SongBeamer Files SongBeamer-filer - + SongShow Plus Song Files SongShow Plus-sångfiler - + Foilpresenter Song Files Foilpresenter-sångfiler - + Copy Kopiera - + Save to File Spara till fil - + The Songs of Fellowship importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. Import av Songs of Fellowship har inaktiverats eftersom OpenLP inte kan hitta OpenOffice eller LibreOffice. - + The generic document/presentation importer has been disabled because OpenLP cannot access OpenOffice or LibreOffice. 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 - + CCLI SongSelect Files - + CCLI SongSelect-filer - + EasySlides XML File - + EasySlides XML-fil - + EasyWorship Song Database - + EasyWorship sångdatabas + + + + DreamBeam Song Files + DreamBeam sångfiler + + + + You need to specify a valid PowerSong 1.0 database folder. + Du måste ange en giltig PowerSong 1.0-databaskatalog. + + + + ZionWorx (CSV) + ZionWorx (CSV) + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + Konvertera först din ZionWorx-databas till en CSV-textfil, som beskrivs i <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">Användarmanualen</a>. @@ -6767,24 +6915,24 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.MediaItem - + Titles - Titel + Titlel - + Lyrics Sångtext - + CCLI License: CCLI-licens: - + Entire Song - Hela sången + Allt sånginnehåll @@ -6795,7 +6943,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. - + Maintain the lists of authors, topics and books. Underhåll listan över författare, ämnen och böcker. @@ -6806,29 +6954,29 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. kopia - + Search Titles... - + Sök titel... - + Search Entire Song... - + Sök i allt sånginnehåll... - + Search Lyrics... - + Sök i sångtexter... - + Search Authors... - + Sök författare... - + Search Song Books... - + Sök sångbok... @@ -6855,6 +7003,19 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Exporterar "%s"... + + SongsPlugin.PowerSongImport + + + No songs to import. + Inga sånger att importera. + + + + Verses not found. Missing "PART" header. + Inga verser hittade. "PART"-huvud saknas. + + SongsPlugin.SongBookForm @@ -6894,12 +7055,12 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.SongImport - + copyright copyright - + The following songs could not be imported: De följande sångerna kunde inte importeras: @@ -6919,118 +7080,110 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Fil hittas inte - - SongsPlugin.SongImportForm - - - Your song import failed. - Sångimporten misslyckades. - - SongsPlugin.SongMaintenanceForm - + Could not add your author. Kunde inte lägga till författaren. - + This author already exists. Författaren finns redan. - + Could not add your topic. Kunde inte lägga till ämnet. - + This topic already exists. Ämnet finns redan. - + Could not add your book. Kunde inte lägga till boken. - + This book already exists. Boken finns redan. - + Could not save your changes. Kunde inte spara ändringarna. - + Could not save your modified author, because the author already exists. Kunde inte spara den ändrade författaren eftersom den redan finns. - + Could not save your modified topic, because it already exists. Kunde inte spara det ändrade ämnet eftersom det redan finns. - + Delete Author Ta bort författare - + Are you sure you want to delete the selected author? Är du säker på att du vill ta bort den valda författaren? - + This author cannot be deleted, they are currently assigned to at least one song. Författaren kan inte tas bort; den används för närvarande av minst en sång. - + Delete Topic Ta bort ämne - + Are you sure you want to delete the selected topic? Är du säker på att du vill ta bort det valda ämnet? - + This topic cannot be deleted, it is currently assigned to at least one song. Ämnet kan inte tas bort; det används för närvarande av minst en sång. - + Delete Book Ta bort bok - + Are you sure you want to delete the selected book? Är du säker på att du vill ta bort den valda boken? - + This book cannot be deleted, it is currently assigned to at least one song. Boken kan inte tas bort; den används för närvarande av minst en sång. - + The author %s already exists. Would you like to make songs with author %s use the existing author %s? Författaren %s finns redan. Vill du låta sånger med författaren %s använda den befintliga författaren %s? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? Ämnet %s finns redan. Vill du låta sånger med ämnet %s använda det befintliga ämnet %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? Boken %s finns redan. Vill du låta sånger med boken %s använda den befintliga boken %s? @@ -7038,29 +7191,29 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. SongsPlugin.SongsTab - + Songs Mode Sångläge - + Enable search as you type Sök när du skriver - + Display verses on live tool bar Visa verser i live-verktygsraden - + Update service from song edit Uppdatera körschemat från sångredigeringen - + Import missing songs from service files - + Importera saknade sånger från körschemafiler @@ -7111,7 +7264,7 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Ending - Slut + Avslut @@ -7119,4 +7272,17 @@ Teckenkodningen ansvarar för rätt teckenrepresentation. Övrigt + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + Fel vid läsning från CSV-fil. + + + + File not valid ZionWorx CSV format. + Filen är inte i giltigt ZionWorx CSV-format. + + diff --git a/resources/i18n/zh_CN.ts b/resources/i18n/zh_CN.ts index 5916a036c..6b2d14210 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,510 +150,510 @@ Do you want to continue anyway? 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. - + &Upgrade older Bibles - + Upgrade the Bible databases to the latest format. - + Genesis - + Exodus - + Leviticus - + Numbers - + Deuteronomy - + Joshua - + Judges - + Ruth - + 1 Samuel - + 2 Samuel - + 1 Kings - + 2 Kings - + 1 Chronicles - + 2 Chronicles - + Ezra - + Nehemiah - + Esther - + Job - + Psalms - + Proverbs - + Ecclesiastes - + Song of Solomon - + Isaiah - + Jeremiah - + Lamentations - + Ezekiel - + Daniel - + Hosea - + Joel - + Amos - + Obadiah - + Jonah - + Micah - + Nahum - + Habakkuk - + Zephaniah - + Haggai - + Zechariah - + Malachi - + Matthew - + Mark - + Luke - + John - + Acts - + Romans - + 1 Corinthians - + 2 Corinthians - + Galatians - + Ephesians - + Philippians - + Colossians - + 1 Thessalonians - + 2 Thessalonians - + 1 Timothy - + 2 Timothy - + Titus - + Philemon - + Hebrews - + James - + 1 Peter - + 2 Peter - + 1 John - + 2 John - + 3 John - + Jude - + Revelation - + Judith - + Wisdom - + Tobit - + Sirach - + Baruch - + 1 Maccabees - + 2 Maccabees - + 3 Maccabees - + 4 Maccabees - + Rest of Daniel - + Rest of Esther - + Prayer of Manasses - + Letter of Jeremiah - + Prayer of Azariah - + Susanna - + Bel - + 1 Esdras - + 2 Esdras - + :|v|V|verse|verses;;-|to;;,|and;;end Double-semicolon delimited separators for parsing references. Consult the developers for further information. @@ -707,38 +707,38 @@ be followed by one or more non-numeric characters. BiblesPlugin.BibleManager - + Scripture Reference Error - + 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. - + There are no Bibles currently installed. Please use the Import Wizard to install one or more Bibles. - + No Bibles Available - + Your scripture reference is either not supported by OpenLP or is invalid. Please make sure your reference conforms to one of the following patterns or consult the manual: Book Chapter @@ -754,127 +754,127 @@ Book Chapter%(verse)sVerse%(range)sChapter%(verse)sVerse 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 - + Custom Scripture References - + Verse Separator: - + Range Separator: - + List Separator: - + End Mark: - + Multiple alternative verse separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative range separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative list separators may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + Multiple alternative end marks may be defined. They have to be separated by a vertical bar "|". Please clear this edit line to use the default value. - + English 中国 - + Default Bible Language - + Book name language in search field, search results and on display: - + Bible Language - + Application Language @@ -886,11 +886,6 @@ search results and on display: Select Book Name - - - The following book name cannot be matched up internally. Please select the corresponding English name from the list. - - Current name: @@ -921,11 +916,16 @@ search results and on display: Apocrypha + + + The following book name cannot be matched up internally. Please select the corresponding name from the list. + + BiblesPlugin.BookNameForm - + You need to select a book. @@ -1021,38 +1021,38 @@ It is not possible to customize the Book Names. 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. @@ -1060,167 +1060,167 @@ It is not possible to customize the Book Names. 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 - + Location: - + Crosswalk - + BibleGateway - + Bible: - + Download Options - + Server: - + Username: - + Password: - + Proxy Server (Optional) - + 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 - + Bibleserver - + Permissions: - + Bible file: - + Books file: - + Verses 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. @@ -1255,92 +1255,92 @@ demand and thus an internet connection is required. 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. - + Search Scripture Reference... - + Search Text... - + Are you sure you want to delete "%s"? @@ -1348,7 +1348,7 @@ demand and thus an internet connection is required. BiblesPlugin.Opensong - + Importing %s %s... Importing <book name> <chapter>... @@ -1357,12 +1357,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>... @@ -1371,143 +1371,143 @@ demand and thus an internet connection is required. 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. - + 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 - + 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" 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. - + You need to specify a backup directory for your Bibles. - + Starting upgrade... - + There are no Bibles that need to be upgraded. @@ -1581,12 +1581,12 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.CustomTab - + Custom Display - + Display footer @@ -1657,7 +1657,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I CustomPlugin.MediaItem - + Are you sure you want to delete the %n selected custom slide(s)? @@ -1667,60 +1667,60 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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. @@ -1728,7 +1728,7 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I ImagePlugin.ExceptionDialog - + Select Attachment @@ -1736,43 +1736,43 @@ Please note that verses from Web Bibles will be downloaded on demand and so an I 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 - + The following image(s) no longer exist: %s Do you want to add the other images anyway? - + There was a problem replacing your background, the image file "%s" no longer exists. - + There was no display item to amend. @@ -1780,17 +1780,17 @@ Do you want to add the other images anyway? ImagesPlugin.ImageTab - + Background Color - + Default Color: - + Visible background for images with aspect ratio different to screen. @@ -1798,60 +1798,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 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. @@ -1899,7 +1899,7 @@ Do you want to add the other images anyway? - + Unsupported File @@ -1917,22 +1917,22 @@ Do you want to add the other images anyway? MediaPlugin.MediaTab - + Available Media Players - + %s (unavailable) - + Player Order - + Allow media player to be overridden @@ -1940,7 +1940,7 @@ Do you want to add the other images anyway? OpenLP - + Image Files @@ -2075,192 +2075,274 @@ Portions copyright © 2004-2012 %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. - + Service %Y-%m-%d %H-%M This may not contain any of the following characters: /\?*|<>[]":+ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for more information. - + Default Service Name - + Enable default service name - + Date and Time: - + Monday - + Tuesday - + Wednesday - + Thurdsday - + Friday - + Saturday - + Sunday - + Now - + Time when usual service starts. - + Name: - + Consult the OpenLP manual for usage. - + Revert to the default service name "%s". - + Example: - + X11 - + Bypass X11 Window Manager - + Syntax error. + + + Data Location + + + + + Current path: + + + + + Custom path: + + + + + Browse for new data file location. + + + + + Set the data location to the default. + + + + + Cancel + + + + + Cancel OpenLP data directory location change. + + + + + Copy data to new location. + + + + + Copy the OpenLP data files to the new location. + + + + + <strong>WARNING:</strong> New data directory location contains OpenLP data files. These files WILL be replaced during a copy. + + + + + Data Directory Error + + + + + Select Data Directory Location + + + + + Confirm Data Directory Change + + + + + Reset Data Directory + + + + + Are you sure you want to change the location of the OpenLP data directory to the default location? + +This location will be used after OpenLP is closed. + + + + + Overwrite Existing Data + + OpenLP.ExceptionDialog @@ -2296,7 +2378,7 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for - + Description characters to enter : %s @@ -2304,23 +2386,23 @@ See http://docs.python.org/library/datetime.html#strftime-strptime-behavior for OpenLP.ExceptionForm - + Platform: %s - + Save Crash Report - + Text files (*.txt *.log *.text) - + **OpenLP Bug Report** Version: %s @@ -2338,7 +2420,7 @@ Version: %s - + *OpenLP Bug Report* Version: %s @@ -2461,17 +2543,17 @@ Version: %s - + Downloading %s... - + Download complete. Click the finish button to start OpenLP. - + Enabling selected plugins... @@ -2541,32 +2623,32 @@ Version: %s - + Setting Up And Downloading - + Please wait while OpenLP is set up and your data is downloaded. - + Setting Up - + Click the finish button to start OpenLP. - + Download complete. Click the finish button to return to OpenLP. - + Click the finish button to return to OpenLP. @@ -2651,32 +2733,32 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTagForm - + Update Error - + Tag "n" already defined. - + New Tag - + <HTML here> - + </and here> - + Tag %s already defined. @@ -2684,82 +2766,82 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.FormattingTags - + Red - + Black - + Blue - + Yellow - + Green - + Pink - + Orange - + Purple - + White - + Superscript - + Subscript - + Paragraph - + Bold - + Italics - + Underline - + Break @@ -2767,157 +2849,157 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can 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 - + SongSelect username: - + SongSelect password: - + X - + Y - + Height - + Width - + Check for updates to OpenLP - + Unblank display when adding new live item - + Timed slide interval: - + Background Audio - + Start background audio paused - + Service Item Slide Limits - + Override display position: - + Repeat track list - + Behavior of next/previous on the last/first slide: - + &Remain on Slide - + &Wrap around - + &Move to next/previous service item @@ -2925,12 +3007,12 @@ To cancel the First Time Wizard completely (and not start OpenLP), click the Can OpenLP.LanguageManager - + Language - + Please restart OpenLP to use your new language setting. @@ -2946,438 +3028,438 @@ To cancel the First Time Wizard completely (and not start OpenLP), click 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 - + English Please add the name of your language here 中国 - + 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. @@ -3386,52 +3468,57 @@ 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) + + + New Data Directory Error + + 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 @@ -3441,73 +3528,73 @@ Database: %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. - + You must select one or more items to add. - + No Search Results - + Invalid File Type - + Invalid File %s. Suffix not supported - + &Clone - + Duplicate files were found on import and were ignored. @@ -3515,12 +3602,12 @@ Suffix not supported OpenLP.OpenLyricsImportError - + <lyrics> tag is missing. - + <verse> tag is missing. @@ -3662,12 +3749,12 @@ Suffix not supported OpenLP.ScreenList - + Screen - + primary @@ -3675,12 +3762,12 @@ Suffix not supported OpenLP.ServiceItem - + <strong>Start</strong>: %s - + <strong>Length</strong>: %s @@ -3696,276 +3783,281 @@ Suffix not supported 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) - + 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 - + &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. - + Service File Missing - + Slide theme - + Notes - + Edit - + Service copy only + + + Error Saving File + + + + + There was an error saving your file. + + OpenLP.ServiceNoteForm @@ -3996,12 +4088,12 @@ The content encoding is not UTF-8. - + Duplicate Shortcut - + The shortcut "%s" is already assigned to another action, please use a different shortcut. @@ -4036,12 +4128,12 @@ The content encoding is not UTF-8. - + Restore Default Shortcuts - + Do you want to restore all shortcuts to their defaults? @@ -4054,172 +4146,172 @@ The content encoding is not UTF-8. 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" - + Previous Slide - + Next Slide - + Pause Audio - + Background Audio - + Go to next audio track. - + Tracks @@ -4313,32 +4405,32 @@ The content encoding is not UTF-8. 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) @@ -4346,193 +4438,193 @@ The content encoding is not UTF-8. 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) - + 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. - + &Copy Theme - + &Rename Theme - + &Export Theme - + You must select a theme to rename. - + Rename Confirmation - + Rename %s theme? - + 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) - + Copy of %s Copy of <theme name> - + Theme Already Exists @@ -4760,7 +4852,7 @@ The content encoding is not UTF-8. - + Edit Theme - %s @@ -4813,47 +4905,47 @@ The content encoding is not UTF-8. 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 @@ -4937,245 +5029,245 @@ The content encoding is not UTF-8. - + 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 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 - + 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"... - + 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 @@ -5185,7 +5277,7 @@ The content encoding is not UTF-8. - + Welcome to the Song Import Wizard @@ -5273,53 +5365,53 @@ The content encoding is not UTF-8. - + Layout style: - + Live Toolbar - + m The abbreviated unit for minutes - + OpenLP is already running. Do you wish to continue? - + Settings - + Tools - + Unsupported File - + Verse Per Slide - + Verse Per Line - + View @@ -5334,37 +5426,37 @@ The content encoding is not UTF-8. - + View Mode - + Open service. - + Print Service - + Replace live background. - + Reset live background. - + Split a slide into two only if it does not fit on the screen as one slide. - + Welcome to the Bible Upgrade Wizard @@ -5374,64 +5466,105 @@ The content encoding is not UTF-8. - + Play Slides in Loop - + Play Slides to End - + Stop Play Slides in Loop - + Stop Play Slides to End - + Next Track - + Search Themes... Search bar place holder text - + Optional &Split + + + Invalid Folder Selected + Singular + + + + + Invalid File Selected + Singular + + + + + Invalid Files Selected + Plural + + + + + No Folder Selected + Singular + + + + + Open %s Folder + + + + + You need to specify one %s file to import from. + A file type e.g. OpenSong + + + + + You need to specify one %s folder to import from. + A song format e.g. PowerSong + + OpenLP.core.lib - + %1 and %2 Locale list separator: 2 items - + %1, and %2 Locale list separator: end - + %1, %2 Locale list separator: middle - + %1, %2 Locale list separator: start @@ -5440,50 +5573,50 @@ The content encoding is not UTF-8. 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. @@ -5491,70 +5624,70 @@ The content encoding is not UTF-8. 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) - + Missing Presentation - - The Presentation %s no longer exists. + + The presentation %s is incomplete, please reload. - - The Presentation %s is incomplete, please reload. + + The presentation %s no longer exists. PresentationPlugin.PresentationTab - + Available Controllers - + %s (unavailable) - + Allow presentation application to be overridden @@ -5588,107 +5721,107 @@ The content encoding is not UTF-8. RemotePlugin.Mobile - + OpenLP 2.0 Remote - + OpenLP 2.0 Stage View - + Service Manager - + Slide Controller - + Alerts - + Search - + Refresh - + Blank - + Show - + Prev - + Next - + Text - + Show Alert - + Go Live - + No Results - + Options - + Add to Service - + Home - + Theme - + Desktop - + Add &amp; Go to Service @@ -5696,42 +5829,42 @@ The content encoding is not UTF-8. RemotePlugin.RemoteTab - + Serve on IP address: - + Port number: - + Server Settings - + Remote URL: - + Stage view URL: - + Display stage time in 12h format - + Android App - + Scan the QR code or click <a href="https://market.android.com/details?id=org.openlp.android">download</a> to install the Android app from the Market. @@ -5739,85 +5872,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 @@ -5878,34 +6011,34 @@ The content encoding is not UTF-8. - + 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. @@ -5943,107 +6076,107 @@ has been successfully created. - + 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 @@ -6054,32 +6187,32 @@ The encoding is responsible for the correct character representation. - + 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. @@ -6107,17 +6240,17 @@ The encoding is responsible for the correct character representation. - + 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? @@ -6256,72 +6389,72 @@ 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. - + The verse order is invalid. There is no verse corresponding to %s. Valid entries are %s. - + Add Book - + This song book does not exist, do you want to add it? - + You need to have an author for this song. @@ -6351,7 +6484,7 @@ The encoding is responsible for the correct character representation. - + Open File(s) @@ -6361,7 +6494,7 @@ The encoding is responsible for the correct character representation. - + The verse order is invalid. There are no verses corresponding to %s. Valid entries are %s. @@ -6475,135 +6608,140 @@ The encoding is responsible for the correct character representation. 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 - + CCLI SongSelect Files - + EasySlides XML File - + EasyWorship Song Database + + + DreamBeam Song Files + + + + + You need to specify a valid PowerSong 1.0 database folder. + + + + + ZionWorx (CSV) + + + + + First convert your ZionWorx database to a CSV text file, as explained in the <a href="http://manual.openlp.org/songs.html#importing-from-zionworx">User Manual</a>. + + SongsPlugin.MediaFilesForm @@ -6621,22 +6759,22 @@ The encoding is responsible for the correct character representation. SongsPlugin.MediaItem - + Titles - + Lyrics - + CCLI License: - + Entire Song @@ -6648,7 +6786,7 @@ The encoding is responsible for the correct character representation. - + Maintain the lists of authors, topics and books. @@ -6659,27 +6797,27 @@ The encoding is responsible for the correct character representation. - + Search Titles... - + Search Entire Song... - + Search Lyrics... - + Search Authors... - + Search Song Books... @@ -6708,6 +6846,19 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.PowerSongImport + + + No songs to import. + + + + + Verses not found. Missing "PART" header. + + + SongsPlugin.SongBookForm @@ -6747,12 +6898,12 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongImport - + copyright - + The following songs could not be imported: @@ -6772,118 +6923,110 @@ The encoding is responsible for the correct character representation. - - 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? - + The topic %s already exists. Would you like to make songs with topic %s use the existing topic %s? - + The book %s already exists. Would you like to make songs with book %s use the existing book %s? @@ -6891,27 +7034,27 @@ The encoding is responsible for the correct character representation. SongsPlugin.SongsTab - + Songs Mode - + Enable search as you type - + Display verses on live tool bar - + Update service from song edit - + Import missing songs from service files @@ -6972,4 +7115,17 @@ The encoding is responsible for the correct character representation. + + SongsPlugin.ZionWorxImport + + + Error reading CSV file. + + + + + File not valid ZionWorx CSV format. + + + From 4510fdbede5b0d9344d50ab381f6cce20f6eb16c Mon Sep 17 00:00:00 2001 From: Samuel Findlay Date: Sat, 23 Jun 2012 00:14:53 +1000 Subject: [PATCH 10/13] Added three names in Copyright headers and About window (Samuel Findlay, Edwin Lunando, Dave Warnock). Fixed consistency issues. --- copyright.txt | 9 ++--- openlp.pyw | 9 ++--- openlp/__init__.py | 9 ++--- openlp/core/__init__.py | 9 ++--- openlp/core/lib/__init__.py | 9 ++--- openlp/core/lib/db.py | 9 ++--- openlp/core/lib/dockwidget.py | 9 ++--- openlp/core/lib/eventreceiver.py | 9 ++--- openlp/core/lib/formattingtags.py | 9 ++--- openlp/core/lib/htmlbuilder.py | 9 ++--- openlp/core/lib/imagemanager.py | 9 ++--- openlp/core/lib/listwidgetwithdnd.py | 9 ++--- openlp/core/lib/mediamanageritem.py | 9 ++--- openlp/core/lib/mediaplayer.py | 9 ++--- openlp/core/lib/plugin.py | 9 ++--- openlp/core/lib/pluginmanager.py | 9 ++--- openlp/core/lib/renderer.py | 9 ++--- openlp/core/lib/searchedit.py | 9 ++--- openlp/core/lib/serviceitem.py | 9 ++--- openlp/core/lib/settings.py | 9 ++--- openlp/core/lib/settingsmanager.py | 9 ++--- openlp/core/lib/settingstab.py | 9 ++--- openlp/core/lib/spelltextedit.py | 9 ++--- openlp/core/lib/theme.py | 9 ++--- openlp/core/lib/toolbar.py | 9 ++--- openlp/core/lib/ui.py | 9 ++--- openlp/core/theme/__init__.py | 9 ++--- openlp/core/theme/theme.py | 9 ++--- openlp/core/ui/__init__.py | 9 ++--- openlp/core/ui/aboutdialog.py | 34 ++++++++++--------- openlp/core/ui/aboutform.py | 9 ++--- openlp/core/ui/advancedtab.py | 9 ++--- openlp/core/ui/exceptiondialog.py | 9 ++--- openlp/core/ui/exceptionform.py | 9 ++--- openlp/core/ui/filerenamedialog.py | 9 ++--- openlp/core/ui/filerenameform.py | 9 ++--- openlp/core/ui/firsttimeform.py | 9 ++--- openlp/core/ui/firsttimelanguagedialog.py | 9 ++--- openlp/core/ui/firsttimelanguageform.py | 9 ++--- openlp/core/ui/firsttimewizard.py | 9 ++--- openlp/core/ui/formattingtagdialog.py | 9 ++--- openlp/core/ui/formattingtagform.py | 9 ++--- openlp/core/ui/generaltab.py | 9 ++--- openlp/core/ui/maindisplay.py | 9 ++--- openlp/core/ui/mainwindow.py | 9 ++--- openlp/core/ui/media/__init__.py | 9 ++--- openlp/core/ui/media/mediacontroller.py | 9 ++--- openlp/core/ui/media/phononplayer.py | 9 ++--- openlp/core/ui/media/vlcplayer.py | 9 ++--- openlp/core/ui/media/webkitplayer.py | 9 ++--- openlp/core/ui/mediadockmanager.py | 9 ++--- openlp/core/ui/plugindialog.py | 9 ++--- openlp/core/ui/pluginform.py | 9 ++--- openlp/core/ui/printservicedialog.py | 9 ++--- openlp/core/ui/printserviceform.py | 9 ++--- openlp/core/ui/screen.py | 9 ++--- openlp/core/ui/serviceitemeditdialog.py | 9 ++--- openlp/core/ui/serviceitemeditform.py | 9 ++--- openlp/core/ui/servicemanager.py | 9 ++--- openlp/core/ui/servicenoteform.py | 9 ++--- openlp/core/ui/settingsdialog.py | 9 ++--- openlp/core/ui/settingsform.py | 9 ++--- openlp/core/ui/shortcutlistdialog.py | 9 ++--- openlp/core/ui/shortcutlistform.py | 9 ++--- openlp/core/ui/slidecontroller.py | 9 ++--- openlp/core/ui/splashscreen.py | 9 ++--- openlp/core/ui/starttimedialog.py | 9 ++--- openlp/core/ui/starttimeform.py | 9 ++--- openlp/core/ui/themeform.py | 9 ++--- openlp/core/ui/themelayoutdialog.py | 9 ++--- openlp/core/ui/themelayoutform.py | 9 ++--- openlp/core/ui/thememanager.py | 9 ++--- openlp/core/ui/themestab.py | 9 ++--- openlp/core/ui/themewizard.py | 9 ++--- openlp/core/ui/wizard.py | 9 ++--- openlp/core/utils/__init__.py | 9 ++--- openlp/core/utils/actions.py | 9 ++--- openlp/core/utils/languagemanager.py | 9 ++--- openlp/plugins/__init__.py | 9 ++--- openlp/plugins/alerts/__init__.py | 9 ++--- openlp/plugins/alerts/alertsplugin.py | 9 ++--- openlp/plugins/alerts/forms/__init__.py | 9 ++--- openlp/plugins/alerts/forms/alertdialog.py | 9 ++--- openlp/plugins/alerts/forms/alertform.py | 9 ++--- openlp/plugins/alerts/lib/__init__.py | 9 ++--- openlp/plugins/alerts/lib/alertsmanager.py | 9 ++--- openlp/plugins/alerts/lib/alertstab.py | 9 ++--- openlp/plugins/alerts/lib/db.py | 9 ++--- openlp/plugins/bibles/__init__.py | 9 ++--- openlp/plugins/bibles/bibleplugin.py | 9 ++--- openlp/plugins/bibles/forms/__init__.py | 9 ++--- .../plugins/bibles/forms/bibleimportform.py | 9 ++--- .../plugins/bibles/forms/bibleupgradeform.py | 8 +++-- openlp/plugins/bibles/forms/booknamedialog.py | 10 +++--- openlp/plugins/bibles/forms/booknameform.py | 10 +++--- .../plugins/bibles/forms/editbibledialog.py | 9 ++--- openlp/plugins/bibles/forms/editbibleform.py | 9 ++--- openlp/plugins/bibles/forms/languagedialog.py | 10 +++--- openlp/plugins/bibles/forms/languageform.py | 10 +++--- openlp/plugins/bibles/lib/__init__.py | 9 ++--- openlp/plugins/bibles/lib/biblestab.py | 9 ++--- openlp/plugins/bibles/lib/csvbible.py | 9 ++--- openlp/plugins/bibles/lib/db.py | 9 ++--- openlp/plugins/bibles/lib/http.py | 9 ++--- openlp/plugins/bibles/lib/manager.py | 9 ++--- openlp/plugins/bibles/lib/mediaitem.py | 9 ++--- openlp/plugins/bibles/lib/openlp1.py | 9 ++--- openlp/plugins/bibles/lib/opensong.py | 9 ++--- openlp/plugins/bibles/lib/osis.py | 9 ++--- openlp/plugins/bibles/lib/upgrade.py | 9 ++--- .../plugins/bibles/lib/versereferencelist.py | 9 ++--- openlp/plugins/custom/__init__.py | 9 ++--- openlp/plugins/custom/customplugin.py | 9 ++--- openlp/plugins/custom/forms/__init__.py | 9 ++--- .../plugins/custom/forms/editcustomdialog.py | 9 ++--- openlp/plugins/custom/forms/editcustomform.py | 9 ++--- .../custom/forms/editcustomslidedialog.py | 9 ++--- .../custom/forms/editcustomslideform.py | 9 ++--- openlp/plugins/custom/lib/__init__.py | 9 ++--- openlp/plugins/custom/lib/customtab.py | 9 ++--- openlp/plugins/custom/lib/customxmlhandler.py | 9 ++--- openlp/plugins/custom/lib/db.py | 9 ++--- openlp/plugins/custom/lib/mediaitem.py | 9 ++--- openlp/plugins/images/__init__.py | 9 ++--- openlp/plugins/images/imageplugin.py | 9 ++--- openlp/plugins/images/lib/__init__.py | 9 ++--- openlp/plugins/images/lib/imagetab.py | 9 ++--- openlp/plugins/images/lib/mediaitem.py | 9 ++--- openlp/plugins/media/__init__.py | 9 ++--- openlp/plugins/media/lib/__init__.py | 9 ++--- openlp/plugins/media/lib/mediaitem.py | 9 ++--- openlp/plugins/media/lib/mediatab.py | 9 ++--- openlp/plugins/media/mediaplugin.py | 9 ++--- openlp/plugins/presentations/__init__.py | 9 ++--- openlp/plugins/presentations/lib/__init__.py | 9 ++--- .../presentations/lib/impresscontroller.py | 9 ++--- openlp/plugins/presentations/lib/mediaitem.py | 9 ++--- .../presentations/lib/messagelistener.py | 9 ++--- .../presentations/lib/powerpointcontroller.py | 9 ++--- .../presentations/lib/pptviewcontroller.py | 9 ++--- .../presentations/lib/pptviewlib/ppttest.py | 9 ++--- .../lib/pptviewlib/pptviewlib.cpp | 8 +++-- .../presentations/lib/pptviewlib/pptviewlib.h | 8 +++-- .../lib/presentationcontroller.py | 9 ++--- .../presentations/lib/presentationtab.py | 9 ++--- .../presentations/presentationplugin.py | 9 ++--- openlp/plugins/remotes/__init__.py | 9 ++--- openlp/plugins/remotes/html/index.html | 9 ++--- openlp/plugins/remotes/html/openlp.css | 9 ++--- openlp/plugins/remotes/html/openlp.js | 9 ++--- openlp/plugins/remotes/html/stage.css | 9 ++--- openlp/plugins/remotes/html/stage.html | 9 ++--- openlp/plugins/remotes/html/stage.js | 9 ++--- openlp/plugins/remotes/lib/__init__.py | 9 ++--- openlp/plugins/remotes/lib/httpserver.py | 9 ++--- openlp/plugins/remotes/lib/remotetab.py | 9 ++--- openlp/plugins/remotes/remoteplugin.py | 9 ++--- openlp/plugins/songs/__init__.py | 9 ++--- openlp/plugins/songs/forms/__init__.py | 9 ++--- openlp/plugins/songs/forms/authorsdialog.py | 9 ++--- openlp/plugins/songs/forms/authorsform.py | 9 ++--- openlp/plugins/songs/forms/editsongdialog.py | 9 ++--- openlp/plugins/songs/forms/editsongform.py | 9 ++--- openlp/plugins/songs/forms/editversedialog.py | 9 ++--- openlp/plugins/songs/forms/editverseform.py | 9 ++--- .../plugins/songs/forms/mediafilesdialog.py | 9 ++--- openlp/plugins/songs/forms/mediafilesform.py | 9 ++--- openlp/plugins/songs/forms/songbookdialog.py | 9 ++--- openlp/plugins/songs/forms/songbookform.py | 9 ++--- openlp/plugins/songs/forms/songexportform.py | 9 ++--- openlp/plugins/songs/forms/songimportform.py | 9 ++--- .../songs/forms/songmaintenancedialog.py | 9 ++--- .../songs/forms/songmaintenanceform.py | 9 ++--- openlp/plugins/songs/forms/topicsdialog.py | 9 ++--- openlp/plugins/songs/forms/topicsform.py | 9 ++--- openlp/plugins/songs/lib/__init__.py | 9 ++--- openlp/plugins/songs/lib/cclifileimport.py | 9 ++--- openlp/plugins/songs/lib/db.py | 9 ++--- openlp/plugins/songs/lib/dreambeamimport.py | 9 ++--- openlp/plugins/songs/lib/easyslidesimport.py | 9 ++--- openlp/plugins/songs/lib/ewimport.py | 9 ++--- .../plugins/songs/lib/foilpresenterimport.py | 9 ++--- openlp/plugins/songs/lib/importer.py | 9 ++--- openlp/plugins/songs/lib/mediaitem.py | 9 ++--- openlp/plugins/songs/lib/olp1import.py | 9 ++--- openlp/plugins/songs/lib/olpimport.py | 9 ++--- openlp/plugins/songs/lib/oooimport.py | 9 ++--- openlp/plugins/songs/lib/openlyricsexport.py | 9 ++--- openlp/plugins/songs/lib/openlyricsimport.py | 9 ++--- openlp/plugins/songs/lib/opensongimport.py | 9 ++--- openlp/plugins/songs/lib/powersongimport.py | 9 ++--- openlp/plugins/songs/lib/sofimport.py | 9 ++--- openlp/plugins/songs/lib/songbeamerimport.py | 9 ++--- openlp/plugins/songs/lib/songimport.py | 9 ++--- .../plugins/songs/lib/songshowplusimport.py | 9 ++--- openlp/plugins/songs/lib/songstab.py | 9 ++--- .../songs/lib/test/test_import_file.py | 9 ++--- .../songs/lib/test/test_importing_lots.py | 9 ++--- .../songs/lib/test/test_opensongimport.py | 9 ++--- openlp/plugins/songs/lib/ui.py | 9 ++--- openlp/plugins/songs/lib/upgrade.py | 9 ++--- openlp/plugins/songs/lib/wowimport.py | 9 ++--- openlp/plugins/songs/lib/xml.py | 9 ++--- openlp/plugins/songs/lib/zionworximport.py | 9 ++--- openlp/plugins/songs/songsplugin.py | 9 ++--- openlp/plugins/songusage/__init__.py | 9 ++--- openlp/plugins/songusage/forms/__init__.py | 9 ++--- .../songusage/forms/songusagedeletedialog.py | 9 ++--- .../songusage/forms/songusagedeleteform.py | 9 ++--- .../songusage/forms/songusagedetaildialog.py | 9 ++--- .../songusage/forms/songusagedetailform.py | 9 ++--- openlp/plugins/songusage/lib/__init__.py | 9 ++--- openlp/plugins/songusage/lib/db.py | 9 ++--- openlp/plugins/songusage/lib/upgrade.py | 9 ++--- openlp/plugins/songusage/songusageplugin.py | 9 ++--- .../pyinstaller/hook-openlp.core.ui.media.py | 9 ++--- ...lugins.presentations.presentationplugin.py | 9 ++--- resources/pyinstaller/hook-openlp.py | 9 ++--- scripts/check_dependencies.py | 9 ++--- scripts/generate_resources.sh | 9 ++--- scripts/openlp-remoteclient.py | 9 ++--- scripts/translation_utils.py | 9 ++--- setup.py | 9 ++--- testing/conftest.py | 9 ++--- testing/run.py | 9 ++--- testing/test_app.py | 9 ++--- 226 files changed, 1147 insertions(+), 913 deletions(-) diff --git a/copyright.txt b/copyright.txt index b8385cc89..2b3f1fe69 100644 --- a/copyright.txt +++ b/copyright.txt @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp.pyw b/openlp.pyw index 8d5c90957..3e5d18f16 100755 --- a/openlp.pyw +++ b/openlp.pyw @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/__init__.py b/openlp/__init__.py index c0e8a73dc..8b3a5dbc3 100644 --- a/openlp/__init__.py +++ b/openlp/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/__init__.py b/openlp/core/__init__.py index b4da78e83..17d95547b 100644 --- a/openlp/core/__init__.py +++ b/openlp/core/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/__init__.py b/openlp/core/lib/__init__.py index 9af8debb8..529cf1358 100644 --- a/openlp/core/lib/__init__.py +++ b/openlp/core/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/db.py b/openlp/core/lib/db.py index 28d6f8b92..925d383e4 100644 --- a/openlp/core/lib/db.py +++ b/openlp/core/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/dockwidget.py b/openlp/core/lib/dockwidget.py index 23ce9efcb..519b8f92c 100644 --- a/openlp/core/lib/dockwidget.py +++ b/openlp/core/lib/dockwidget.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/eventreceiver.py b/openlp/core/lib/eventreceiver.py index 91149d62c..da6f2f24a 100644 --- a/openlp/core/lib/eventreceiver.py +++ b/openlp/core/lib/eventreceiver.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/formattingtags.py b/openlp/core/lib/formattingtags.py index 4ac1509fc..4e418f867 100644 --- a/openlp/core/lib/formattingtags.py +++ b/openlp/core/lib/formattingtags.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/htmlbuilder.py b/openlp/core/lib/htmlbuilder.py index 1181771a9..b36401fc4 100644 --- a/openlp/core/lib/htmlbuilder.py +++ b/openlp/core/lib/htmlbuilder.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/imagemanager.py b/openlp/core/lib/imagemanager.py index 1e2a3a698..42cdf87ac 100644 --- a/openlp/core/lib/imagemanager.py +++ b/openlp/core/lib/imagemanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/listwidgetwithdnd.py b/openlp/core/lib/listwidgetwithdnd.py index 9e9787914..c2d9c1ed4 100644 --- a/openlp/core/lib/listwidgetwithdnd.py +++ b/openlp/core/lib/listwidgetwithdnd.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/mediamanageritem.py b/openlp/core/lib/mediamanageritem.py index 09e8ade15..e6c5b0599 100644 --- a/openlp/core/lib/mediamanageritem.py +++ b/openlp/core/lib/mediamanageritem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/mediaplayer.py b/openlp/core/lib/mediaplayer.py index 39b0cb16c..75f2c71d3 100644 --- a/openlp/core/lib/mediaplayer.py +++ b/openlp/core/lib/mediaplayer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/plugin.py b/openlp/core/lib/plugin.py index 7a34626ad..eb3db3650 100644 --- a/openlp/core/lib/plugin.py +++ b/openlp/core/lib/plugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/pluginmanager.py b/openlp/core/lib/pluginmanager.py index 084d567a0..8899f5846 100644 --- a/openlp/core/lib/pluginmanager.py +++ b/openlp/core/lib/pluginmanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/renderer.py b/openlp/core/lib/renderer.py index e35c78559..9ccaf4cab 100644 --- a/openlp/core/lib/renderer.py +++ b/openlp/core/lib/renderer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/searchedit.py b/openlp/core/lib/searchedit.py index a885e1ecd..742f51084 100644 --- a/openlp/core/lib/searchedit.py +++ b/openlp/core/lib/searchedit.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/serviceitem.py b/openlp/core/lib/serviceitem.py index 1e9555eb9..c2b775344 100644 --- a/openlp/core/lib/serviceitem.py +++ b/openlp/core/lib/serviceitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/settings.py b/openlp/core/lib/settings.py index 5f012c0d1..6d144cf53 100644 --- a/openlp/core/lib/settings.py +++ b/openlp/core/lib/settings.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/settingsmanager.py b/openlp/core/lib/settingsmanager.py index 245b98ef8..619078e46 100644 --- a/openlp/core/lib/settingsmanager.py +++ b/openlp/core/lib/settingsmanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/settingstab.py b/openlp/core/lib/settingstab.py index c5ca8dca5..27aef98cd 100644 --- a/openlp/core/lib/settingstab.py +++ b/openlp/core/lib/settingstab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/spelltextedit.py b/openlp/core/lib/spelltextedit.py index 310c219b5..840365ecc 100644 --- a/openlp/core/lib/spelltextedit.py +++ b/openlp/core/lib/spelltextedit.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/theme.py b/openlp/core/lib/theme.py index 686de4c6c..78e1bf358 100644 --- a/openlp/core/lib/theme.py +++ b/openlp/core/lib/theme.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/toolbar.py b/openlp/core/lib/toolbar.py index 44df193e1..d3ea137f8 100644 --- a/openlp/core/lib/toolbar.py +++ b/openlp/core/lib/toolbar.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/lib/ui.py b/openlp/core/lib/ui.py index 9707886a9..e9638a58b 100644 --- a/openlp/core/lib/ui.py +++ b/openlp/core/lib/ui.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/theme/__init__.py b/openlp/core/theme/__init__.py index 76223d78a..e033fbf87 100644 --- a/openlp/core/theme/__init__.py +++ b/openlp/core/theme/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/theme/theme.py b/openlp/core/theme/theme.py index a77ab0c54..db9356666 100644 --- a/openlp/core/theme/theme.py +++ b/openlp/core/theme/theme.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/__init__.py b/openlp/core/ui/__init__.py index e9c593337..adcd669ed 100644 --- a/openlp/core/ui/__init__.py +++ b/openlp/core/ui/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/aboutdialog.py b/openlp/core/ui/aboutdialog.py index 211bdfb0a..85db72b25 100644 --- a/openlp/core/ui/aboutdialog.py +++ b/openlp/core/ui/aboutdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # @@ -105,13 +106,14 @@ class Ui_AboutDialog(object): u'Andreas "googol" Preikschat', u'Raoul "superfly" Snyman', u'Martin "mijiti" Thompson', u'Jon "Meths" Tibble'] contributors = [u'Gerald "jerryb" Britton', - u'Scott "sguerrieri" Guerrieri', + u'Samuel "MrGamgee" Findlay', u'Scott "sguerrieri" Guerrieri', u'Matthias "matthub" Hub', u'Meinert "m2j" Jordan', - u'Armin "orangeshirt" K\xf6hler', u'Joshua "milleja46" Miller', - u'Stevan "ElderP" Pettit', u'Mattias "mahfiaz" P\xf5ldaru', - u'Christian "crichter" Richter', u'Philip "Phill" Ridout', - u'Simon "samscudder" Scudder', u'Jeffrey "whydoubt" Smith', - u'Maikel Stuivenberg', u'Frode "frodus" Woldsund'] + u'Armin "orangeshirt" K\xf6hler', u'Edwin "edwinlunando" Lunando', + u'Joshua "milleja46" Miller', u'Stevan "ElderP" Pettit', + u'Mattias "mahfiaz" P\xf5ldaru', u'Christian "crichter" Richter', + u'Philip "Phill" Ridout', u'Simon "samscudder" Scudder', + u'Jeffrey "whydoubt" Smith', u'Maikel Stuivenberg', + u'Dave "Dave42W" Warnock', u'Frode "frodus" Woldsund'] testers = [u'Philip "Phill" Ridout', u'Wesley "wrst" Stout', u'John "jseagull1" Cegalis (lead)'] packagers = ['Thomas "tabthorpe" Abthorpe (FreeBSD)', @@ -221,12 +223,12 @@ class Ui_AboutDialog(object): copyright = unicode(translate('OpenLP.AboutForm', 'Copyright \xa9 2004-2012 %s\n' 'Portions copyright \xa9 2004-2012 %s')) % (u'Raoul Snyman', - u'Tim Bentley, Jonathan Corwin, Michael Gorven, Gerald Britton, ' - u'Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin K\xf6hler, ' - u'Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias ' - u'P\xf5ldaru, Christian Richter, Philip Ridout, Simon Scudder, ' - u'Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, ' - u'Frode Woldsund') + u'Tim Bentley, Gerald Britton, Jonathan Corwin, Samuel Findlay, ' + u'Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, ' + u'Armin K\xf6hler, Edwin Lunando, Joshua Miller, Stevan Pettit, ' + u'Andreas Preikschat, Mattias P\xf5ldaru, Christian Richter, ' + u'Philip Ridout, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, ' + u'Martin Thompson, Jon Tibble, Dave Warnock, Frode Woldsund') licence = translate('OpenLP.AboutForm', 'This program is free software; you can redistribute it and/or ' 'modify it under the terms of the GNU General Public License as ' diff --git a/openlp/core/ui/aboutform.py b/openlp/core/ui/aboutform.py index e2ccbc3c3..9b284165f 100644 --- a/openlp/core/ui/aboutform.py +++ b/openlp/core/ui/aboutform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/advancedtab.py b/openlp/core/ui/advancedtab.py index 0f34efe13..25c6f7a26 100644 --- a/openlp/core/ui/advancedtab.py +++ b/openlp/core/ui/advancedtab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/exceptiondialog.py b/openlp/core/ui/exceptiondialog.py index 0f9ecaf97..07f43057b 100644 --- a/openlp/core/ui/exceptiondialog.py +++ b/openlp/core/ui/exceptiondialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/exceptionform.py b/openlp/core/ui/exceptionform.py index 7ea3a5bc1..3c59fcabf 100644 --- a/openlp/core/ui/exceptionform.py +++ b/openlp/core/ui/exceptionform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/filerenamedialog.py b/openlp/core/ui/filerenamedialog.py index dfe1b4f25..4c041418a 100644 --- a/openlp/core/ui/filerenamedialog.py +++ b/openlp/core/ui/filerenamedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/filerenameform.py b/openlp/core/ui/filerenameform.py index 3396d68cb..960cfc824 100644 --- a/openlp/core/ui/filerenameform.py +++ b/openlp/core/ui/filerenameform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 1866b88b5..6f53df262 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/firsttimelanguagedialog.py b/openlp/core/ui/firsttimelanguagedialog.py index 51b077039..7c4b4ae0b 100644 --- a/openlp/core/ui/firsttimelanguagedialog.py +++ b/openlp/core/ui/firsttimelanguagedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/firsttimelanguageform.py b/openlp/core/ui/firsttimelanguageform.py index aac501191..d8a35ad87 100644 --- a/openlp/core/ui/firsttimelanguageform.py +++ b/openlp/core/ui/firsttimelanguageform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/firsttimewizard.py b/openlp/core/ui/firsttimewizard.py index 8a0306e28..1ce523cbc 100644 --- a/openlp/core/ui/firsttimewizard.py +++ b/openlp/core/ui/firsttimewizard.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/formattingtagdialog.py b/openlp/core/ui/formattingtagdialog.py index a0ed42800..e80ed45d1 100644 --- a/openlp/core/ui/formattingtagdialog.py +++ b/openlp/core/ui/formattingtagdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/formattingtagform.py b/openlp/core/ui/formattingtagform.py index 1084d6a3d..9d26e6683 100644 --- a/openlp/core/ui/formattingtagform.py +++ b/openlp/core/ui/formattingtagform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/generaltab.py b/openlp/core/ui/generaltab.py index 78358f287..086709668 100644 --- a/openlp/core/ui/generaltab.py +++ b/openlp/core/ui/generaltab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/maindisplay.py b/openlp/core/ui/maindisplay.py index 0a56946c1..cdb08b6a7 100644 --- a/openlp/core/ui/maindisplay.py +++ b/openlp/core/ui/maindisplay.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index 52955f40f..963fde482 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/media/__init__.py b/openlp/core/ui/media/__init__.py index 10583ffe0..c5e5d9a9c 100644 --- a/openlp/core/ui/media/__init__.py +++ b/openlp/core/ui/media/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/media/mediacontroller.py b/openlp/core/ui/media/mediacontroller.py index 7e51cd172..937c2a3e8 100644 --- a/openlp/core/ui/media/mediacontroller.py +++ b/openlp/core/ui/media/mediacontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/media/phononplayer.py b/openlp/core/ui/media/phononplayer.py index 9bc739f65..94865d16b 100644 --- a/openlp/core/ui/media/phononplayer.py +++ b/openlp/core/ui/media/phononplayer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/media/vlcplayer.py b/openlp/core/ui/media/vlcplayer.py index 58980a4f5..27dd06a62 100644 --- a/openlp/core/ui/media/vlcplayer.py +++ b/openlp/core/ui/media/vlcplayer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/media/webkitplayer.py b/openlp/core/ui/media/webkitplayer.py index 7df376187..ecf39dfbe 100644 --- a/openlp/core/ui/media/webkitplayer.py +++ b/openlp/core/ui/media/webkitplayer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/mediadockmanager.py b/openlp/core/ui/mediadockmanager.py index 020b79257..0f39964b8 100644 --- a/openlp/core/ui/mediadockmanager.py +++ b/openlp/core/ui/mediadockmanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/plugindialog.py b/openlp/core/ui/plugindialog.py index b685d819f..32eae63db 100644 --- a/openlp/core/ui/plugindialog.py +++ b/openlp/core/ui/plugindialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/pluginform.py b/openlp/core/ui/pluginform.py index f520bb235..6259f7986 100644 --- a/openlp/core/ui/pluginform.py +++ b/openlp/core/ui/pluginform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/printservicedialog.py b/openlp/core/ui/printservicedialog.py index b31474d76..437b7b3c0 100644 --- a/openlp/core/ui/printservicedialog.py +++ b/openlp/core/ui/printservicedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/printserviceform.py b/openlp/core/ui/printserviceform.py index 65ee03b0a..674aab1b9 100644 --- a/openlp/core/ui/printserviceform.py +++ b/openlp/core/ui/printserviceform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/screen.py b/openlp/core/ui/screen.py index 1e81bae50..f5a8a8707 100644 --- a/openlp/core/ui/screen.py +++ b/openlp/core/ui/screen.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/serviceitemeditdialog.py b/openlp/core/ui/serviceitemeditdialog.py index 7a3bdf448..2a0b60ff6 100644 --- a/openlp/core/ui/serviceitemeditdialog.py +++ b/openlp/core/ui/serviceitemeditdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/serviceitemeditform.py b/openlp/core/ui/serviceitemeditform.py index 3541870ba..77423e893 100644 --- a/openlp/core/ui/serviceitemeditform.py +++ b/openlp/core/ui/serviceitemeditform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/servicemanager.py b/openlp/core/ui/servicemanager.py index 71d3d4eb4..0ffb1fff7 100644 --- a/openlp/core/ui/servicemanager.py +++ b/openlp/core/ui/servicemanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/servicenoteform.py b/openlp/core/ui/servicenoteform.py index b115cfd40..046be31e4 100644 --- a/openlp/core/ui/servicenoteform.py +++ b/openlp/core/ui/servicenoteform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/settingsdialog.py b/openlp/core/ui/settingsdialog.py index 0b7dcb482..f9003bb36 100644 --- a/openlp/core/ui/settingsdialog.py +++ b/openlp/core/ui/settingsdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/settingsform.py b/openlp/core/ui/settingsform.py index d183d9d4a..550ebac4b 100644 --- a/openlp/core/ui/settingsform.py +++ b/openlp/core/ui/settingsform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/shortcutlistdialog.py b/openlp/core/ui/shortcutlistdialog.py index 39e0c41a7..a52b987bc 100644 --- a/openlp/core/ui/shortcutlistdialog.py +++ b/openlp/core/ui/shortcutlistdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/shortcutlistform.py b/openlp/core/ui/shortcutlistform.py index fb0e8585c..b2ae27063 100644 --- a/openlp/core/ui/shortcutlistform.py +++ b/openlp/core/ui/shortcutlistform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/slidecontroller.py b/openlp/core/ui/slidecontroller.py index 2aae81888..2b919094d 100644 --- a/openlp/core/ui/slidecontroller.py +++ b/openlp/core/ui/slidecontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/splashscreen.py b/openlp/core/ui/splashscreen.py index feae3214f..0ae655361 100644 --- a/openlp/core/ui/splashscreen.py +++ b/openlp/core/ui/splashscreen.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/starttimedialog.py b/openlp/core/ui/starttimedialog.py index bebdbf18d..0eb011750 100644 --- a/openlp/core/ui/starttimedialog.py +++ b/openlp/core/ui/starttimedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/starttimeform.py b/openlp/core/ui/starttimeform.py index 61c57e417..c92eb51e9 100644 --- a/openlp/core/ui/starttimeform.py +++ b/openlp/core/ui/starttimeform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/themeform.py b/openlp/core/ui/themeform.py index 60e073b13..35421c453 100644 --- a/openlp/core/ui/themeform.py +++ b/openlp/core/ui/themeform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/themelayoutdialog.py b/openlp/core/ui/themelayoutdialog.py index 3aa9b0ede..e08069d42 100644 --- a/openlp/core/ui/themelayoutdialog.py +++ b/openlp/core/ui/themelayoutdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/themelayoutform.py b/openlp/core/ui/themelayoutform.py index 1a28a5397..e10dacf5a 100644 --- a/openlp/core/ui/themelayoutform.py +++ b/openlp/core/ui/themelayoutform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/thememanager.py b/openlp/core/ui/thememanager.py index 7ca56ce08..81d2ff3d2 100644 --- a/openlp/core/ui/thememanager.py +++ b/openlp/core/ui/thememanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/themestab.py b/openlp/core/ui/themestab.py index 825a71896..ed7e64f0b 100644 --- a/openlp/core/ui/themestab.py +++ b/openlp/core/ui/themestab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/themewizard.py b/openlp/core/ui/themewizard.py index 2e0166285..6d14cac68 100644 --- a/openlp/core/ui/themewizard.py +++ b/openlp/core/ui/themewizard.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/ui/wizard.py b/openlp/core/ui/wizard.py index d7fbf4aaa..33db718c0 100644 --- a/openlp/core/ui/wizard.py +++ b/openlp/core/ui/wizard.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/utils/__init__.py b/openlp/core/utils/__init__.py index 4a1399fb7..7f2ef08e2 100644 --- a/openlp/core/utils/__init__.py +++ b/openlp/core/utils/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/utils/actions.py b/openlp/core/utils/actions.py index 087da222c..556f1860d 100644 --- a/openlp/core/utils/actions.py +++ b/openlp/core/utils/actions.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/core/utils/languagemanager.py b/openlp/core/utils/languagemanager.py index 24899fd41..a0b5e31b2 100644 --- a/openlp/core/utils/languagemanager.py +++ b/openlp/core/utils/languagemanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/__init__.py b/openlp/plugins/__init__.py index 63bbf5147..91ee4668d 100644 --- a/openlp/plugins/__init__.py +++ b/openlp/plugins/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/__init__.py b/openlp/plugins/alerts/__init__.py index 6c511cb8b..24e206e5d 100644 --- a/openlp/plugins/alerts/__init__.py +++ b/openlp/plugins/alerts/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/alertsplugin.py b/openlp/plugins/alerts/alertsplugin.py index 1a7fe565a..2d7fd8296 100644 --- a/openlp/plugins/alerts/alertsplugin.py +++ b/openlp/plugins/alerts/alertsplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/forms/__init__.py b/openlp/plugins/alerts/forms/__init__.py index ab18207e3..fc7bcd1c4 100644 --- a/openlp/plugins/alerts/forms/__init__.py +++ b/openlp/plugins/alerts/forms/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/forms/alertdialog.py b/openlp/plugins/alerts/forms/alertdialog.py index f4144602f..df4209e9d 100644 --- a/openlp/plugins/alerts/forms/alertdialog.py +++ b/openlp/plugins/alerts/forms/alertdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/forms/alertform.py b/openlp/plugins/alerts/forms/alertform.py index 4f7633062..ab4b6583e 100644 --- a/openlp/plugins/alerts/forms/alertform.py +++ b/openlp/plugins/alerts/forms/alertform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/lib/__init__.py b/openlp/plugins/alerts/lib/__init__.py index f9c6e626d..5b31ed9fc 100644 --- a/openlp/plugins/alerts/lib/__init__.py +++ b/openlp/plugins/alerts/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/lib/alertsmanager.py b/openlp/plugins/alerts/lib/alertsmanager.py index 7e90b3965..018b38af2 100644 --- a/openlp/plugins/alerts/lib/alertsmanager.py +++ b/openlp/plugins/alerts/lib/alertsmanager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/lib/alertstab.py b/openlp/plugins/alerts/lib/alertstab.py index 6a323eb2a..8970c6a67 100644 --- a/openlp/plugins/alerts/lib/alertstab.py +++ b/openlp/plugins/alerts/lib/alertstab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/alerts/lib/db.py b/openlp/plugins/alerts/lib/db.py index 7cc1227e6..da5886297 100644 --- a/openlp/plugins/alerts/lib/db.py +++ b/openlp/plugins/alerts/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/__init__.py b/openlp/plugins/bibles/__init__.py index 202cd0edd..2c57e2124 100644 --- a/openlp/plugins/bibles/__init__.py +++ b/openlp/plugins/bibles/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/bibleplugin.py b/openlp/plugins/bibles/bibleplugin.py index 422e2deff..ca2b29da0 100644 --- a/openlp/plugins/bibles/bibleplugin.py +++ b/openlp/plugins/bibles/bibleplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/__init__.py b/openlp/plugins/bibles/forms/__init__.py index 710ca2c92..a574e7794 100644 --- a/openlp/plugins/bibles/forms/__init__.py +++ b/openlp/plugins/bibles/forms/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/bibleimportform.py b/openlp/plugins/bibles/forms/bibleimportform.py index 92911c22a..0a1d4cc23 100644 --- a/openlp/plugins/bibles/forms/bibleimportform.py +++ b/openlp/plugins/bibles/forms/bibleimportform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/bibleupgradeform.py b/openlp/plugins/bibles/forms/bibleupgradeform.py index 4013284e4..3d60c9270 100644 --- a/openlp/plugins/bibles/forms/bibleupgradeform.py +++ b/openlp/plugins/bibles/forms/bibleupgradeform.py @@ -5,10 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # -# Portions copyright (c) 2008-2012 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/booknamedialog.py b/openlp/plugins/bibles/forms/booknamedialog.py index b0ab9ade1..a28e96353 100644 --- a/openlp/plugins/bibles/forms/booknamedialog.py +++ b/openlp/plugins/bibles/forms/booknamedialog.py @@ -5,10 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # -# Portions copyright (c) 2008-2012 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Meinert Jordan, Armin Köhler, Andreas Preikschat, # -# Christian Richter, Philip Ridout, Maikel Stuivenberg, Martin Thompson, Jon # -# Tibble, Carsten Tinggaard, Frode Woldsund # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/booknameform.py b/openlp/plugins/bibles/forms/booknameform.py index 493dc9c1d..d69bb8fb7 100644 --- a/openlp/plugins/bibles/forms/booknameform.py +++ b/openlp/plugins/bibles/forms/booknameform.py @@ -5,10 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # -# Portions copyright (c) 2008-2012 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Meinert Jordan, Armin Köhler, Andreas Preikschat, # -# Christian Richter, Philip Ridout, Maikel Stuivenberg, Martin Thompson, Jon # -# Tibble, Carsten Tinggaard, Frode Woldsund # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/editbibledialog.py b/openlp/plugins/bibles/forms/editbibledialog.py index 489057c22..fc22d5479 100644 --- a/openlp/plugins/bibles/forms/editbibledialog.py +++ b/openlp/plugins/bibles/forms/editbibledialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/editbibleform.py b/openlp/plugins/bibles/forms/editbibleform.py index 87ad86200..aa9350012 100644 --- a/openlp/plugins/bibles/forms/editbibleform.py +++ b/openlp/plugins/bibles/forms/editbibleform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/languagedialog.py b/openlp/plugins/bibles/forms/languagedialog.py index b4a5b4d6c..6fefc7161 100644 --- a/openlp/plugins/bibles/forms/languagedialog.py +++ b/openlp/plugins/bibles/forms/languagedialog.py @@ -5,10 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # -# Portions copyright (c) 2008-2012 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Meinert Jordan, Armin Köhler, Andreas Preikschat, # -# Christian Richter, Philip Ridout, Maikel Stuivenberg, Martin Thompson, Jon # -# Tibble, Carsten Tinggaard, Frode Woldsund # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/forms/languageform.py b/openlp/plugins/bibles/forms/languageform.py index cf027341d..03a3ce6e7 100644 --- a/openlp/plugins/bibles/forms/languageform.py +++ b/openlp/plugins/bibles/forms/languageform.py @@ -5,10 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # -# Portions copyright (c) 2008-2012 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Meinert Jordan, Armin Köhler, Andreas Preikschat, # -# Christian Richter, Philip Ridout, Maikel Stuivenberg, Martin Thompson, Jon # -# Tibble, Carsten Tinggaard, Frode Woldsund # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/__init__.py b/openlp/plugins/bibles/lib/__init__.py index d81c0f770..73e5ebe8b 100644 --- a/openlp/plugins/bibles/lib/__init__.py +++ b/openlp/plugins/bibles/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/biblestab.py b/openlp/plugins/bibles/lib/biblestab.py index 0b4de68d9..b093d06e4 100644 --- a/openlp/plugins/bibles/lib/biblestab.py +++ b/openlp/plugins/bibles/lib/biblestab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/csvbible.py b/openlp/plugins/bibles/lib/csvbible.py index e61ae9164..16d756a30 100644 --- a/openlp/plugins/bibles/lib/csvbible.py +++ b/openlp/plugins/bibles/lib/csvbible.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/db.py b/openlp/plugins/bibles/lib/db.py index 11edd4228..acf7cf461 100644 --- a/openlp/plugins/bibles/lib/db.py +++ b/openlp/plugins/bibles/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/http.py b/openlp/plugins/bibles/lib/http.py index 3bf3e5397..a223465da 100644 --- a/openlp/plugins/bibles/lib/http.py +++ b/openlp/plugins/bibles/lib/http.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/manager.py b/openlp/plugins/bibles/lib/manager.py index 6661fad47..530ab4f09 100644 --- a/openlp/plugins/bibles/lib/manager.py +++ b/openlp/plugins/bibles/lib/manager.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/mediaitem.py b/openlp/plugins/bibles/lib/mediaitem.py index dcabe360e..d6607a02e 100644 --- a/openlp/plugins/bibles/lib/mediaitem.py +++ b/openlp/plugins/bibles/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/openlp1.py b/openlp/plugins/bibles/lib/openlp1.py index 2b9dc5933..cd2bf26b4 100644 --- a/openlp/plugins/bibles/lib/openlp1.py +++ b/openlp/plugins/bibles/lib/openlp1.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/opensong.py b/openlp/plugins/bibles/lib/opensong.py index 33c7f610e..706d6d451 100644 --- a/openlp/plugins/bibles/lib/opensong.py +++ b/openlp/plugins/bibles/lib/opensong.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/osis.py b/openlp/plugins/bibles/lib/osis.py index 7300bd032..78f2a75a9 100644 --- a/openlp/plugins/bibles/lib/osis.py +++ b/openlp/plugins/bibles/lib/osis.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/upgrade.py b/openlp/plugins/bibles/lib/upgrade.py index b2b372261..ee80f585a 100644 --- a/openlp/plugins/bibles/lib/upgrade.py +++ b/openlp/plugins/bibles/lib/upgrade.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/bibles/lib/versereferencelist.py b/openlp/plugins/bibles/lib/versereferencelist.py index 73710468b..aee2bf9dc 100644 --- a/openlp/plugins/bibles/lib/versereferencelist.py +++ b/openlp/plugins/bibles/lib/versereferencelist.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/__init__.py b/openlp/plugins/custom/__init__.py index 2d28ae53c..f2bb46fe9 100644 --- a/openlp/plugins/custom/__init__.py +++ b/openlp/plugins/custom/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/customplugin.py b/openlp/plugins/custom/customplugin.py index f05802eb3..560da6880 100644 --- a/openlp/plugins/custom/customplugin.py +++ b/openlp/plugins/custom/customplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/forms/__init__.py b/openlp/plugins/custom/forms/__init__.py index 71605ebd7..aae47b657 100644 --- a/openlp/plugins/custom/forms/__init__.py +++ b/openlp/plugins/custom/forms/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/forms/editcustomdialog.py b/openlp/plugins/custom/forms/editcustomdialog.py index 28edce0d8..e29f4431a 100644 --- a/openlp/plugins/custom/forms/editcustomdialog.py +++ b/openlp/plugins/custom/forms/editcustomdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/forms/editcustomform.py b/openlp/plugins/custom/forms/editcustomform.py index afa96d237..816cd2720 100644 --- a/openlp/plugins/custom/forms/editcustomform.py +++ b/openlp/plugins/custom/forms/editcustomform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/forms/editcustomslidedialog.py b/openlp/plugins/custom/forms/editcustomslidedialog.py index 7bc00d4ca..6cece6be7 100644 --- a/openlp/plugins/custom/forms/editcustomslidedialog.py +++ b/openlp/plugins/custom/forms/editcustomslidedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/forms/editcustomslideform.py b/openlp/plugins/custom/forms/editcustomslideform.py index 8f00058d9..541c9a81a 100644 --- a/openlp/plugins/custom/forms/editcustomslideform.py +++ b/openlp/plugins/custom/forms/editcustomslideform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/lib/__init__.py b/openlp/plugins/custom/lib/__init__.py index c7737441d..1b13bd169 100644 --- a/openlp/plugins/custom/lib/__init__.py +++ b/openlp/plugins/custom/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/lib/customtab.py b/openlp/plugins/custom/lib/customtab.py index bd6b854e4..63bd8862e 100644 --- a/openlp/plugins/custom/lib/customtab.py +++ b/openlp/plugins/custom/lib/customtab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/lib/customxmlhandler.py b/openlp/plugins/custom/lib/customxmlhandler.py index a2210f8c6..6798e890c 100644 --- a/openlp/plugins/custom/lib/customxmlhandler.py +++ b/openlp/plugins/custom/lib/customxmlhandler.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/lib/db.py b/openlp/plugins/custom/lib/db.py index b8d96ecea..6f3155f48 100644 --- a/openlp/plugins/custom/lib/db.py +++ b/openlp/plugins/custom/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/custom/lib/mediaitem.py b/openlp/plugins/custom/lib/mediaitem.py index 3e25fb6c5..663c5489d 100644 --- a/openlp/plugins/custom/lib/mediaitem.py +++ b/openlp/plugins/custom/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/images/__init__.py b/openlp/plugins/images/__init__.py index d724ebd57..4255e5e36 100644 --- a/openlp/plugins/images/__init__.py +++ b/openlp/plugins/images/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/images/imageplugin.py b/openlp/plugins/images/imageplugin.py index e148f5625..d9de9277d 100644 --- a/openlp/plugins/images/imageplugin.py +++ b/openlp/plugins/images/imageplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/images/lib/__init__.py b/openlp/plugins/images/lib/__init__.py index 08396a358..e7d0ba4d0 100644 --- a/openlp/plugins/images/lib/__init__.py +++ b/openlp/plugins/images/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/images/lib/imagetab.py b/openlp/plugins/images/lib/imagetab.py index d80240005..8ed8baa02 100644 --- a/openlp/plugins/images/lib/imagetab.py +++ b/openlp/plugins/images/lib/imagetab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/images/lib/mediaitem.py b/openlp/plugins/images/lib/mediaitem.py index 7e66ad9c0..30ef9067a 100644 --- a/openlp/plugins/images/lib/mediaitem.py +++ b/openlp/plugins/images/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/media/__init__.py b/openlp/plugins/media/__init__.py index 8625277ca..d57e62efb 100644 --- a/openlp/plugins/media/__init__.py +++ b/openlp/plugins/media/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/media/lib/__init__.py b/openlp/plugins/media/lib/__init__.py index 02a589ce6..cde3b4ca2 100644 --- a/openlp/plugins/media/lib/__init__.py +++ b/openlp/plugins/media/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/media/lib/mediaitem.py b/openlp/plugins/media/lib/mediaitem.py index 592cd08c6..fe66b90d8 100644 --- a/openlp/plugins/media/lib/mediaitem.py +++ b/openlp/plugins/media/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/media/lib/mediatab.py b/openlp/plugins/media/lib/mediatab.py index 5a9543642..4ac258ed9 100644 --- a/openlp/plugins/media/lib/mediatab.py +++ b/openlp/plugins/media/lib/mediatab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/media/mediaplugin.py b/openlp/plugins/media/mediaplugin.py index 08d7f1983..b4dc96742 100644 --- a/openlp/plugins/media/mediaplugin.py +++ b/openlp/plugins/media/mediaplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/__init__.py b/openlp/plugins/presentations/__init__.py index 96f5e9539..49e756774 100644 --- a/openlp/plugins/presentations/__init__.py +++ b/openlp/plugins/presentations/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/__init__.py b/openlp/plugins/presentations/lib/__init__.py index 1092a7458..afa393cde 100644 --- a/openlp/plugins/presentations/lib/__init__.py +++ b/openlp/plugins/presentations/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/impresscontroller.py b/openlp/plugins/presentations/lib/impresscontroller.py index bef745136..1a8754f80 100644 --- a/openlp/plugins/presentations/lib/impresscontroller.py +++ b/openlp/plugins/presentations/lib/impresscontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/mediaitem.py b/openlp/plugins/presentations/lib/mediaitem.py index b98c2d093..290882e26 100644 --- a/openlp/plugins/presentations/lib/mediaitem.py +++ b/openlp/plugins/presentations/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/messagelistener.py b/openlp/plugins/presentations/lib/messagelistener.py index 1b795624b..19ffa8a31 100644 --- a/openlp/plugins/presentations/lib/messagelistener.py +++ b/openlp/plugins/presentations/lib/messagelistener.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/powerpointcontroller.py b/openlp/plugins/presentations/lib/powerpointcontroller.py index f97749f13..fcdb5b105 100644 --- a/openlp/plugins/presentations/lib/powerpointcontroller.py +++ b/openlp/plugins/presentations/lib/powerpointcontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/pptviewcontroller.py b/openlp/plugins/presentations/lib/pptviewcontroller.py index 4f3e43c6d..8f068fa05 100644 --- a/openlp/plugins/presentations/lib/pptviewcontroller.py +++ b/openlp/plugins/presentations/lib/pptviewcontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/pptviewlib/ppttest.py b/openlp/plugins/presentations/lib/pptviewlib/ppttest.py index f41a228b0..98f916136 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/ppttest.py +++ b/openlp/plugins/presentations/lib/pptviewlib/ppttest.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp index a679df582..01351d209 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp +++ b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.cpp @@ -3,10 +3,12 @@ * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * * Copyright (c) 2008-2011 Raoul Snyman * -* Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael * -* Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, * +* Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * +* Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * +* Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, * * Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, * -* Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * +* Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon * +* Tibble, Dave Warnock, Frode Woldsund * * --------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h index 98b0a21ab..b6d76b10c 100644 --- a/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h +++ b/openlp/plugins/presentations/lib/pptviewlib/pptviewlib.h @@ -3,10 +3,12 @@ * OpenLP - Open Source Lyrics Projection * * --------------------------------------------------------------------------- * * Copyright (c) 2008-2011 Raoul Snyman * -* Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael * -* Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, * +* Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * +* Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * +* Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, * * Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, * -* Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * +* Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon * +* Tibble, Dave Warnock, Frode Woldsund * * --------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/presentations/lib/presentationcontroller.py b/openlp/plugins/presentations/lib/presentationcontroller.py index 3bda3e069..e8e49d2e8 100644 --- a/openlp/plugins/presentations/lib/presentationcontroller.py +++ b/openlp/plugins/presentations/lib/presentationcontroller.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/lib/presentationtab.py b/openlp/plugins/presentations/lib/presentationtab.py index 312f2b55a..a09e19a94 100644 --- a/openlp/plugins/presentations/lib/presentationtab.py +++ b/openlp/plugins/presentations/lib/presentationtab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/presentations/presentationplugin.py b/openlp/plugins/presentations/presentationplugin.py index 995b91e14..6ab93f0a5 100644 --- a/openlp/plugins/presentations/presentationplugin.py +++ b/openlp/plugins/presentations/presentationplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/__init__.py b/openlp/plugins/remotes/__init__.py index 7012c14d4..f20d893f9 100644 --- a/openlp/plugins/remotes/__init__.py +++ b/openlp/plugins/remotes/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/html/index.html b/openlp/plugins/remotes/html/index.html index fc8b37441..dad2f8351 100644 --- a/openlp/plugins/remotes/html/index.html +++ b/openlp/plugins/remotes/html/index.html @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/html/openlp.css b/openlp/plugins/remotes/html/openlp.css index 126c0e0b4..4db82a963 100644 --- a/openlp/plugins/remotes/html/openlp.css +++ b/openlp/plugins/remotes/html/openlp.css @@ -3,10 +3,11 @@ * ------------------------------------------------------------------------- * * Copyright (c) 2008-2012 Raoul Snyman * * Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * - * Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, * - * Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias * - * Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, * - * Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * + * Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * + * Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan * + * Pettit, Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip * + * Ridout, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin * + * Thompson, Jon Tibble, Dave Warnock, Frode Woldsund * * ------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/remotes/html/openlp.js b/openlp/plugins/remotes/html/openlp.js index 470185a44..26c13d2f1 100644 --- a/openlp/plugins/remotes/html/openlp.js +++ b/openlp/plugins/remotes/html/openlp.js @@ -3,10 +3,11 @@ * ------------------------------------------------------------------------- * * Copyright (c) 2008-2012 Raoul Snyman * * Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * - * Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, * - * Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias * - * Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, * - * Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * + * Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * + * Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan * + * Pettit, Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip * + * Ridout, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin * + * Thompson, Jon Tibble, Dave Warnock, Frode Woldsund * * ------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/remotes/html/stage.css b/openlp/plugins/remotes/html/stage.css index cce015092..8b45a3b43 100644 --- a/openlp/plugins/remotes/html/stage.css +++ b/openlp/plugins/remotes/html/stage.css @@ -3,10 +3,11 @@ * ------------------------------------------------------------------------- * * Copyright (c) 2008-2012 Raoul Snyman * * Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * - * Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, * - * Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias * - * Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, * - * Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * + * Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * + * Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan * + * Pettit, Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip * + * Ridout, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin * + * Thompson, Jon Tibble, Dave Warnock, Frode Woldsund * * ------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/remotes/html/stage.html b/openlp/plugins/remotes/html/stage.html index f3d4ab349..6fdde26d1 100644 --- a/openlp/plugins/remotes/html/stage.html +++ b/openlp/plugins/remotes/html/stage.html @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/html/stage.js b/openlp/plugins/remotes/html/stage.js index 4dbde34c1..38bd0fe01 100644 --- a/openlp/plugins/remotes/html/stage.js +++ b/openlp/plugins/remotes/html/stage.js @@ -3,10 +3,11 @@ * ------------------------------------------------------------------------- * * Copyright (c) 2008-2012 Raoul Snyman * * Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan * - * Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, * - * Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias * - * Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, * - * Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund * + * Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, * + * Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan * + * Pettit, Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip * + * Ridout, Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin * + * Thompson, Jon Tibble, Dave Warnock, Frode Woldsund * * ------------------------------------------------------------------------- * * 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 * diff --git a/openlp/plugins/remotes/lib/__init__.py b/openlp/plugins/remotes/lib/__init__.py index 089d15e6c..8dadd9287 100644 --- a/openlp/plugins/remotes/lib/__init__.py +++ b/openlp/plugins/remotes/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/lib/httpserver.py b/openlp/plugins/remotes/lib/httpserver.py index 4bae0a901..cd2802542 100644 --- a/openlp/plugins/remotes/lib/httpserver.py +++ b/openlp/plugins/remotes/lib/httpserver.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/lib/remotetab.py b/openlp/plugins/remotes/lib/remotetab.py index 5130ee65e..1e5b4070d 100644 --- a/openlp/plugins/remotes/lib/remotetab.py +++ b/openlp/plugins/remotes/lib/remotetab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/remotes/remoteplugin.py b/openlp/plugins/remotes/remoteplugin.py index 5e4f5c3c2..f1fad4318 100644 --- a/openlp/plugins/remotes/remoteplugin.py +++ b/openlp/plugins/remotes/remoteplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/__init__.py b/openlp/plugins/songs/__init__.py index 3db4ec0f4..2b683d8bc 100644 --- a/openlp/plugins/songs/__init__.py +++ b/openlp/plugins/songs/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/__init__.py b/openlp/plugins/songs/forms/__init__.py index 6d9f09997..084495561 100644 --- a/openlp/plugins/songs/forms/__init__.py +++ b/openlp/plugins/songs/forms/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/authorsdialog.py b/openlp/plugins/songs/forms/authorsdialog.py index a7e798bf8..6c10f296e 100644 --- a/openlp/plugins/songs/forms/authorsdialog.py +++ b/openlp/plugins/songs/forms/authorsdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/authorsform.py b/openlp/plugins/songs/forms/authorsform.py index de82b4dd7..0df330cd1 100644 --- a/openlp/plugins/songs/forms/authorsform.py +++ b/openlp/plugins/songs/forms/authorsform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/editsongdialog.py b/openlp/plugins/songs/forms/editsongdialog.py index 42c011819..29aafdfd4 100644 --- a/openlp/plugins/songs/forms/editsongdialog.py +++ b/openlp/plugins/songs/forms/editsongdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/editsongform.py b/openlp/plugins/songs/forms/editsongform.py index 81f9006ea..e3ed07aba 100644 --- a/openlp/plugins/songs/forms/editsongform.py +++ b/openlp/plugins/songs/forms/editsongform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/editversedialog.py b/openlp/plugins/songs/forms/editversedialog.py index fb5698c88..0cc7e4894 100644 --- a/openlp/plugins/songs/forms/editversedialog.py +++ b/openlp/plugins/songs/forms/editversedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/editverseform.py b/openlp/plugins/songs/forms/editverseform.py index 21285f39d..f5c8e5d48 100644 --- a/openlp/plugins/songs/forms/editverseform.py +++ b/openlp/plugins/songs/forms/editverseform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/mediafilesdialog.py b/openlp/plugins/songs/forms/mediafilesdialog.py index 3dff7a1a3..563a75d85 100644 --- a/openlp/plugins/songs/forms/mediafilesdialog.py +++ b/openlp/plugins/songs/forms/mediafilesdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/mediafilesform.py b/openlp/plugins/songs/forms/mediafilesform.py index db40eea63..7cd6b3c14 100644 --- a/openlp/plugins/songs/forms/mediafilesform.py +++ b/openlp/plugins/songs/forms/mediafilesform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songbookdialog.py b/openlp/plugins/songs/forms/songbookdialog.py index 073151d1d..d4e7d91c9 100644 --- a/openlp/plugins/songs/forms/songbookdialog.py +++ b/openlp/plugins/songs/forms/songbookdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songbookform.py b/openlp/plugins/songs/forms/songbookform.py index 219c4965b..ccd9d2070 100644 --- a/openlp/plugins/songs/forms/songbookform.py +++ b/openlp/plugins/songs/forms/songbookform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songexportform.py b/openlp/plugins/songs/forms/songexportform.py index dcca098dc..c483c91b6 100644 --- a/openlp/plugins/songs/forms/songexportform.py +++ b/openlp/plugins/songs/forms/songexportform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songimportform.py b/openlp/plugins/songs/forms/songimportform.py index e2d17137b..1798f2baf 100644 --- a/openlp/plugins/songs/forms/songimportform.py +++ b/openlp/plugins/songs/forms/songimportform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songmaintenancedialog.py b/openlp/plugins/songs/forms/songmaintenancedialog.py index a8f2fc033..5cf82bf3a 100644 --- a/openlp/plugins/songs/forms/songmaintenancedialog.py +++ b/openlp/plugins/songs/forms/songmaintenancedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/songmaintenanceform.py b/openlp/plugins/songs/forms/songmaintenanceform.py index 22210f552..c80399253 100644 --- a/openlp/plugins/songs/forms/songmaintenanceform.py +++ b/openlp/plugins/songs/forms/songmaintenanceform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/topicsdialog.py b/openlp/plugins/songs/forms/topicsdialog.py index a609478fc..079459cf4 100644 --- a/openlp/plugins/songs/forms/topicsdialog.py +++ b/openlp/plugins/songs/forms/topicsdialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/forms/topicsform.py b/openlp/plugins/songs/forms/topicsform.py index b57eae866..2bddf320e 100644 --- a/openlp/plugins/songs/forms/topicsform.py +++ b/openlp/plugins/songs/forms/topicsform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/__init__.py b/openlp/plugins/songs/lib/__init__.py index 87540ce54..ce41b6faa 100644 --- a/openlp/plugins/songs/lib/__init__.py +++ b/openlp/plugins/songs/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/cclifileimport.py b/openlp/plugins/songs/lib/cclifileimport.py index 1c71db818..7a98e1d3d 100644 --- a/openlp/plugins/songs/lib/cclifileimport.py +++ b/openlp/plugins/songs/lib/cclifileimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/db.py b/openlp/plugins/songs/lib/db.py index 3c5fa5b82..d79d177fd 100644 --- a/openlp/plugins/songs/lib/db.py +++ b/openlp/plugins/songs/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/dreambeamimport.py b/openlp/plugins/songs/lib/dreambeamimport.py index b251a8ce8..f2fd76b12 100644 --- a/openlp/plugins/songs/lib/dreambeamimport.py +++ b/openlp/plugins/songs/lib/dreambeamimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/easyslidesimport.py b/openlp/plugins/songs/lib/easyslidesimport.py index 30d12964a..6e3b937ed 100644 --- a/openlp/plugins/songs/lib/easyslidesimport.py +++ b/openlp/plugins/songs/lib/easyslidesimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/ewimport.py b/openlp/plugins/songs/lib/ewimport.py index d58734610..227b8e4b6 100644 --- a/openlp/plugins/songs/lib/ewimport.py +++ b/openlp/plugins/songs/lib/ewimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/foilpresenterimport.py b/openlp/plugins/songs/lib/foilpresenterimport.py index 536c699d2..2f17f02bc 100644 --- a/openlp/plugins/songs/lib/foilpresenterimport.py +++ b/openlp/plugins/songs/lib/foilpresenterimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/importer.py b/openlp/plugins/songs/lib/importer.py index d60130f62..6f54114b2 100644 --- a/openlp/plugins/songs/lib/importer.py +++ b/openlp/plugins/songs/lib/importer.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index 0999ee763..14c1ffb3a 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/olp1import.py b/openlp/plugins/songs/lib/olp1import.py index 2d744bd2a..c0a209642 100644 --- a/openlp/plugins/songs/lib/olp1import.py +++ b/openlp/plugins/songs/lib/olp1import.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/olpimport.py b/openlp/plugins/songs/lib/olpimport.py index 888383034..7a9d98c98 100644 --- a/openlp/plugins/songs/lib/olpimport.py +++ b/openlp/plugins/songs/lib/olpimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/oooimport.py b/openlp/plugins/songs/lib/oooimport.py index 5820b1e94..49e6c2a70 100644 --- a/openlp/plugins/songs/lib/oooimport.py +++ b/openlp/plugins/songs/lib/oooimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/openlyricsexport.py b/openlp/plugins/songs/lib/openlyricsexport.py index d5ffcb1a4..9329b0a95 100644 --- a/openlp/plugins/songs/lib/openlyricsexport.py +++ b/openlp/plugins/songs/lib/openlyricsexport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/openlyricsimport.py b/openlp/plugins/songs/lib/openlyricsimport.py index 43a6bc51b..87d77a524 100644 --- a/openlp/plugins/songs/lib/openlyricsimport.py +++ b/openlp/plugins/songs/lib/openlyricsimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/opensongimport.py b/openlp/plugins/songs/lib/opensongimport.py index 2b2269e3b..e7f35b467 100644 --- a/openlp/plugins/songs/lib/opensongimport.py +++ b/openlp/plugins/songs/lib/opensongimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/powersongimport.py b/openlp/plugins/songs/lib/powersongimport.py index d3ac766f9..4729b6905 100644 --- a/openlp/plugins/songs/lib/powersongimport.py +++ b/openlp/plugins/songs/lib/powersongimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/sofimport.py b/openlp/plugins/songs/lib/sofimport.py index f6293caa4..d6fd6aa77 100644 --- a/openlp/plugins/songs/lib/sofimport.py +++ b/openlp/plugins/songs/lib/sofimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/songbeamerimport.py b/openlp/plugins/songs/lib/songbeamerimport.py index 43ed4d846..3e06f01a5 100644 --- a/openlp/plugins/songs/lib/songbeamerimport.py +++ b/openlp/plugins/songs/lib/songbeamerimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/songimport.py b/openlp/plugins/songs/lib/songimport.py index dba86f3ab..8dcf4e9f3 100644 --- a/openlp/plugins/songs/lib/songimport.py +++ b/openlp/plugins/songs/lib/songimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/songshowplusimport.py b/openlp/plugins/songs/lib/songshowplusimport.py index f86e061ca..2f8fdd121 100644 --- a/openlp/plugins/songs/lib/songshowplusimport.py +++ b/openlp/plugins/songs/lib/songshowplusimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/songstab.py b/openlp/plugins/songs/lib/songstab.py index ca646cd5f..3053b3973 100644 --- a/openlp/plugins/songs/lib/songstab.py +++ b/openlp/plugins/songs/lib/songstab.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/test/test_import_file.py b/openlp/plugins/songs/lib/test/test_import_file.py index 6ff46e52e..06825cd9e 100644 --- a/openlp/plugins/songs/lib/test/test_import_file.py +++ b/openlp/plugins/songs/lib/test/test_import_file.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/test/test_importing_lots.py b/openlp/plugins/songs/lib/test/test_importing_lots.py index 1f2b3d0d6..d21e654e2 100644 --- a/openlp/plugins/songs/lib/test/test_importing_lots.py +++ b/openlp/plugins/songs/lib/test/test_importing_lots.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/test/test_opensongimport.py b/openlp/plugins/songs/lib/test/test_opensongimport.py index bead3097b..a05f43e01 100644 --- a/openlp/plugins/songs/lib/test/test_opensongimport.py +++ b/openlp/plugins/songs/lib/test/test_opensongimport.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/ui.py b/openlp/plugins/songs/lib/ui.py index d1e532bcb..8d72232ac 100644 --- a/openlp/plugins/songs/lib/ui.py +++ b/openlp/plugins/songs/lib/ui.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/upgrade.py b/openlp/plugins/songs/lib/upgrade.py index 2b82f12bc..e4ea4715b 100644 --- a/openlp/plugins/songs/lib/upgrade.py +++ b/openlp/plugins/songs/lib/upgrade.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/wowimport.py b/openlp/plugins/songs/lib/wowimport.py index 97a11d873..a491c4a07 100644 --- a/openlp/plugins/songs/lib/wowimport.py +++ b/openlp/plugins/songs/lib/wowimport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/xml.py b/openlp/plugins/songs/lib/xml.py index 45dac95b9..72f0ccd7a 100644 --- a/openlp/plugins/songs/lib/xml.py +++ b/openlp/plugins/songs/lib/xml.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/lib/zionworximport.py b/openlp/plugins/songs/lib/zionworximport.py index 8f83c4509..0e7a1b425 100644 --- a/openlp/plugins/songs/lib/zionworximport.py +++ b/openlp/plugins/songs/lib/zionworximport.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index 468c02968..4453798b6 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/__init__.py b/openlp/plugins/songusage/__init__.py index c8933aa1f..3fed6406a 100644 --- a/openlp/plugins/songusage/__init__.py +++ b/openlp/plugins/songusage/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/forms/__init__.py b/openlp/plugins/songusage/forms/__init__.py index fd78b9c44..c9773aaad 100644 --- a/openlp/plugins/songusage/forms/__init__.py +++ b/openlp/plugins/songusage/forms/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/forms/songusagedeletedialog.py b/openlp/plugins/songusage/forms/songusagedeletedialog.py index 6571b82fa..9ee4d1604 100644 --- a/openlp/plugins/songusage/forms/songusagedeletedialog.py +++ b/openlp/plugins/songusage/forms/songusagedeletedialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/forms/songusagedeleteform.py b/openlp/plugins/songusage/forms/songusagedeleteform.py index 501b62e83..ef40e69c3 100644 --- a/openlp/plugins/songusage/forms/songusagedeleteform.py +++ b/openlp/plugins/songusage/forms/songusagedeleteform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/forms/songusagedetaildialog.py b/openlp/plugins/songusage/forms/songusagedetaildialog.py index 994e7d6ef..c2ac38bc8 100644 --- a/openlp/plugins/songusage/forms/songusagedetaildialog.py +++ b/openlp/plugins/songusage/forms/songusagedetaildialog.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/forms/songusagedetailform.py b/openlp/plugins/songusage/forms/songusagedetailform.py index 1ad6fceef..1a39b9fcf 100644 --- a/openlp/plugins/songusage/forms/songusagedetailform.py +++ b/openlp/plugins/songusage/forms/songusagedetailform.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/lib/__init__.py b/openlp/plugins/songusage/lib/__init__.py index 29a64be92..a5551c569 100644 --- a/openlp/plugins/songusage/lib/__init__.py +++ b/openlp/plugins/songusage/lib/__init__.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/lib/db.py b/openlp/plugins/songusage/lib/db.py index 11940ecee..dd4d851bd 100644 --- a/openlp/plugins/songusage/lib/db.py +++ b/openlp/plugins/songusage/lib/db.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/lib/upgrade.py b/openlp/plugins/songusage/lib/upgrade.py index d71899faf..18bfce251 100644 --- a/openlp/plugins/songusage/lib/upgrade.py +++ b/openlp/plugins/songusage/lib/upgrade.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/openlp/plugins/songusage/songusageplugin.py b/openlp/plugins/songusage/songusageplugin.py index 3b6f66fe5..39046b89c 100644 --- a/openlp/plugins/songusage/songusageplugin.py +++ b/openlp/plugins/songusage/songusageplugin.py @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/resources/pyinstaller/hook-openlp.core.ui.media.py b/resources/pyinstaller/hook-openlp.core.ui.media.py index 6a200e85c..08609441b 100644 --- a/resources/pyinstaller/hook-openlp.core.ui.media.py +++ b/resources/pyinstaller/hook-openlp.core.ui.media.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/resources/pyinstaller/hook-openlp.plugins.presentations.presentationplugin.py b/resources/pyinstaller/hook-openlp.plugins.presentations.presentationplugin.py index 2dfcb2fa9..100d9e1a0 100644 --- a/resources/pyinstaller/hook-openlp.plugins.presentations.presentationplugin.py +++ b/resources/pyinstaller/hook-openlp.plugins.presentations.presentationplugin.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/resources/pyinstaller/hook-openlp.py b/resources/pyinstaller/hook-openlp.py index f3414cd60..7d0482f7c 100644 --- a/resources/pyinstaller/hook-openlp.py +++ b/resources/pyinstaller/hook-openlp.py @@ -5,11 +5,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/scripts/check_dependencies.py b/scripts/check_dependencies.py index d1ec2228b..e81fd2a3b 100755 --- a/scripts/check_dependencies.py +++ b/scripts/check_dependencies.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/scripts/generate_resources.sh b/scripts/generate_resources.sh index 5778f771a..a555454c6 100755 --- a/scripts/generate_resources.sh +++ b/scripts/generate_resources.sh @@ -6,10 +6,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/scripts/openlp-remoteclient.py b/scripts/openlp-remoteclient.py index 57928919b..cc4abb339 100644 --- a/scripts/openlp-remoteclient.py +++ b/scripts/openlp-remoteclient.py @@ -6,11 +6,12 @@ # OpenLP - Open Source Lyrics Projection # # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # -# Portions copyright (c) 2008-2011 Tim Bentley, Jonathan Corwin, Michael # -# Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, Armin Köhler, # +# Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # # Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # -# Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode # -# Woldsund # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/scripts/translation_utils.py b/scripts/translation_utils.py index 1e9909e4b..8f9fc2239 100755 --- a/scripts/translation_utils.py +++ b/scripts/translation_utils.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/setup.py b/setup.py index b20736e03..2f8919f4b 100755 --- a/setup.py +++ b/setup.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2012 Raoul Snyman # # Portions copyright (c) 2008-2012 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/testing/conftest.py b/testing/conftest.py index 001f8979a..5722c6235 100644 --- a/testing/conftest.py +++ b/testing/conftest.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/testing/run.py b/testing/run.py index b91d32e59..53a6a6cb6 100755 --- a/testing/run.py +++ b/testing/run.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # diff --git a/testing/test_app.py b/testing/test_app.py index 3ff053479..53e2eab0a 100644 --- a/testing/test_app.py +++ b/testing/test_app.py @@ -7,10 +7,11 @@ # --------------------------------------------------------------------------- # # Copyright (c) 2008-2011 Raoul Snyman # # Portions copyright (c) 2008-2011 Tim Bentley, Gerald Britton, Jonathan # -# Corwin, Michael Gorven, Scott Guerrieri, Matthias Hub, Meinert Jordan, # -# Armin Köhler, Joshua Miller, Stevan Pettit, Andreas Preikschat, Mattias # -# Põldaru, Christian Richter, Philip Ridout, Simon Scudder, Jeffrey Smith, # -# Maikel Stuivenberg, Martin Thompson, Jon Tibble, Frode Woldsund # +# Corwin, Samuel Findlay, Michael Gorven, Scott Guerrieri, Matthias Hub, # +# Meinert Jordan, Armin Köhler, Edwin Lunando, Joshua Miller, Stevan Pettit, # +# Andreas Preikschat, Mattias Põldaru, Christian Richter, Philip Ridout, # +# Simon Scudder, Jeffrey Smith, Maikel Stuivenberg, Martin Thompson, Jon # +# Tibble, Dave Warnock, Frode Woldsund # # --------------------------------------------------------------------------- # # 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 # From ab8e6ee30ae0e1d7bc150e932f75a7594599568d Mon Sep 17 00:00:00 2001 From: Andreas Preikschat Date: Fri, 22 Jun 2012 22:12:43 +0200 Subject: [PATCH 11/13] use get_filesystem_encoding --- openlp/core/ui/firsttimeform.py | 14 ++++++++------ openlp/core/ui/mainwindow.py | 4 ++-- openlp/plugins/bibles/forms/bibleupgradeform.py | 5 +++-- openlp/plugins/songs/songsplugin.py | 4 +++- 4 files changed, 16 insertions(+), 11 deletions(-) diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 3e902b368..4597c6a16 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -40,7 +40,7 @@ from PyQt4 import QtCore, QtGui from openlp.core.lib import translate, PluginStatus, Receiver, build_icon, \ check_directory_exists from openlp.core.lib.settings import Settings -from openlp.core.utils import get_web_page, AppLocation +from openlp.core.utils import get_web_page, AppLocation, get_filesystem_encoding from firsttimewizard import Ui_FirstTimeWizard, FirstTimePage log = logging.getLogger(__name__) @@ -64,7 +64,7 @@ class ThemeScreenshotThread(QtCore.QThread): filename = config.get(u'theme_%s' % theme, u'filename') screenshot = config.get(u'theme_%s' % theme, u'screenshot') urllib.urlretrieve(u'%s%s' % (self.parent().web, screenshot), - os.path.join(unicode(gettempdir()), u'openlp', screenshot)) + os.path.join(unicode(gettempdir(), get_filesystem_encoding()), u'openlp', screenshot)) item = QtGui.QListWidgetItem(title, self.parent().themesListWidget) item.setData(QtCore.Qt.UserRole, QtCore.QVariant(filename)) item.setCheckState(QtCore.Qt.Unchecked) @@ -114,7 +114,8 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): Set up display at start of theme edit. """ self.restart() - check_directory_exists(os.path.join(unicode(gettempdir()), u'openlp')) + check_directory_exists(os.path.join( + unicode(gettempdir(), get_filesystem_encoding()), u'openlp')) self.noInternetFinishButton.setVisible(False) # Check if this is a re-run of the wizard. self.hasRunWizard = Settings().value( @@ -303,8 +304,8 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): item = self.themesListWidget.item(index) if item.data(QtCore.Qt.UserRole) == QtCore.QVariant(filename): break - item.setIcon(build_icon( - os.path.join(unicode(gettempdir()), u'openlp', screenshot))) + item.setIcon(build_icon(os.path.join(unicode(gettempdir(), + get_filesystem_encoding()), u'openlp', screenshot))) def _getFileSize(self, url): site = urllib.urlopen(url) @@ -425,7 +426,8 @@ class FirstTimeForm(QtGui.QWizard, Ui_FirstTimeWizard): self._setPluginStatus(self.alertCheckBox, u'alerts/status') if self.webAccess: # Build directories for downloads - songs_destination = os.path.join(unicode(gettempdir()), u'openlp') + songs_destination = os.path.join( + unicode(gettempdir(), get_filesystem_encoding()), u'openlp') bibles_destination = AppLocation.get_section_data_path(u'bibles') themes_destination = AppLocation.get_section_data_path(u'themes') # Download songs diff --git a/openlp/core/ui/mainwindow.py b/openlp/core/ui/mainwindow.py index be58e1cd6..9db774153 100644 --- a/openlp/core/ui/mainwindow.py +++ b/openlp/core/ui/mainwindow.py @@ -1034,8 +1034,8 @@ class MainWindow(QtGui.QMainWindow, Ui_MainWindow): # Make sure it's a .conf file. if not export_file_name.endswith(u'conf'): export_file_name = export_file_name + u'.conf' - temp_file = os.path.join(unicode(gettempdir()), - u'openlp', u'exportConf.tmp') + temp_file = os.path.join(unicode(gettempdir(), + get_filesystem_encoding()), u'openlp', u'exportConf.tmp') self.saveSettings() setting_sections = [] # Add main sections. diff --git a/openlp/plugins/bibles/forms/bibleupgradeform.py b/openlp/plugins/bibles/forms/bibleupgradeform.py index d0c4333f4..f799205c6 100644 --- a/openlp/plugins/bibles/forms/bibleupgradeform.py +++ b/openlp/plugins/bibles/forms/bibleupgradeform.py @@ -38,7 +38,7 @@ from openlp.core.lib import Receiver, SettingsManager, translate, \ from openlp.core.lib.ui import UiStrings, critical_error_message_box from openlp.core.lib.settings import Settings from openlp.core.ui.wizard import OpenLPWizard, WizardStrings -from openlp.core.utils import AppLocation, delete_file +from openlp.core.utils import AppLocation, delete_file, get_filesystem_encoding from openlp.plugins.bibles.lib.db import BibleDB, BibleMeta, OldBibleDB, \ BiblesResourcesDB from openlp.plugins.bibles.lib.http import BSExtract, BGExtract, CWExtract @@ -71,7 +71,8 @@ class BibleUpgradeForm(OpenLPWizard): self.suffix = u'.sqlite' self.settingsSection = u'bibles' self.path = AppLocation.get_section_data_path(self.settingsSection) - self.temp_dir = os.path.join(unicode(gettempdir()), u'openlp') + self.temp_dir = os.path.join( + unicode(gettempdir(), get_filesystem_encoding()), u'openlp') self.files = self.manager.old_bible_databases self.success = {} self.newbibles = {} diff --git a/openlp/plugins/songs/songsplugin.py b/openlp/plugins/songs/songsplugin.py index 0beead20a..be92f615d 100644 --- a/openlp/plugins/songs/songsplugin.py +++ b/openlp/plugins/songs/songsplugin.py @@ -35,6 +35,7 @@ from openlp.core.lib import Plugin, StringContent, build_icon, translate, \ Receiver from openlp.core.lib.db import Manager from openlp.core.lib.ui import UiStrings, create_action +from openlp.core.utils import get_filesystem_encoding from openlp.core.utils.actions import ActionList from openlp.plugins.songs.lib import clean_song, upgrade, SongMediaItem, \ SongsTab @@ -233,7 +234,8 @@ class SongsPlugin(Plugin): new songs into the database. """ self.onToolsReindexItemTriggered() - db_dir = unicode(os.path.join(unicode(gettempdir()), u'openlp')) + db_dir = unicode(os.path.join( + unicode(gettempdir(), get_filesystem_encoding()), u'openlp')) if not os.path.exists(db_dir): return song_dbs = [] From d3e8950db8bb0f00a8770923d70ba7ffa52fb0f1 Mon Sep 17 00:00:00 2001 From: Andreas Preikschat Date: Fri, 22 Jun 2012 22:18:50 +0200 Subject: [PATCH 12/13] fixed long line --- openlp/core/ui/firsttimeform.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/openlp/core/ui/firsttimeform.py b/openlp/core/ui/firsttimeform.py index 4597c6a16..eda0eefec 100644 --- a/openlp/core/ui/firsttimeform.py +++ b/openlp/core/ui/firsttimeform.py @@ -64,7 +64,8 @@ class ThemeScreenshotThread(QtCore.QThread): filename = config.get(u'theme_%s' % theme, u'filename') screenshot = config.get(u'theme_%s' % theme, u'screenshot') urllib.urlretrieve(u'%s%s' % (self.parent().web, screenshot), - os.path.join(unicode(gettempdir(), get_filesystem_encoding()), u'openlp', screenshot)) + os.path.join(unicode(gettempdir(), get_filesystem_encoding()), + u'openlp', screenshot)) item = QtGui.QListWidgetItem(title, self.parent().themesListWidget) item.setData(QtCore.Qt.UserRole, QtCore.QVariant(filename)) item.setCheckState(QtCore.Qt.Unchecked) From 4e1fc4cb0df17ae03a7dd03d6c585267b97e84af Mon Sep 17 00:00:00 2001 From: Tim Bentley Date: Tue, 26 Jun 2012 05:40:07 +0100 Subject: [PATCH 13/13] Reload list on exit of Song import regardless of user action Fixes: https://launchpad.net/bugs/1015528 --- openlp/plugins/songs/lib/mediaitem.py | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/openlp/plugins/songs/lib/mediaitem.py b/openlp/plugins/songs/lib/mediaitem.py index 14c1ffb3a..47e9ba742 100644 --- a/openlp/plugins/songs/lib/mediaitem.py +++ b/openlp/plugins/songs/lib/mediaitem.py @@ -338,8 +338,9 @@ class SongMediaItem(MediaManagerItem): def onImportClick(self): if not hasattr(self, u'importWizard'): self.importWizard = SongImportForm(self, self.plugin) - if self.importWizard.exec_() == QtGui.QDialog.Accepted: - Receiver.send_message(u'songs_load_list') + self.importWizard.exec_() + # Run song load as list may have been cancelled but some songs loaded + Receiver.send_message(u'songs_load_list') def onExportClick(self): if not hasattr(self, u'exportWizard'):