From d86270c20ac2c5a92accbf2e4c37de6b8f95bc89 Mon Sep 17 00:00:00 2001 From: Christoph Date: Fri, 9 Mar 2018 18:57:52 +0100 Subject: [PATCH 01/26] Show dialog when copy files did not found file (#3826) Follow up from #3818 --- src/main/java/org/jabref/gui/copyfiles/CopyFilesAction.java | 4 ++++ src/main/resources/l10n/JabRef_en.properties | 2 ++ 2 files changed, 6 insertions(+) diff --git a/src/main/java/org/jabref/gui/copyfiles/CopyFilesAction.java b/src/main/java/org/jabref/gui/copyfiles/CopyFilesAction.java index 9e24d0138a3..9cf589aaed4 100644 --- a/src/main/java/org/jabref/gui/copyfiles/CopyFilesAction.java +++ b/src/main/java/org/jabref/gui/copyfiles/CopyFilesAction.java @@ -63,6 +63,10 @@ private void startServiceAndshowProgessDialog(Task data) { + if (data.isEmpty()) { + dialogService.showInformationDialogAndWait(Localization.lang("Copy linked files to folder..."), Localization.lang("No linked files found for export.")); + return; + } CopyFilesDialogView dlg = new CopyFilesDialogView(databaseContext, new CopyFilesResultListDependency(data)); dlg.show(); } diff --git a/src/main/resources/l10n/JabRef_en.properties b/src/main/resources/l10n/JabRef_en.properties index 89a57fd22b0..8035ead0dd8 100644 --- a/src/main/resources/l10n/JabRef_en.properties +++ b/src/main/resources/l10n/JabRef_en.properties @@ -2350,3 +2350,5 @@ Aux\ file=Aux file Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Group containing entries cited in a given TeX file Any\ file=Any\ file + +No\ linked\ files\ found\ for\ export.=No linked files found for export. \ No newline at end of file From 39f495d610024a85fc12f9fbaca6c0835fb3a186 Mon Sep 17 00:00:00 2001 From: Eiswindyeti <33135360+Eiswindyeti@users.noreply.github.com> Date: Fri, 9 Mar 2018 20:00:45 +0100 Subject: [PATCH 02/26] Add parser for German months (#3536) (#3734) --- CHANGELOG.md | 1 + .../java/org/jabref/model/entry/Month.java | 33 ++++++++++++ .../org/jabref/model/entry/MonthTest.java | 51 +++++++++++++++++++ 3 files changed, 85 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a194c2bccfb..aa39af37e31 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -35,6 +35,7 @@ The new default removes the linked file from the entry instead of deleting the f - The group editing window can now also be called by double-clicking the group to be edited. [koppor#277](https://github.com/koppor/jabref/issues/277) - The magnifier icon at the search shows the [search mode](https://help.jabref.org/en/Search#search-modes) again. [#3535](https://github.com/JabRef/jabref/issues/3535) - We added a new cleanup operation that replaces ligatures with their expanded form. [#3613](https://github.com/JabRef/jabref/issues/3613) +- We added the function to parse German month names. [#3536](https://github.com/JabRef/jabref/pull/3536) - Pressing ESC while searching will clear the search field and select the first entry, if available, in the table. [koppor#293](https://github.com/koppor/jabref/issues/293) - We changed the metadata reading and writing. DublinCore is now the only metadata format, JabRef supports. (https://github.com/JabRef/jabref/pull/3710) - We added another CLI functionality for reading and writing metadata to pdfs. (see https://github.com/JabRef/jabref/pull/3756 and see http://help.jabref.org/en/CommandLine) diff --git a/src/main/java/org/jabref/model/entry/Month.java b/src/main/java/org/jabref/model/entry/Month.java index 5c50e1fd877..f024c9af78b 100644 --- a/src/main/java/org/jabref/model/entry/Month.java +++ b/src/main/java/org/jabref/model/entry/Month.java @@ -1,5 +1,9 @@ package org.jabref.model.entry; +import java.time.YearMonth; +import java.time.format.DateTimeFormatter; +import java.time.format.DateTimeParseException; +import java.util.Locale; import java.util.Optional; import org.jabref.model.strings.StringUtil; @@ -84,11 +88,17 @@ public static Optional parse(String value) { if (testString.length() > 3) { testString = testString.substring(0, 3); } + Optional month = Month.getMonthByShortName(testString); if (month.isPresent()) { return month; } + month = Month.parseGermanShortMonth(testString); + if (month.isPresent()) { + return month; + } + try { int number = Integer.parseInt(value); return Month.getMonthByNumber(number); @@ -97,6 +107,29 @@ public static Optional parse(String value) { } } + /** + * Parses a month having the string in German standard form such as + * "Oktober" or in German short form such as "Okt" + * + * @param value, + * a String that represents a month in German form + * @return the corresponding month instance, empty if input is not in German + * form + */ + private static Optional parseGermanShortMonth(String value) { + if ("Mae".equalsIgnoreCase(value) || "Maerz".equalsIgnoreCase(value)) { + return Month.getMonthByNumber(3); + } + + try { + YearMonth yearMonth = YearMonth.parse("1969-" + value, + DateTimeFormatter.ofPattern("yyyy-MMM", Locale.GERMAN)); + return Month.getMonthByNumber(yearMonth.getMonthValue()); + } catch (DateTimeParseException e) { + return Optional.empty(); + } + } + /** * Returns the name of a Month in a short (3-letter) format. (jan, feb, mar, ...) * diff --git a/src/test/java/org/jabref/model/entry/MonthTest.java b/src/test/java/org/jabref/model/entry/MonthTest.java index dc5a29c8c26..02321f8e4a9 100644 --- a/src/test/java/org/jabref/model/entry/MonthTest.java +++ b/src/test/java/org/jabref/model/entry/MonthTest.java @@ -100,4 +100,55 @@ public void parseReturnsEmptyOptionalForInvalidInput() { public void parseReturnsEmptyOptionalForEmptyInput() { assertEquals(Optional.empty(), Month.parse("")); } + + @Test + public void parseCorrectlyByShortNameGerman() { + assertEquals(Optional.of(Month.JANUARY), Month.parse("Jan")); + assertEquals(Optional.of(Month.FEBRUARY), Month.parse("Feb")); + assertEquals(Optional.of(Month.MARCH), Month.parse("M�r")); + assertEquals(Optional.of(Month.MARCH), Month.parse("Mae")); + assertEquals(Optional.of(Month.APRIL), Month.parse("Apr")); + assertEquals(Optional.of(Month.MAY), Month.parse("Mai")); + assertEquals(Optional.of(Month.JUNE), Month.parse("Jun")); + assertEquals(Optional.of(Month.JULY), Month.parse("Jul")); + assertEquals(Optional.of(Month.AUGUST), Month.parse("Aug")); + assertEquals(Optional.of(Month.SEPTEMBER), Month.parse("Sep")); + assertEquals(Optional.of(Month.OCTOBER), Month.parse("Okt")); + assertEquals(Optional.of(Month.NOVEMBER), Month.parse("Nov")); + assertEquals(Optional.of(Month.DECEMBER), Month.parse("Dez")); + } + + @Test + public void parseCorrectlyByFullNameGerman() { + assertEquals(Optional.of(Month.JANUARY), Month.parse("Januar")); + assertEquals(Optional.of(Month.FEBRUARY), Month.parse("Februar")); + assertEquals(Optional.of(Month.MARCH), Month.parse("M�rz")); + assertEquals(Optional.of(Month.MARCH), Month.parse("Maerz")); + assertEquals(Optional.of(Month.APRIL), Month.parse("April")); + assertEquals(Optional.of(Month.MAY), Month.parse("Mai")); + assertEquals(Optional.of(Month.JUNE), Month.parse("Juni")); + assertEquals(Optional.of(Month.JULY), Month.parse("Juli")); + assertEquals(Optional.of(Month.AUGUST), Month.parse("August")); + assertEquals(Optional.of(Month.SEPTEMBER), Month.parse("September")); + assertEquals(Optional.of(Month.OCTOBER), Month.parse("Oktober")); + assertEquals(Optional.of(Month.NOVEMBER), Month.parse("November")); + assertEquals(Optional.of(Month.DECEMBER), Month.parse("Dezember")); + } + + @Test + public void parseCorrectlyByShortNameGermanLowercase() { + assertEquals(Optional.of(Month.JANUARY), Month.parse("jan")); + assertEquals(Optional.of(Month.FEBRUARY), Month.parse("feb")); + assertEquals(Optional.of(Month.MARCH), Month.parse("m�r")); + assertEquals(Optional.of(Month.MARCH), Month.parse("mae")); + assertEquals(Optional.of(Month.APRIL), Month.parse("apr")); + assertEquals(Optional.of(Month.MAY), Month.parse("mai")); + assertEquals(Optional.of(Month.JUNE), Month.parse("jun")); + assertEquals(Optional.of(Month.JULY), Month.parse("jul")); + assertEquals(Optional.of(Month.AUGUST), Month.parse("aug")); + assertEquals(Optional.of(Month.SEPTEMBER), Month.parse("sep")); + assertEquals(Optional.of(Month.OCTOBER), Month.parse("okt")); + assertEquals(Optional.of(Month.NOVEMBER), Month.parse("nov")); + assertEquals(Optional.of(Month.DECEMBER), Month.parse("dez")); + } } From 19fc873ff2505ea9f5d4b567a4c9388fb12d424d Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 20:19:56 +0100 Subject: [PATCH 03/26] Fix MonthTest --- src/main/java/org/jabref/model/entry/Month.java | 10 ++++++---- src/test/java/org/jabref/model/entry/MonthTest.java | 10 +++++----- 2 files changed, 11 insertions(+), 9 deletions(-) diff --git a/src/main/java/org/jabref/model/entry/Month.java b/src/main/java/org/jabref/model/entry/Month.java index f024c9af78b..ae06cae02c3 100644 --- a/src/main/java/org/jabref/model/entry/Month.java +++ b/src/main/java/org/jabref/model/entry/Month.java @@ -8,6 +8,8 @@ import org.jabref.model.strings.StringUtil; +import org.apache.commons.lang3.StringUtils; + /** * Represents a Month of the Year. */ @@ -88,7 +90,7 @@ public static Optional parse(String value) { if (testString.length() > 3) { testString = testString.substring(0, 3); } - + Optional month = Month.getMonthByShortName(testString); if (month.isPresent()) { return month; @@ -110,19 +112,19 @@ public static Optional parse(String value) { /** * Parses a month having the string in German standard form such as * "Oktober" or in German short form such as "Okt" - * + * * @param value, * a String that represents a month in German form * @return the corresponding month instance, empty if input is not in German * form */ private static Optional parseGermanShortMonth(String value) { - if ("Mae".equalsIgnoreCase(value) || "Maerz".equalsIgnoreCase(value)) { + if ("Mae".equalsIgnoreCase(value) || "Maerz".equalsIgnoreCase(value) || "Mär".equalsIgnoreCase(value)) { return Month.getMonthByNumber(3); } try { - YearMonth yearMonth = YearMonth.parse("1969-" + value, + YearMonth yearMonth = YearMonth.parse("1969-" + StringUtils.capitalize(value), DateTimeFormatter.ofPattern("yyyy-MMM", Locale.GERMAN)); return Month.getMonthByNumber(yearMonth.getMonthValue()); } catch (DateTimeParseException e) { diff --git a/src/test/java/org/jabref/model/entry/MonthTest.java b/src/test/java/org/jabref/model/entry/MonthTest.java index 02321f8e4a9..d99b7c3c472 100644 --- a/src/test/java/org/jabref/model/entry/MonthTest.java +++ b/src/test/java/org/jabref/model/entry/MonthTest.java @@ -100,12 +100,12 @@ public void parseReturnsEmptyOptionalForInvalidInput() { public void parseReturnsEmptyOptionalForEmptyInput() { assertEquals(Optional.empty(), Month.parse("")); } - + @Test public void parseCorrectlyByShortNameGerman() { assertEquals(Optional.of(Month.JANUARY), Month.parse("Jan")); assertEquals(Optional.of(Month.FEBRUARY), Month.parse("Feb")); - assertEquals(Optional.of(Month.MARCH), Month.parse("M�r")); + assertEquals(Optional.of(Month.MARCH), Month.parse("Mär")); assertEquals(Optional.of(Month.MARCH), Month.parse("Mae")); assertEquals(Optional.of(Month.APRIL), Month.parse("Apr")); assertEquals(Optional.of(Month.MAY), Month.parse("Mai")); @@ -122,7 +122,7 @@ public void parseCorrectlyByShortNameGerman() { public void parseCorrectlyByFullNameGerman() { assertEquals(Optional.of(Month.JANUARY), Month.parse("Januar")); assertEquals(Optional.of(Month.FEBRUARY), Month.parse("Februar")); - assertEquals(Optional.of(Month.MARCH), Month.parse("M�rz")); + assertEquals(Optional.of(Month.MARCH), Month.parse("März")); assertEquals(Optional.of(Month.MARCH), Month.parse("Maerz")); assertEquals(Optional.of(Month.APRIL), Month.parse("April")); assertEquals(Optional.of(Month.MAY), Month.parse("Mai")); @@ -134,12 +134,12 @@ public void parseCorrectlyByFullNameGerman() { assertEquals(Optional.of(Month.NOVEMBER), Month.parse("November")); assertEquals(Optional.of(Month.DECEMBER), Month.parse("Dezember")); } - + @Test public void parseCorrectlyByShortNameGermanLowercase() { assertEquals(Optional.of(Month.JANUARY), Month.parse("jan")); assertEquals(Optional.of(Month.FEBRUARY), Month.parse("feb")); - assertEquals(Optional.of(Month.MARCH), Month.parse("m�r")); + assertEquals(Optional.of(Month.MARCH), Month.parse("mär")); assertEquals(Optional.of(Month.MARCH), Month.parse("mae")); assertEquals(Optional.of(Month.APRIL), Month.parse("apr")); assertEquals(Optional.of(Month.MAY), Month.parse("mai")); From 6d17784351d938a9224d7d690a2a3eb7f4c52c7d Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 20:37:56 +0100 Subject: [PATCH 04/26] New Crowdin translations (#3828) * New translations Menu_en.properties (Tagalog) * New translations JabRef_en.properties (Tagalog) --- src/main/resources/l10n/JabRef_tl.properties | 1086 ------------------ src/main/resources/l10n/Menu_tl.properties | 125 +- 2 files changed, 15 insertions(+), 1196 deletions(-) diff --git a/src/main/resources/l10n/JabRef_tl.properties b/src/main/resources/l10n/JabRef_tl.properties index 2ea59368f93..2892c0e112e 100644 --- a/src/main/resources/l10n/JabRef_tl.properties +++ b/src/main/resources/l10n/JabRef_tl.properties @@ -279,8 +279,6 @@ cut\ entries=putulin ang mga entries cut\ entry=putulin ang mga entry -Add\ a\ (compiled)\ custom\ Importer\ class\ from\ a\ ZIP-archive.=Add a (compiled) custom Importer class from a ZIP-archive. -The\ ZIP-archive\ need\ not\ be\ on\ the\ classpath\ of\ JabRef.=The ZIP-archive need not be on the classpath of JabRef. Library\ encoding=Pag-incode ng library @@ -309,7 +307,6 @@ Delete\ custom\ format=Tanggalin ang custom na format delete\ entries=tanggalin ang entries -All\ fields=All fields delete\ entry=tanggalin ang entry @@ -359,7 +356,6 @@ Do\ not\ write\ the\ following\ fields\ to\ XMP\ Metadata\:=Huwag isulat ang mga Do\ you\ want\ JabRef\ to\ do\ the\ following\ operations?=Gusto mo ba na ang JabRef ay sundin ang mga operasyon? -Allow\ overwriting\ existing\ links.=Allow overwriting existing links. Down=Baba @@ -393,7 +389,6 @@ Edit\ file\ type=Baguhin ang uri ng file Add\ group=Magdagdag ng grupo Edit\ group=Baguhin ang grupo -Cannot\ merge\ this\ change=Cannot merge this change Edit\ preamble=Baguhin ang preamble Edit\ strings=Baguhin ang strings @@ -412,7 +407,6 @@ Entries\ cannot\ be\ manually\ assigned\ to\ or\ removed\ from\ this\ group.=Mga Entries\ exported\ to\ clipboard=Ang entries ay pinalabas sa clipboard -Change\ of\ Grouping\ Method=Change of Grouping Method entry=entry @@ -652,7 +646,6 @@ Invalid\ date\ format=Hindi balido ang format para sa petsa Invalid\ URL=Hindi balido ang URL -Entries\ exported\ to\ clipboard=Entries exported to clipboard JabRef\ preferences=Ang preferences ng JabRef @@ -784,7 +777,6 @@ no\ library\ generated=walang library ang nabuo No\ entries\ found.\ Please\ make\ sure\ you\ are\ using\ the\ correct\ import\ filter.=Walang entries ang nakita. Pakiusap na isigurado ang iyong paggamit sa wastong import filter. -General=General No\ entries\ found\ for\ the\ search\ string\ '%0'=Walang entries ang nakita para sa string ng paghahanap '%0' @@ -818,13 +810,6 @@ One\ or\ more\ file\ links\ are\ of\ the\ type\ '%0',\ which\ is\ undefined.\ Wh One\ or\ more\ keys\ will\ be\ overwritten.\ Continue?=Isa o mahigit na susi ang ma-overwrite. Ipagpatuloy? -Highlight=Highlight -Marking=Marking -Underline=Underline -Empty\ Highlight=Empty Highlight -Empty\ Marking=Empty Marking -Empty\ Underline=Empty Underline -The\ marked\ area\ does\ not\ contain\ any\ legible\ text!=The marked area does not contain any legible text! Open=Buksan @@ -834,13 +819,10 @@ Open\ library=Buksan ang library Open\ editor\ when\ a\ new\ entry\ is\ created=Buksan ang taga bago kung kailan may entry na nagawa -Import\ and\ keep\ old\ entry=Import and keep old entry Open\ last\ edited\ libraries\ at\ startup=Buksan ang huling na-edit na mga libraries sa startup -Import\ entries=Import entries -Import\ failed=Import failed Open\ URL\ or\ DOI=Buksan ang URL o DOI @@ -868,8 +850,6 @@ Override\ default\ font\ settings=I-override ang mga default na font settings Override\ the\ BibTeX\ field\ by\ the\ selected\ text=I-override ang BibTex na patlang sa pamamagitan ng napili na teksyo -Include\ abstracts=Include abstracts -Include\ entries=Include entries Overwrite=I-overwrite Overwrite\ existing\ field\ values=I-overwrite ang umiiral na bilang ng patlang @@ -1175,7 +1155,6 @@ The\ chosen\ date\ format\ for\ new\ entries\ is\ not\ valid=Ang piniling format The\ chosen\ encoding\ '%0'\ could\ not\ encode\ the\ following\ characters\:=Ang napiling encoding na '%0' ay hindi ma-encode ang mga sumusunod na character\: -Raw\ source=Raw source the\ field\ %0=ang patlang na %0 @@ -1873,69 +1852,35 @@ Regenerating\ BibTeX\ keys\ according\ to\ metadata=I-regenerate ang BibTeX na s Regenerate\ all\ keys\ for\ the\ entries\ in\ a\ BibTeX\ file=I-regenerate ang lahat na susi para sa mga entries sa BibTeX na file Show\ debug\ level\ messages=Ipakita ang debug na antas ng mensahe -Set\ general\ fields=Set general fields -Set\ main\ external\ file\ directory=Set main external file directory -Set\ table\ font=Set table font -Settings=Settings -Shortcut=Shortcut -Show/edit\ %0\ source=Show/edit %0 source -Show\ 'Firstname\ Lastname'=Show 'Firstname Lastname' -Show\ 'Lastname,\ Firstname'=Show 'Lastname, Firstname' -Show\ BibTeX\ source\ by\ default=Show BibTeX source by default -Show\ confirmation\ dialog\ when\ deleting\ entries=Show confirmation dialog when deleting entries -Show\ description=Show description -Show\ file\ column=Show file column -Show\ last\ names\ only=Show last names only -Show\ names\ unchanged=Show names unchanged -Show\ optional\ fields=Show optional fields -Show\ required\ fields=Show required fields -Show\ URL/DOI\ column=Show URL/DOI column -Show\ validation\ messages=Show validation messages -Simple\ HTML=Simple HTML -Since\ the\ 'Review'\ field\ was\ deprecated\ in\ JabRef\ 4.2,\ these\ two\ fields\ are\ about\ to\ be\ merged\ into\ the\ 'Comment'\ field.=Since the 'Review' field was deprecated in JabRef 4.2, these two fields are about to be merged into the 'Comment' field. -Size=Size -Skipped\ -\ No\ PDF\ linked=Skipped - No PDF linked -Skipped\ -\ PDF\ does\ not\ exist=Skipped - PDF does not exist -Skipped\ entry.=Skipped entry. -Some\ appearance\ settings\ you\ changed\ require\ to\ restart\ JabRef\ to\ come\ into\ effect.=Some appearance settings you changed require to restart JabRef to come into effect. -source\ edit=source edit -Special\ name\ formatters=Special name formatters -Special\ table\ columns=Special table columns -Starting\ import=Starting import -Statically\ group\ entries\ by\ manual\ assignment=Statically group entries by manual assignment -Status=Status -Stop=Stop -Strings=Strings -Strings\ for\ library=Strings for library Work\ offline=Magtrabaho offline Working\ offline.=Nagtatrabaho offline. @@ -1993,31 +1938,18 @@ Date=Petsa File\ annotations=Mga anotasyon ng file Show\ file\ annotations=Ipakita ang mga anotasyon ng file -Table\ grid\ color=Table grid color -Table\ text\ color=Table text color -Tabname=Tabname -Target\ file\ cannot\ be\ a\ directory.=Target file cannot be a directory. -Tertiary\ sort\ criterion=Tertiary sort criterion -Test=Test -paste\ text\ here=paste text here -The\ chosen\ date\ format\ for\ new\ entries\ is\ not\ valid=The chosen date format for new entries is not valid -The\ chosen\ encoding\ '%0'\ could\ not\ encode\ the\ following\ characters\:=The chosen encoding '%0' could not encode the following characters: -the\ field\ %0=the field %0 -The\ file
'%0'
has\ been\ modified
externally\!=The file
'%0'
has been modified
externally! -The\ group\ "%0"\ already\ contains\ the\ selection.=The group "%0" already contains the selection. -The\ label\ of\ the\ string\ cannot\ be\ a\ number.=The label of the string cannot be a number. Document\ viewer=Viewer ng dokumento Live=Live @@ -2074,1021 +2006,3 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Grupo na naglalaman n Any\ file=Anumang file -BibTeX\ key\ generator=BibTeX key generator -Unable\ to\ open\ link.=Unable to open link. -Move\ the\ keyboard\ focus\ to\ the\ entry\ table=Move the keyboard focus to the entry table -MIME\ type=MIME type - -This\ feature\ lets\ new\ files\ be\ opened\ or\ imported\ into\ an\ already\ running\ instance\ of\ JabRef
instead\ of\ opening\ a\ new\ instance.\ For\ instance,\ this\ is\ useful\ when\ you\ open\ a\ file\ in\ JabRef
from\ your\ web\ browser.
Note\ that\ this\ will\ prevent\ you\ from\ running\ more\ than\ one\ instance\ of\ JabRef\ at\ a\ time.=This feature lets new files be opened or imported into an already running instance of JabRef
instead of opening a new instance. For instance, this is useful when you open a file in JabRef
from your web browser.
Note that this will prevent you from running more than one instance of JabRef at a time. -Run\ fetcher,\ e.g.\ "--fetch\=Medline\:cancer"=Run fetcher, e.g. "--fetch=Medline:cancer" - -The\ ACM\ Digital\ Library=The ACM Digital Library -Reset=Reset - -Use\ IEEE\ LaTeX\ abbreviations=Use IEEE LaTeX abbreviations -The\ Guide\ to\ Computing\ Literature=The Guide to Computing Literature - -When\ opening\ file\ link,\ search\ for\ matching\ file\ if\ no\ link\ is\ defined=When opening file link, search for matching file if no link is defined -Settings\ for\ %0=Settings for %0 -Mark\ entries\ imported\ into\ an\ existing\ library=Mark entries imported into an existing library -Unmark\ all\ entries\ before\ importing\ new\ entries\ into\ an\ existing\ library=Unmark all entries before importing new entries into an existing library - -Forward=Forward -Back=Back -Sort\ the\ following\ fields\ as\ numeric\ fields=Sort the following fields as numeric fields -Line\ %0\:\ Found\ corrupted\ BibTeX\ key.=Line %0: Found corrupted BibTeX key. -Line\ %0\:\ Found\ corrupted\ BibTeX\ key\ (contains\ whitespaces).=Line %0: Found corrupted BibTeX key (contains whitespaces). -Line\ %0\:\ Found\ corrupted\ BibTeX\ key\ (comma\ missing).=Line %0: Found corrupted BibTeX key (comma missing). -Full\ text\ document\ download\ failed=Full text document download failed -Update\ to\ current\ column\ order=Update to current column order -Download\ from\ URL=Download from URL -Rename\ field=Rename field -Set/clear/append/rename\ fields=Set/clear/append/rename fields -Append\ field=Append field -Append\ to\ fields=Append to fields -Rename\ field\ to=Rename field to -Move\ contents\ of\ a\ field\ into\ a\ field\ with\ a\ different\ name=Move contents of a field into a field with a different name -You\ can\ only\ rename\ one\ field\ at\ a\ time=You can only rename one field at a time - -Remove\ all\ broken\ links=Remove all broken links - -Cannot\ use\ port\ %0\ for\ remote\ operation;\ another\ application\ may\ be\ using\ it.\ Try\ specifying\ another\ port.=Cannot use port %0 for remote operation; another application may be using it. Try specifying another port. - -Looking\ for\ full\ text\ document...=Looking for full text document... -Autosave=Autosave -A\ local\ copy\ will\ be\ opened.=A local copy will be opened. -Autosave\ local\ libraries=Autosave local libraries -Automatically\ save\ the\ library\ to=Automatically save the library to -Please\ enter\ a\ valid\ file\ path.=Please enter a valid file path. - - -Export\ in\ current\ table\ sort\ order=Export in current table sort order -Export\ entries\ in\ their\ original\ order=Export entries in their original order -Error\ opening\ file\ '%0'.=Error opening file '%0'. - -Formatter\ not\ found\:\ %0=Formatter not found: %0 -Clear\ inputarea=Clear inputarea - -Could\ not\ save,\ file\ locked\ by\ another\ JabRef\ instance.=Could not save, file locked by another JabRef instance. -File\ is\ locked\ by\ another\ JabRef\ instance.=File is locked by another JabRef instance. -Do\ you\ want\ to\ override\ the\ file\ lock?=Do you want to override the file lock? -File\ locked=File locked -Current\ tmp\ value=Current tmp value -Metadata\ change=Metadata change -Changes\ have\ been\ made\ to\ the\ following\ metadata\ elements=Changes have been made to the following metadata elements - -Generate\ groups\ for\ author\ last\ names=Generate groups for author last names -Generate\ groups\ from\ keywords\ in\ a\ BibTeX\ field=Generate groups from keywords in a BibTeX field -Enforce\ legal\ characters\ in\ BibTeX\ keys=Enforce legal characters in BibTeX keys - -Save\ without\ backup?=Save without backup? -Unable\ to\ create\ backup=Unable to create backup -Move\ file\ to\ file\ directory=Move file to file directory -Rename\ file\ to=Rename file to -All\ Entries\ (this\ group\ cannot\ be\ edited\ or\ removed)=All Entries (this group cannot be edited or removed) -static\ group=static group -dynamic\ group=dynamic group -refines\ supergroup=refines supergroup -includes\ subgroups=includes subgroups -contains=contains -search\ expression=search expression - -Optional\ fields\ 2=Optional fields 2 -Waiting\ for\ save\ operation\ to\ finish=Waiting for save operation to finish -Resolving\ duplicate\ BibTeX\ keys...=Resolving duplicate BibTeX keys... -Finished\ resolving\ duplicate\ BibTeX\ keys.\ %0\ entries\ modified.=Finished resolving duplicate BibTeX keys. %0 entries modified. -This\ library\ contains\ one\ or\ more\ duplicated\ BibTeX\ keys.=This library contains one or more duplicated BibTeX keys. -Do\ you\ want\ to\ resolve\ duplicate\ keys\ now?=Do you want to resolve duplicate keys now? - -Find\ and\ remove\ duplicate\ BibTeX\ keys=Find and remove duplicate BibTeX keys -Expected\ syntax\ for\ --fetch\='\:'=Expected syntax for --fetch=':' -Duplicate\ BibTeX\ key=Duplicate BibTeX key -Import\ marking\ color=Import marking color -Always\ add\ letter\ (a,\ b,\ ...)\ to\ generated\ keys=Always add letter (a, b, ...) to generated keys - -Ensure\ unique\ keys\ using\ letters\ (a,\ b,\ ...)=Ensure unique keys using letters (a, b, ...) -Ensure\ unique\ keys\ using\ letters\ (b,\ c,\ ...)=Ensure unique keys using letters (b, c, ...) -Entry\ editor\ active\ background\ color=Entry editor active background color -Entry\ editor\ background\ color=Entry editor background color -Entry\ editor\ font\ color=Entry editor font color -Entry\ editor\ invalid\ field\ color=Entry editor invalid field color - -Table\ and\ entry\ editor\ colors=Table and entry editor colors - -General\ file\ directory=General file directory -User-specific\ file\ directory=User-specific file directory -Search\ failed\:\ illegal\ search\ expression=Search failed: illegal search expression -Show\ ArXiv\ column=Show ArXiv column - -You\ must\ enter\ an\ integer\ value\ in\ the\ interval\ 1025-65535\ in\ the\ text\ field\ for=You must enter an integer value in the interval 1025-65535 in the text field for -Automatically\ open\ browse\ dialog\ when\ creating\ new\ file\ link=Automatically open browse dialog when creating new file link -Import\ metadata\ from\:=Import metadata from: -Choose\ the\ source\ for\ the\ metadata\ import=Choose the source for the metadata import -Create\ entry\ based\ on\ XMP-metadata=Create entry based on XMP-metadata -Create\ blank\ entry\ linking\ the\ PDF=Create blank entry linking the PDF -Only\ attach\ PDF=Only attach PDF -Title=Title -Create\ new\ entry=Create new entry -Update\ existing\ entry=Update existing entry -Autocomplete\ names\ in\ 'Firstname\ Lastname'\ format\ only=Autocomplete names in 'Firstname Lastname' format only -Autocomplete\ names\ in\ 'Lastname,\ Firstname'\ format\ only=Autocomplete names in 'Lastname, Firstname' format only -Autocomplete\ names\ in\ both\ formats=Autocomplete names in both formats -Marking\ color\ %0=Marking color %0 -The\ name\ 'comment'\ cannot\ be\ used\ as\ an\ entry\ type\ name.=The name 'comment' cannot be used as an entry type name. -You\ must\ enter\ an\ integer\ value\ in\ the\ text\ field\ for=You must enter an integer value in the text field for -Send\ as\ email=Send as email -References=References -Sending\ of\ emails=Sending of emails -Subject\ for\ sending\ an\ email\ with\ references=Subject for sending an email with references -Automatically\ open\ folders\ of\ attached\ files=Automatically open folders of attached files -Create\ entry\ based\ on\ content=Create entry based on content -Do\ not\ show\ this\ box\ again\ for\ this\ import=Do not show this box again for this import -Always\ use\ this\ PDF\ import\ style\ (and\ do\ not\ ask\ for\ each\ import)=Always use this PDF import style (and do not ask for each import) -Error\ creating\ email=Error creating email -Entries\ added\ to\ an\ email=Entries added to an email -exportFormat=exportFormat -Output\ file\ missing=Output file missing -No\ search\ matches.=No search matches. -The\ output\ option\ depends\ on\ a\ valid\ input\ option.=The output option depends on a valid input option. -Default\ import\ style\ for\ drag\ and\ drop\ of\ PDFs=Default import style for drag and drop of PDFs -Default\ PDF\ file\ link\ action=Default PDF file link action -Filename\ format\ pattern=Filename format pattern -Additional\ parameters=Additional parameters -Cite\ selected\ entries\ between\ parenthesis=Cite selected entries between parenthesis -Cite\ selected\ entries\ with\ in-text\ citation=Cite selected entries with in-text citation -Cite\ special=Cite special -Extra\ information\ (e.g.\ page\ number)=Extra information (e.g. page number) -Manage\ citations=Manage citations -Problem\ modifying\ citation=Problem modifying citation -Citation=Citation -Extra\ information=Extra information -Could\ not\ resolve\ BibTeX\ entry\ for\ citation\ marker\ '%0'.=Could not resolve BibTeX entry for citation marker '%0'. -Select\ style=Select style -Journals=Journals -Cite=Cite -Cite\ in-text=Cite in-text -Insert\ empty\ citation=Insert empty citation -Merge\ citations=Merge citations -Manual\ connect=Manual connect -Select\ Writer\ document=Select Writer document -Sync\ OpenOffice/LibreOffice\ bibliography=Sync OpenOffice/LibreOffice bibliography -Select\ which\ open\ Writer\ document\ to\ work\ on=Select which open Writer document to work on -Connected\ to\ document=Connected to document -Insert\ a\ citation\ without\ text\ (the\ entry\ will\ appear\ in\ the\ reference\ list)=Insert a citation without text (the entry will appear in the reference list) -Cite\ selected\ entries\ with\ extra\ information=Cite selected entries with extra information -Ensure\ that\ the\ bibliography\ is\ up-to-date=Ensure that the bibliography is up-to-date -Your\ OpenOffice/LibreOffice\ document\ references\ the\ BibTeX\ key\ '%0',\ which\ could\ not\ be\ found\ in\ your\ current\ library.=Your OpenOffice/LibreOffice document references the BibTeX key '%0', which could not be found in your current library. -Unable\ to\ synchronize\ bibliography=Unable to synchronize bibliography -Combine\ pairs\ of\ citations\ that\ are\ separated\ by\ spaces\ only=Combine pairs of citations that are separated by spaces only -Autodetection\ failed=Autodetection failed -Connecting=Connecting -Please\ wait...=Please wait... -Set\ connection\ parameters=Set connection parameters -Path\ to\ OpenOffice/LibreOffice\ directory=Path to OpenOffice/LibreOffice directory -Path\ to\ OpenOffice/LibreOffice\ executable=Path to OpenOffice/LibreOffice executable -Path\ to\ OpenOffice/LibreOffice\ library\ dir=Path to OpenOffice/LibreOffice library dir -Connection\ lost=Connection lost -The\ paragraph\ format\ is\ controlled\ by\ the\ property\ 'ReferenceParagraphFormat'\ or\ 'ReferenceHeaderParagraphFormat'\ in\ the\ style\ file.=The paragraph format is controlled by the property 'ReferenceParagraphFormat' or 'ReferenceHeaderParagraphFormat' in the style file. -The\ character\ format\ is\ controlled\ by\ the\ citation\ property\ 'CitationCharacterFormat'\ in\ the\ style\ file.=The character format is controlled by the citation property 'CitationCharacterFormat' in the style file. -Automatically\ sync\ bibliography\ when\ inserting\ citations=Automatically sync bibliography when inserting citations -Look\ up\ BibTeX\ entries\ in\ the\ active\ tab\ only=Look up BibTeX entries in the active tab only -Look\ up\ BibTeX\ entries\ in\ all\ open\ libraries=Look up BibTeX entries in all open libraries -Autodetecting\ paths...=Autodetecting paths... -Could\ not\ find\ OpenOffice/LibreOffice\ installation=Could not find OpenOffice/LibreOffice installation -Found\ more\ than\ one\ OpenOffice/LibreOffice\ executable.=Found more than one OpenOffice/LibreOffice executable. -Please\ choose\ which\ one\ to\ connect\ to\:=Please choose which one to connect to: -Choose\ OpenOffice/LibreOffice\ executable=Choose OpenOffice/LibreOffice executable -Select\ document=Select document -HTML\ list=HTML list -If\ possible,\ normalize\ this\ list\ of\ names\ to\ conform\ to\ standard\ BibTeX\ name\ formatting=If possible, normalize this list of names to conform to standard BibTeX name formatting -Could\ not\ open\ %0=Could not open %0 -Unknown\ import\ format=Unknown import format -Web\ search=Web search -Style\ selection=Style selection -No\ valid\ style\ file\ defined=No valid style file defined -Choose\ pattern=Choose pattern -Use\ the\ BIB\ file\ location\ as\ primary\ file\ directory=Use the BIB file location as primary file directory -Could\ not\ run\ the\ gnuclient/emacsclient\ program.\ Make\ sure\ you\ have\ the\ emacsclient/gnuclient\ program\ installed\ and\ available\ in\ the\ PATH.=Could not run the gnuclient/emacsclient program. Make sure you have the emacsclient/gnuclient program installed and available in the PATH. -OpenOffice/LibreOffice\ connection=OpenOffice/LibreOffice connection -You\ must\ select\ either\ a\ valid\ style\ file,\ or\ use\ one\ of\ the\ default\ styles.=You must select either a valid style file, or use one of the default styles. - -This\ is\ a\ simple\ copy\ and\ paste\ dialog.\ First\ load\ or\ paste\ some\ text\ into\ the\ text\ input\ area.
After\ that,\ you\ can\ mark\ text\ and\ assign\ it\ to\ a\ BibTeX\ field.=This is a simple copy and paste dialog. First load or paste some text into the text input area.
After that, you can mark text and assign it to a BibTeX field. -This\ feature\ generates\ a\ new\ library\ based\ on\ which\ entries\ are\ needed\ in\ an\ existing\ LaTeX\ document.=This feature generates a new library based on which entries are needed in an existing LaTeX document. -You\ need\ to\ select\ one\ of\ your\ open\ libraries\ from\ which\ to\ choose\ entries,\ as\ well\ as\ the\ AUX\ file\ produced\ by\ LaTeX\ when\ compiling\ your\ document.=You need to select one of your open libraries from which to choose entries, as well as the AUX file produced by LaTeX when compiling your document. - -First\ select\ entries\ to\ clean\ up.=First select entries to clean up. -Cleanup\ entry=Cleanup entry -Autogenerate\ PDF\ Names=Autogenerate PDF Names -Auto-generating\ PDF-Names\ does\ not\ support\ undo.\ Continue?=Auto-generating PDF-Names does not support undo. Continue? - -Use\ full\ firstname\ whenever\ possible=Use full firstname whenever possible -Use\ abbreviated\ firstname\ whenever\ possible=Use abbreviated firstname whenever possible -Use\ abbreviated\ and\ full\ firstname=Use abbreviated and full firstname -Autocompletion\ options=Autocompletion options -Name\ format\ used\ for\ autocompletion=Name format used for autocompletion -Treatment\ of\ first\ names=Treatment of first names -Cleanup\ entries=Cleanup entries -Automatically\ assign\ new\ entry\ to\ selected\ groups=Automatically assign new entry to selected groups -%0\ mode=%0 mode -Move\ DOIs\ from\ note\ and\ URL\ field\ to\ DOI\ field\ and\ remove\ http\ prefix=Move DOIs from note and URL field to DOI field and remove http prefix -Make\ paths\ of\ linked\ files\ relative\ (if\ possible)=Make paths of linked files relative (if possible) -Rename\ PDFs\ to\ given\ filename\ format\ pattern=Rename PDFs to given filename format pattern -Rename\ only\ PDFs\ having\ a\ relative\ path=Rename only PDFs having a relative path -What\ would\ you\ like\ to\ clean\ up?=What would you like to clean up? -Doing\ a\ cleanup\ for\ %0\ entries...=Doing a cleanup for %0 entries... -No\ entry\ needed\ a\ clean\ up=No entry needed a clean up -One\ entry\ needed\ a\ clean\ up=One entry needed a clean up -%0\ entries\ needed\ a\ clean\ up=%0 entries needed a clean up - -Remove\ selected=Remove selected - -Group\ tree\ could\ not\ be\ parsed.\ If\ you\ save\ the\ BibTeX\ library,\ all\ groups\ will\ be\ lost.=Group tree could not be parsed. If you save the BibTeX library, all groups will be lost. -Attach\ file=Attach file -Setting\ all\ preferences\ to\ default\ values.=Setting all preferences to default values. -Resetting\ preference\ key\ '%0'=Resetting preference key '%0' -Unknown\ preference\ key\ '%0'=Unknown preference key '%0' -Unable\ to\ clear\ preferences.=Unable to clear preferences. - -Reset\ preferences\ (key1,key2,...\ or\ 'all')=Reset preferences (key1,key2,... or 'all') -Find\ unlinked\ files=Find unlinked files -Unselect\ all=Unselect all -Expand\ all=Expand all -Collapse\ all=Collapse all -Opens\ the\ file\ browser.=Opens the file browser. -Scan\ directory=Scan directory -Searches\ the\ selected\ directory\ for\ unlinked\ files.=Searches the selected directory for unlinked files. -Starts\ the\ import\ of\ BibTeX\ entries.=Starts the import of BibTeX entries. -Leave\ this\ dialog.=Leave this dialog. -Create\ directory\ based\ keywords=Create directory based keywords -Creates\ keywords\ in\ created\ entrys\ with\ directory\ pathnames=Creates keywords in created entrys with directory pathnames -Select\ a\ directory\ where\ the\ search\ shall\ start.=Select a directory where the search shall start. -Select\ file\ type\:=Select file type: -These\ files\ are\ not\ linked\ in\ the\ active\ library.=These files are not linked in the active library. -Entry\ type\ to\ be\ created\:=Entry type to be created: -Searching\ file\ system...=Searching file system... -Importing\ into\ Library...=Importing into Library... -Select\ directory=Select directory -Select\ files=Select files -BibTeX\ entry\ creation=BibTeX entry creation -= -Unable\ to\ connect\ to\ FreeCite\ online\ service.=Unable to connect to FreeCite online service. -Parse\ with\ FreeCite=Parse with FreeCite -How\ would\ you\ like\ to\ link\ to\ '%0'?=How would you like to link to '%0'? -BibTeX\ key\ patterns=BibTeX key patterns -Changed\ special\ field\ settings=Changed special field settings -Clear\ priority=Clear priority -Clear\ rank=Clear rank -Enable\ special\ fields=Enable special fields -One\ star=One star -Two\ stars=Two stars -Three\ stars=Three stars -Four\ stars=Four stars -Five\ stars=Five stars -Help\ on\ special\ fields=Help on special fields -Keywords\ of\ selected\ entries=Keywords of selected entries -Manage\ content\ selectors=Manage content selectors -Manage\ keywords=Manage keywords -No\ priority\ information=No priority information -No\ rank\ information=No rank information -Priority=Priority -Priority\ high=Priority high -Priority\ low=Priority low -Priority\ medium=Priority medium -Quality=Quality -Rank=Rank -Relevance=Relevance -Set\ priority\ to\ high=Set priority to high -Set\ priority\ to\ low=Set priority to low -Set\ priority\ to\ medium=Set priority to medium -Show\ priority=Show priority -Show\ quality=Show quality -Show\ rank=Show rank -Show\ relevance=Show relevance -Synchronize\ with\ keywords=Synchronize with keywords -Synchronized\ special\ fields\ based\ on\ keywords=Synchronized special fields based on keywords -Toggle\ relevance=Toggle relevance -Toggle\ quality\ assured=Toggle quality assured -Toggle\ print\ status=Toggle print status -Update\ keywords=Update keywords -Write\ values\ of\ special\ fields\ as\ separate\ fields\ to\ BibTeX=Write values of special fields as separate fields to BibTeX -You\ have\ changed\ settings\ for\ special\ fields.=You have changed settings for special fields. -%0\ entries\ found.\ To\ reduce\ server\ load,\ only\ %1\ will\ be\ downloaded.=%0 entries found. To reduce server load, only %1 will be downloaded. -A\ string\ with\ that\ label\ already\ exists=A string with that label already exists -Connection\ to\ OpenOffice/LibreOffice\ has\ been\ lost.\ Please\ make\ sure\ OpenOffice/LibreOffice\ is\ running,\ and\ try\ to\ reconnect.=Connection to OpenOffice/LibreOffice has been lost. Please make sure OpenOffice/LibreOffice is running, and try to reconnect. -JabRef\ will\ send\ at\ least\ one\ request\ per\ entry\ to\ a\ publisher.=JabRef will send at least one request per entry to a publisher. -Correct\ the\ entry,\ and\ reopen\ editor\ to\ display/edit\ source.=Correct the entry, and reopen editor to display/edit source. -Could\ not\ connect\ to\ a\ running\ gnuserv\ process.\ Make\ sure\ that\ Emacs\ or\ XEmacs\ is\ running,
and\ that\ the\ server\ has\ been\ started\ (by\ running\ the\ command\ 'server-start'/'gnuserv-start').=Could not connect to a running gnuserv process. Make sure that Emacs or XEmacs is running,
and that the server has been started (by running the command 'server-start'/'gnuserv-start'). -Could\ not\ connect\ to\ running\ OpenOffice/LibreOffice.=Could not connect to running OpenOffice/LibreOffice. -Make\ sure\ you\ have\ installed\ OpenOffice/LibreOffice\ with\ Java\ support.=Make sure you have installed OpenOffice/LibreOffice with Java support. -If\ connecting\ manually,\ please\ verify\ program\ and\ library\ paths.=If connecting manually, please verify program and library paths. -Error\ message\:=Error message: -If\ a\ pasted\ or\ imported\ entry\ already\ has\ the\ field\ set,\ overwrite.=If a pasted or imported entry already has the field set, overwrite. -Import\ metadata\ from\ PDF=Import metadata from PDF -Not\ connected\ to\ any\ Writer\ document.\ Please\ make\ sure\ a\ document\ is\ open,\ and\ use\ the\ 'Select\ Writer\ document'\ button\ to\ connect\ to\ it.=Not connected to any Writer document. Please make sure a document is open, and use the 'Select Writer document' button to connect to it. -Removed\ all\ subgroups\ of\ group\ "%0".=Removed all subgroups of group "%0". -To\ disable\ the\ memory\ stick\ mode\ rename\ or\ remove\ the\ jabref.xml\ file\ in\ the\ same\ folder\ as\ JabRef.=To disable the memory stick mode rename or remove the jabref.xml file in the same folder as JabRef. -Unable\ to\ connect.\ One\ possible\ reason\ is\ that\ JabRef\ and\ OpenOffice/LibreOffice\ are\ not\ both\ running\ in\ either\ 32\ bit\ mode\ or\ 64\ bit\ mode.=Unable to connect. One possible reason is that JabRef and OpenOffice/LibreOffice are not both running in either 32 bit mode or 64 bit mode. -Use\ the\ following\ delimiter\ character(s)\:=Use the following delimiter character(s): -When\ downloading\ files,\ or\ moving\ linked\ files\ to\ the\ file\ directory,\ prefer\ the\ BIB\ file\ location\ rather\ than\ the\ file\ directory\ set\ above=When downloading files, or moving linked files to the file directory, prefer the BIB file location rather than the file directory set above -Your\ style\ file\ specifies\ the\ character\ format\ '%0',\ which\ is\ undefined\ in\ your\ current\ OpenOffice/LibreOffice\ document.=Your style file specifies the character format '%0', which is undefined in your current OpenOffice/LibreOffice document. -Your\ style\ file\ specifies\ the\ paragraph\ format\ '%0',\ which\ is\ undefined\ in\ your\ current\ OpenOffice/LibreOffice\ document.=Your style file specifies the paragraph format '%0', which is undefined in your current OpenOffice/LibreOffice document. - -Searching...=Searching... -You\ have\ selected\ more\ than\ %0\ entries\ for\ download.\ Some\ web\ sites\ might\ block\ you\ if\ you\ make\ too\ many\ rapid\ downloads.\ Do\ you\ want\ to\ continue?=You have selected more than %0 entries for download. Some web sites might block you if you make too many rapid downloads. Do you want to continue? -Confirm\ selection=Confirm selection -Add\ {}\ to\ specified\ title\ words\ on\ search\ to\ keep\ the\ correct\ case=Add {} to specified title words on search to keep the correct case -Import\ conversions=Import conversions -Please\ enter\ a\ search\ string=Please enter a search string -Please\ open\ or\ start\ a\ new\ library\ before\ searching=Please open or start a new library before searching - -Canceled\ merging\ entries=Canceled merging entries - -Format\ units\ by\ adding\ non-breaking\ separators\ and\ keeping\ the\ correct\ case\ on\ search=Format units by adding non-breaking separators and keeping the correct case on search -Merge\ entries=Merge entries -Merged\ entries=Merged entries -Merged\ entry=Merged entry -None=None -Parse=Parse -Result=Result -Show\ DOI\ first=Show DOI first -Show\ URL\ first=Show URL first -Use\ Emacs\ key\ bindings=Use Emacs key bindings -You\ have\ to\ choose\ exactly\ two\ entries\ to\ merge.=You have to choose exactly two entries to merge. - -Update\ timestamp\ on\ modification=Update timestamp on modification -All\ key\ bindings\ will\ be\ reset\ to\ their\ defaults.=All key bindings will be reset to their defaults. - -Automatically\ set\ file\ links=Automatically set file links -Resetting\ all\ key\ bindings=Resetting all key bindings -Hostname=Hostname -Invalid\ setting=Invalid setting -Network=Network -Please\ specify\ both\ hostname\ and\ port=Please specify both hostname and port -Please\ specify\ both\ username\ and\ password=Please specify both username and password - -Use\ custom\ proxy\ configuration=Use custom proxy configuration -Proxy\ requires\ authentication=Proxy requires authentication -Attention\:\ Password\ is\ stored\ in\ plain\ text\!=Attention: Password is stored in plain text! -Clear\ connection\ settings=Clear connection settings -Cleared\ connection\ settings.=Cleared connection settings. - -Rebind\ C-a,\ too=Rebind C-a, too -Rebind\ C-f,\ too=Rebind C-f, too - -Open\ folder=Open folder -Searches\ for\ unlinked\ PDF\ files\ on\ the\ file\ system=Searches for unlinked PDF files on the file system -Export\ entries\ ordered\ as\ specified=Export entries ordered as specified -Export\ sort\ order=Export sort order -Export\ sorting=Export sorting -Newline\ separator=Newline separator - -Save\ entries\ ordered\ as\ specified=Save entries ordered as specified -Save\ sort\ order=Save sort order -Show\ extra\ columns=Show extra columns -Parsing\ error=Parsing error -illegal\ backslash\ expression=illegal backslash expression - -Move\ to\ group=Move to group - -Clear\ read\ status=Clear read status -Convert\ to\ biblatex\ format\ (for\ example,\ move\ the\ value\ of\ the\ 'journal'\ field\ to\ 'journaltitle')=Convert to biblatex format (for example, move the value of the 'journal' field to 'journaltitle') -Could\ not\ apply\ changes.=Could not apply changes. -Deprecated\ fields=Deprecated fields -Hide/show\ toolbar=Hide/show toolbar -No\ read\ status\ information=No read status information -Printed=Printed -Read\ status=Read status -Read\ status\ read=Read status read -Read\ status\ skimmed=Read status skimmed -Save\ selected\ as\ plain\ BibTeX...=Save selected as plain BibTeX... -Set\ read\ status\ to\ read=Set read status to read -Set\ read\ status\ to\ skimmed=Set read status to skimmed -Show\ deprecated\ BibTeX\ fields=Show deprecated BibTeX fields - -Show\ gridlines=Show gridlines -Show\ printed\ status=Show printed status -Show\ read\ status=Show read status -Table\ row\ height\ padding=Table row height padding - -Marked\ selected\ entry=Marked selected entry -Marked\ all\ %0\ selected\ entries=Marked all %0 selected entries -Unmarked\ selected\ entry=Unmarked selected entry -Unmarked\ all\ %0\ selected\ entries=Unmarked all %0 selected entries - - -Unmarked\ all\ entries=Unmarked all entries - -Unable\ to\ find\ the\ requested\ look\ and\ feel\ and\ thus\ the\ default\ one\ is\ used.=Unable to find the requested look and feel and thus the default one is used. - -Opens\ JabRef's\ GitHub\ page=Opens JabRef's GitHub page -Opens\ JabRef's\ Twitter\ page=Opens JabRef's Twitter page -Opens\ JabRef's\ Facebook\ page=Opens JabRef's Facebook page -Opens\ JabRef's\ blog=Opens JabRef's blog -Opens\ JabRef's\ website=Opens JabRef's website - -Could\ not\ open\ browser.=Could not open browser. -Please\ open\ %0\ manually.=Please open %0 manually. -The\ link\ has\ been\ copied\ to\ the\ clipboard.=The link has been copied to the clipboard. - -Open\ %0\ file=Open %0 file - -Cannot\ delete\ file=Cannot delete file -File\ permission\ error=File permission error -Push\ to\ %0=Push to %0 -Path\ to\ %0=Path to %0 -Convert=Convert -Normalize\ to\ BibTeX\ name\ format=Normalize to BibTeX name format -Help\ on\ Name\ Formatting=Help on Name Formatting - -Add\ new\ file\ type=Add new file type - -Left\ entry=Left entry -Right\ entry=Right entry -Use=Use -Original\ entry=Original entry -Replace\ original\ entry=Replace original entry -No\ information\ added=No information added -Select\ at\ least\ one\ entry\ to\ manage\ keywords.=Select at least one entry to manage keywords. -OpenDocument\ text=OpenDocument text -OpenDocument\ spreadsheet=OpenDocument spreadsheet -OpenDocument\ presentation=OpenDocument presentation -%0\ image=%0 image -Added\ entry=Added entry -Modified\ entry=Modified entry -Deleted\ entry=Deleted entry -Modified\ groups\ tree=Modified groups tree -Removed\ all\ groups=Removed all groups -Accepting\ the\ change\ replaces\ the\ complete\ groups\ tree\ with\ the\ externally\ modified\ groups\ tree.=Accepting the change replaces the complete groups tree with the externally modified groups tree. -Select\ export\ format=Select export format -Return\ to\ JabRef=Return to JabRef -Please\ move\ the\ file\ manually\ and\ link\ in\ place.=Please move the file manually and link in place. -Could\ not\ connect\ to\ %0=Could not connect to %0 -Warning\:\ %0\ out\ of\ %1\ entries\ have\ undefined\ title.=Warning: %0 out of %1 entries have undefined title. -Warning\:\ %0\ out\ of\ %1\ entries\ have\ undefined\ BibTeX\ key.=Warning: %0 out of %1 entries have undefined BibTeX key. -occurrence=occurrence -Added\ new\ '%0'\ entry.=Added new '%0' entry. -Multiple\ entries\ selected.\ Do\ you\ want\ to\ change\ the\ type\ of\ all\ these\ to\ '%0'?=Multiple entries selected. Do you want to change the type of all these to '%0'? -Changed\ type\ to\ '%0'\ for=Changed type to '%0' for -Really\ delete\ the\ selected\ entry?=Really delete the selected entry? -Really\ delete\ the\ %0\ selected\ entries?=Really delete the %0 selected entries? -Keep\ merged\ entry\ only=Keep merged entry only -Keep\ left=Keep left -Keep\ right=Keep right -Old\ entry=Old entry -From\ import=From import -No\ problems\ found.=No problems found. -%0\ problem(s)\ found=%0 problem(s) found -Save\ changes=Save changes -Discard\ changes=Discard changes -Library\ '%0'\ has\ changed.=Library '%0' has changed. -Print\ entry\ preview=Print entry preview -Copy\ title=Copy title -Copy\ \\cite{BibTeX\ key}=Copy \\cite{BibTeX key} -Copy\ BibTeX\ key\ and\ title=Copy BibTeX key and title -File\ rename\ failed\ for\ %0\ entries.=File rename failed for %0 entries. -Merged\ BibTeX\ source\ code=Merged BibTeX source code -Invalid\ DOI\:\ '%0'.=Invalid DOI: '%0'. -should\ start\ with\ a\ name=should start with a name -should\ end\ with\ a\ name=should end with a name -unexpected\ closing\ curly\ bracket=unexpected closing curly bracket -unexpected\ opening\ curly\ bracket=unexpected opening curly bracket -capital\ letters\ are\ not\ masked\ using\ curly\ brackets\ {}=capital letters are not masked using curly brackets {} -should\ contain\ a\ four\ digit\ number=should contain a four digit number -should\ contain\ a\ valid\ page\ number\ range=should contain a valid page number range -Filled=Filled -Field\ is\ missing=Field is missing -Search\ %0=Search %0 - -Search\ results\ in\ all\ libraries\ for\ %0=Search results in all libraries for %0 -Search\ results\ in\ library\ %0\ for\ %1=Search results in library %0 for %1 -Search\ globally=Search globally -No\ results\ found.=No results found. -Found\ %0\ results.=Found %0 results. -plain\ text=plain text -This\ search\ contains\ entries\ in\ which\ any\ field\ contains\ the\ regular\ expression\ %0=This search contains entries in which any field contains the regular expression %0 -This\ search\ contains\ entries\ in\ which\ any\ field\ contains\ the\ term\ %0=This search contains entries in which any field contains the term %0 -This\ search\ contains\ entries\ in\ which=This search contains entries in which - -Unable\ to\ autodetect\ OpenOffice/LibreOffice\ installation.\ Please\ choose\ the\ installation\ directory\ manually.=Unable to autodetect OpenOffice/LibreOffice installation. Please choose the installation directory manually. -JabRef\ no\ longer\ supports\ 'ps'\ or\ 'pdf'\ fields.
File\ links\ are\ now\ stored\ in\ the\ 'file'\ field\ and\ files\ are\ stored\ in\ an\ external\ file\ directory.
To\ make\ use\ of\ this\ feature,\ JabRef\ needs\ to\ upgrade\ file\ links.

=JabRef no longer supports 'ps' or 'pdf' fields.
File links are now stored in the 'file' field and files are stored in an external file directory.
To make use of this feature, JabRef needs to upgrade file links.

-This\ library\ uses\ outdated\ file\ links.=This library uses outdated file links. - -Clear\ search=Clear search -Close\ library=Close library -Close\ entry\ editor=Close entry editor -Decrease\ table\ font\ size=Decrease table font size -Entry\ editor,\ next\ entry=Entry editor, next entry -Entry\ editor,\ next\ panel=Entry editor, next panel -Entry\ editor,\ next\ panel\ 2=Entry editor, next panel 2 -Entry\ editor,\ previous\ entry=Entry editor, previous entry -Entry\ editor,\ previous\ panel=Entry editor, previous panel -Entry\ editor,\ previous\ panel\ 2=Entry editor, previous panel 2 -File\ list\ editor,\ move\ entry\ down=File list editor, move entry down -File\ list\ editor,\ move\ entry\ up=File list editor, move entry up -Focus\ entry\ table=Focus entry table -Import\ into\ current\ library=Import into current library -Import\ into\ new\ library=Import into new library -Increase\ table\ font\ size=Increase table font size -New\ article=New article -New\ book=New book -New\ entry=New entry -New\ from\ plain\ text=New from plain text -New\ inbook=New inbook -New\ mastersthesis=New mastersthesis -New\ phdthesis=New phdthesis -New\ proceedings=New proceedings -New\ unpublished=New unpublished -Next\ tab=Next tab -Preamble\ editor,\ store\ changes=Preamble editor, store changes -Previous\ tab=Previous tab -Push\ to\ application=Push to application -Refresh\ OpenOffice/LibreOffice=Refresh OpenOffice/LibreOffice -Resolve\ duplicate\ BibTeX\ keys=Resolve duplicate BibTeX keys -Save\ all=Save all -String\ dialog,\ add\ string=String dialog, add string -String\ dialog,\ remove\ string=String dialog, remove string -Synchronize\ files=Synchronize files -Unabbreviate=Unabbreviate -should\ contain\ a\ protocol=should contain a protocol -Copy\ preview=Copy preview -Automatically\ setting\ file\ links=Automatically setting file links -Regenerating\ BibTeX\ keys\ according\ to\ metadata=Regenerating BibTeX keys according to metadata -Regenerate\ all\ keys\ for\ the\ entries\ in\ a\ BibTeX\ file=Regenerate all keys for the entries in a BibTeX file -Show\ debug\ level\ messages=Show debug level messages -Default\ bibliography\ mode=Default bibliography mode -New\ %0\ library\ created.=New %0 library created. -Show\ only\ preferences\ deviating\ from\ their\ default\ value=Show only preferences deviating from their default value -default=default -key=key -type=type -value=value -Show\ preferences=Show preferences -Save\ actions=Save actions -Enable\ save\ actions=Enable save actions -Convert\ to\ BibTeX\ format\ (for\ example,\ move\ the\ value\ of\ the\ 'journaltitle'\ field\ to\ 'journal')=Convert to BibTeX format (for example, move the value of the 'journaltitle' field to 'journal') - -Other\ fields=Other fields -Show\ remaining\ fields=Show remaining fields - -link\ should\ refer\ to\ a\ correct\ file\ path=link should refer to a correct file path -abbreviation\ detected=abbreviation detected -wrong\ entry\ type\ as\ proceedings\ has\ page\ numbers=wrong entry type as proceedings has page numbers -Abbreviate\ journal\ names=Abbreviate journal names -Abbreviating...=Abbreviating... -Abbreviation\ %s\ for\ journal\ %s\ already\ defined.=Abbreviation %s for journal %s already defined. -Abbreviation\ cannot\ be\ empty=Abbreviation cannot be empty -Duplicated\ Journal\ Abbreviation=Duplicated Journal Abbreviation -Duplicated\ Journal\ File=Duplicated Journal File -Error\ Occurred=Error Occurred -Journal\ file\ %s\ already\ added=Journal file %s already added -Name\ cannot\ be\ empty=Name cannot be empty - -Adding\ fetched\ entries=Adding fetched entries -Display\ keywords\ appearing\ in\ ALL\ entries=Display keywords appearing in ALL entries -Display\ keywords\ appearing\ in\ ANY\ entry=Display keywords appearing in ANY entry -Fetching\ entries\ from\ Inspire=Fetching entries from Inspire -None\ of\ the\ selected\ entries\ have\ titles.=None of the selected entries have titles. -None\ of\ the\ selected\ entries\ have\ BibTeX\ keys.=None of the selected entries have BibTeX keys. -Unabbreviate\ journal\ names=Unabbreviate journal names -Unabbreviating...=Unabbreviating... -Usage=Usage - - -Adds\ {}\ brackets\ around\ acronyms,\ month\ names\ and\ countries\ to\ preserve\ their\ case.=Adds {} brackets around acronyms, month names and countries to preserve their case. -Are\ you\ sure\ you\ want\ to\ reset\ all\ settings\ to\ default\ values?=Are you sure you want to reset all settings to default values? -Reset\ preferences=Reset preferences -Ill-formed\ entrytype\ comment\ in\ BIB\ file=Ill-formed entrytype comment in BIB file - -Move\ linked\ files\ to\ default\ file\ directory\ %0=Move linked files to default file directory %0 - -Clipboard=Clipboard -Could\ not\ paste\ entry\ as\ text\:=Could not paste entry as text: -Do\ you\ still\ want\ to\ continue?=Do you still want to continue? -This\ action\ will\ modify\ the\ following\ field(s)\ in\ at\ least\ one\ entry\ each\:=This action will modify the following field(s) in at least one entry each: -This\ could\ cause\ undesired\ changes\ to\ your\ entries.=This could cause undesired changes to your entries. -Run\ field\ formatter\:=Run field formatter: -Table\ font\ size\ is\ %0=Table font size is %0 -%0\ import\ canceled=%0 import canceled -Internal\ style=Internal style -Add\ style\ file=Add style file -Are\ you\ sure\ you\ want\ to\ remove\ the\ style?=Are you sure you want to remove the style? -Current\ style\ is\ '%0'=Current style is '%0' -Remove\ style=Remove style -Select\ one\ of\ the\ available\ styles\ or\ add\ a\ style\ file\ from\ disk.=Select one of the available styles or add a style file from disk. -You\ must\ select\ a\ valid\ style\ file.=You must select a valid style file. -Reload=Reload - -Capitalize=Capitalize -Capitalize\ all\ words,\ but\ converts\ articles,\ prepositions,\ and\ conjunctions\ to\ lower\ case.=Capitalize all words, but converts articles, prepositions, and conjunctions to lower case. -Capitalize\ the\ first\ word,\ changes\ other\ words\ to\ lower\ case.=Capitalize the first word, changes other words to lower case. -Changes\ all\ letters\ to\ lower\ case.=Changes all letters to lower case. -Changes\ all\ letters\ to\ upper\ case.=Changes all letters to upper case. -Changes\ the\ first\ letter\ of\ all\ words\ to\ capital\ case\ and\ the\ remaining\ letters\ to\ lower\ case.=Changes the first letter of all words to capital case and the remaining letters to lower case. -Cleans\ up\ LaTeX\ code.=Cleans up LaTeX code. -Converts\ HTML\ code\ to\ LaTeX\ code.=Converts HTML code to LaTeX code. -Converts\ HTML\ code\ to\ Unicode.=Converts HTML code to Unicode. -Converts\ LaTeX\ encoding\ to\ Unicode\ characters.=Converts LaTeX encoding to Unicode characters. -Converts\ Unicode\ characters\ to\ LaTeX\ encoding.=Converts Unicode characters to LaTeX encoding. -Converts\ ordinals\ to\ LaTeX\ superscripts.=Converts ordinals to LaTeX superscripts. -Converts\ units\ to\ LaTeX\ formatting.=Converts units to LaTeX formatting. -HTML\ to\ LaTeX=HTML to LaTeX -LaTeX\ cleanup=LaTeX cleanup -LaTeX\ to\ Unicode=LaTeX to Unicode -Lower\ case=Lower case -Minify\ list\ of\ person\ names=Minify list of person names -Normalize\ date=Normalize date -Normalize\ month=Normalize month -Normalize\ month\ to\ BibTeX\ standard\ abbreviation.=Normalize month to BibTeX standard abbreviation. -Normalize\ names\ of\ persons=Normalize names of persons -Normalize\ page\ numbers=Normalize page numbers -Normalize\ pages\ to\ BibTeX\ standard.=Normalize pages to BibTeX standard. -Normalizes\ lists\ of\ persons\ to\ the\ BibTeX\ standard.=Normalizes lists of persons to the BibTeX standard. -Normalizes\ the\ date\ to\ ISO\ date\ format.=Normalizes the date to ISO date format. -Ordinals\ to\ LaTeX\ superscript=Ordinals to LaTeX superscript -Protect\ terms=Protect terms -Remove\ enclosing\ braces=Remove enclosing braces -Removes\ braces\ encapsulating\ the\ complete\ field\ content.=Removes braces encapsulating the complete field content. -Sentence\ case=Sentence case -Shortens\ lists\ of\ persons\ if\ there\ are\ more\ than\ 2\ persons\ to\ "et\ al.".=Shortens lists of persons if there are more than 2 persons to "et al.". -Title\ case=Title case -Unicode\ to\ LaTeX=Unicode to LaTeX -Units\ to\ LaTeX=Units to LaTeX -Upper\ case=Upper case -Does\ nothing.=Does nothing. -Identity=Identity -Clears\ the\ field\ completely.=Clears the field completely. -Directory\ not\ found=Directory not found -Main\ file\ directory\ not\ set\!=Main file directory not set! -This\ operation\ requires\ exactly\ one\ item\ to\ be\ selected.=This operation requires exactly one item to be selected. -Importing\ in\ %0\ format=Importing in %0 format -Female\ name=Female name -Female\ names=Female names -Male\ name=Male name -Male\ names=Male names -Mixed\ names=Mixed names -Neuter\ name=Neuter name -Neuter\ names=Neuter names - -Determined\ %0\ for\ %1\ entries=Determined %0 for %1 entries -Look\ up\ %0=Look up %0 -Looking\ up\ %0...\ -\ entry\ %1\ out\ of\ %2\ -\ found\ %3=Looking up %0... - entry %1 out of %2 - found %3 - -Audio\ CD=Audio CD -British\ patent=British patent -British\ patent\ request=British patent request -Candidate\ thesis=Candidate thesis -Collaborator=Collaborator -Column=Column -Compiler=Compiler -Continuator=Continuator -Data\ CD=Data CD -Editor=Editor -European\ patent=European patent -European\ patent\ request=European patent request -Founder=Founder -French\ patent=French patent -French\ patent\ request=French patent request -German\ patent=German patent -German\ patent\ request=German patent request -Line=Line -Master's\ thesis=Master's thesis -Page=Page -Paragraph=Paragraph -Patent=Patent -Patent\ request=Patent request -PhD\ thesis=PhD thesis -Redactor=Redactor -Research\ report=Research report -Reviser=Reviser -Section=Section -Software=Software -Technical\ report=Technical report -U.S.\ patent=U.S. patent -U.S.\ patent\ request=U.S. patent request -Verse=Verse - -change\ entries\ of\ group=change entries of group -odd\ number\ of\ unescaped\ '\#'=odd number of unescaped '#' - -Plain\ text=Plain text -Show\ diff=Show diff -character=character -word=word -Show\ symmetric\ diff=Show symmetric diff -Copy\ Version=Copy Version -Developers=Developers -Authors=Authors -License=License - -HTML\ encoded\ character\ found=HTML encoded character found -booktitle\ ends\ with\ 'conference\ on'=booktitle ends with 'conference on' - -All\ external\ files=All external files - -OpenOffice/LibreOffice\ integration=OpenOffice/LibreOffice integration - -incorrect\ control\ digit=incorrect control digit -incorrect\ format=incorrect format -Copied\ version\ to\ clipboard=Copied version to clipboard - -BibTeX\ key=BibTeX key -Message=Message - - -MathSciNet\ Review=MathSciNet Review -Reset\ Bindings=Reset Bindings - -Decryption\ not\ supported.=Decryption not supported. - -Cleared\ '%0'\ for\ %1\ entries=Cleared '%0' for %1 entries -Set\ '%0'\ to\ '%1'\ for\ %2\ entries=Set '%0' to '%1' for %2 entries -Toggled\ '%0'\ for\ %1\ entries=Toggled '%0' for %1 entries - -Check\ for\ updates=Check for updates -Download\ update=Download update -New\ version\ available=New version available -Installed\ version=Installed version -Remind\ me\ later=Remind me later -Ignore\ this\ update=Ignore this update -Could\ not\ connect\ to\ the\ update\ server.=Could not connect to the update server. -Please\ try\ again\ later\ and/or\ check\ your\ network\ connection.=Please try again later and/or check your network connection. -To\ see\ what\ is\ new\ view\ the\ changelog.=To see what is new view the changelog. -A\ new\ version\ of\ JabRef\ has\ been\ released.=A new version of JabRef has been released. -JabRef\ is\ up-to-date.=JabRef is up-to-date. -Latest\ version=Latest version -Online\ help\ forum=Online help forum -Custom=Custom - -Export\ cited=Export cited -Unable\ to\ generate\ new\ library=Unable to generate new library - -Open\ console=Open console -Use\ default\ terminal\ emulator=Use default terminal emulator -Execute\ command=Execute command -Note\:\ Use\ the\ placeholder\ %0\ for\ the\ location\ of\ the\ opened\ library\ file.=Note: Use the placeholder %0 for the location of the opened library file. -Executing\ command\ \"%0\"...=Executing command \"%0\"... -Error\ occured\ while\ executing\ the\ command\ \"%0\".=Error occured while executing the command \"%0\". -Reformat\ ISSN=Reformat ISSN - -Countries\ and\ territories\ in\ English=Countries and territories in English -Electrical\ engineering\ terms=Electrical engineering terms -Enabled=Enabled -Internal\ list=Internal list -Manage\ protected\ terms\ files=Manage protected terms files -Months\ and\ weekdays\ in\ English=Months and weekdays in English -The\ text\ after\ the\ last\ line\ starting\ with\ \#\ will\ be\ used=The text after the last line starting with # will be used -Add\ protected\ terms\ file=Add protected terms file -Are\ you\ sure\ you\ want\ to\ remove\ the\ protected\ terms\ file?=Are you sure you want to remove the protected terms file? -Remove\ protected\ terms\ file=Remove protected terms file -Add\ selected\ text\ to\ list=Add selected text to list -Add\ {}\ around\ selected\ text=Add {} around selected text -Format\ field=Format field -New\ protected\ terms\ file=New protected terms file -change\ field\ %0\ of\ entry\ %1\ from\ %2\ to\ %3=change field %0 of entry %1 from %2 to %3 -change\ key\ from\ %0\ to\ %1=change key from %0 to %1 -change\ string\ content\ %0\ to\ %1=change string content %0 to %1 -change\ string\ name\ %0\ to\ %1=change string name %0 to %1 -change\ type\ of\ entry\ %0\ from\ %1\ to\ %2=change type of entry %0 from %1 to %2 -insert\ entry\ %0=insert entry %0 -insert\ string\ %0=insert string %0 -remove\ entry\ %0=remove entry %0 -remove\ string\ %0=remove string %0 -undefined=undefined -Cannot\ get\ info\ based\ on\ given\ %0\:\ %1=Cannot get info based on given %0: %1 -Get\ BibTeX\ data\ from\ %0=Get BibTeX data from %0 -No\ %0\ found=No %0 found -Entry\ from\ %0=Entry from %0 -Merge\ entry\ with\ %0\ information=Merge entry with %0 information -Updated\ entry\ with\ info\ from\ %0=Updated entry with info from %0 - -Add\ existing\ file=Add existing file -Create\ new\ list=Create new list -Remove\ list=Remove list -Full\ journal\ name=Full journal name -Abbreviation\ name=Abbreviation name - -No\ abbreviation\ files\ loaded=No abbreviation files loaded - -Loading\ built\ in\ lists=Loading built in lists - -JabRef\ built\ in\ list=JabRef built in list -IEEE\ built\ in\ list=IEEE built in list - -Event\ log=Event log -We\ now\ give\ you\ insight\ into\ the\ inner\ workings\ of\ JabRef\'s\ internals.\ This\ information\ might\ be\ helpful\ to\ diagnose\ the\ root\ cause\ of\ a\ problem.\ Please\ feel\ free\ to\ inform\ the\ developers\ about\ an\ issue.=We now give you insight into the inner workings of JabRef\'s internals. This information might be helpful to diagnose the root cause of a problem. Please feel free to inform the developers about an issue. -Log\ copied\ to\ clipboard.=Log copied to clipboard. -Copy\ Log=Copy Log -Clear\ Log=Clear Log -Report\ Issue=Report Issue -Issue\ on\ GitHub\ successfully\ reported.=Issue on GitHub successfully reported. -Issue\ report\ successful=Issue report successful -Your\ issue\ was\ reported\ in\ your\ browser.=Your issue was reported in your browser. -The\ log\ and\ exception\ information\ was\ copied\ to\ your\ clipboard.=The log and exception information was copied to your clipboard. -Please\ paste\ this\ information\ (with\ Ctrl+V)\ in\ the\ issue\ description.=Please paste this information (with Ctrl+V) in the issue description. - -Connection=Connection -Connecting...=Connecting... -Host=Host -Port=Port -Library=Library -User=User -Connect=Connect -Connection\ error=Connection error -Connection\ to\ %0\ server\ established.=Connection to %0 server established. -Required\ field\ "%0"\ is\ empty.=Required field "%0" is empty. -%0\ driver\ not\ available.=%0 driver not available. -The\ connection\ to\ the\ server\ has\ been\ terminated.=The connection to the server has been terminated. -Connection\ lost.=Connection lost. -Reconnect=Reconnect -Work\ offline=Work offline -Working\ offline.=Working offline. -Update\ refused.=Update refused. -Update\ refused=Update refused -Local\ entry=Local entry -Shared\ entry=Shared entry -Update\ could\ not\ be\ performed\ due\ to\ existing\ change\ conflicts.=Update could not be performed due to existing change conflicts. -You\ are\ not\ working\ on\ the\ newest\ version\ of\ BibEntry.=You are not working on the newest version of BibEntry. -Local\ version\:\ %0=Local version: %0 -Shared\ version\:\ %0=Shared version: %0 -Please\ merge\ the\ shared\ entry\ with\ yours\ and\ press\ "Merge\ entries"\ to\ resolve\ this\ problem.=Please merge the shared entry with yours and press "Merge entries" to resolve this problem. -Canceling\ this\ operation\ will\ leave\ your\ changes\ unsynchronized.\ Cancel\ anyway?=Canceling this operation will leave your changes unsynchronized. Cancel anyway? -Shared\ entry\ is\ no\ longer\ present=Shared entry is no longer present -The\ BibEntry\ you\ currently\ work\ on\ has\ been\ deleted\ on\ the\ shared\ side.=The BibEntry you currently work on has been deleted on the shared side. -You\ can\ restore\ the\ entry\ using\ the\ "Undo"\ operation.=You can restore the entry using the "Undo" operation. -Remember\ password?=Remember password? -You\ are\ already\ connected\ to\ a\ database\ using\ entered\ connection\ details.=You are already connected to a database using entered connection details. - -Cannot\ cite\ entries\ without\ BibTeX\ keys.\ Generate\ keys\ now?=Cannot cite entries without BibTeX keys. Generate keys now? -New\ technical\ report=New technical report - -%0\ file=%0 file -Custom\ layout\ file=Custom layout file -Protected\ terms\ file=Protected terms file -Style\ file=Style file - -Open\ OpenOffice/LibreOffice\ connection=Open OpenOffice/LibreOffice connection -You\ must\ enter\ at\ least\ one\ field\ name=You must enter at least one field name -Non-ASCII\ encoded\ character\ found=Non-ASCII encoded character found -Toggle\ web\ search\ interface=Toggle web search interface -Background\ color\ for\ resolved\ fields=Background color for resolved fields -Color\ code\ for\ resolved\ fields=Color code for resolved fields -%0\ files\ found=%0 files found -%0\ of\ %1=%0 of %1 -One\ file\ found=One file found -The\ import\ finished\ with\ warnings\:=The import finished with warnings: -There\ was\ one\ file\ that\ could\ not\ be\ imported.=There was one file that could not be imported. -There\ were\ %0\ files\ which\ could\ not\ be\ imported.=There were %0 files which could not be imported. - -Migration\ help\ information=Migration help information -Entered\ database\ has\ obsolete\ structure\ and\ is\ no\ longer\ supported.=Entered database has obsolete structure and is no longer supported. -However,\ a\ new\ database\ was\ created\ alongside\ the\ pre-3.6\ one.=However, a new database was created alongside the pre-3.6 one. -Click\ here\ to\ learn\ about\ the\ migration\ of\ pre-3.6\ databases.=Click here to learn about the migration of pre-3.6 databases. -Opens\ a\ link\ where\ the\ current\ development\ version\ can\ be\ downloaded=Opens a link where the current development version can be downloaded -See\ what\ has\ been\ changed\ in\ the\ JabRef\ versions=See what has been changed in the JabRef versions -Referenced\ BibTeX\ key\ does\ not\ exist=Referenced BibTeX key does not exist -Finished\ downloading\ full\ text\ document\ for\ entry\ %0.=Finished downloading full text document for entry %0. -Full\ text\ document\ download\ failed\ for\ entry\ %0.=Full text document download failed for entry %0. -Look\ up\ full\ text\ documents=Look up full text documents -You\ are\ about\ to\ look\ up\ full\ text\ documents\ for\ %0\ entries.=You are about to look up full text documents for %0 entries. -last\ four\ nonpunctuation\ characters\ should\ be\ numerals=last four nonpunctuation characters should be numerals - -Author=Author -Date=Date -File\ annotations=File annotations -Show\ file\ annotations=Show file annotations -Adobe\ Acrobat\ Reader=Adobe Acrobat Reader -Sumatra\ Reader=Sumatra Reader -shared=shared -should\ contain\ an\ integer\ or\ a\ literal=should contain an integer or a literal -should\ have\ the\ first\ letter\ capitalized=should have the first letter capitalized -Tools=Tools -What\'s\ new\ in\ this\ version?=What\'s new in this version? -Want\ to\ help?=Want to help? -Make\ a\ donation=Make a donation -get\ involved=get involved -Used\ libraries=Used libraries -Existing\ file=Existing file - -ID=ID -ID\ type=ID type -ID-based\ entry\ generator=ID-based entry generator -Fetcher\ '%0'\ did\ not\ find\ an\ entry\ for\ id\ '%1'.=Fetcher '%0' did not find an entry for id '%1'. - -Select\ first\ entry=Select first entry -Select\ last\ entry=Select last entry - -Invalid\ ISBN\:\ '%0'.=Invalid ISBN: '%0'. -should\ be\ an\ integer\ or\ normalized=should be an integer or normalized -should\ be\ normalized=should be normalized - -Empty\ search\ ID=Empty search ID -The\ given\ search\ ID\ was\ empty.=The given search ID was empty. -Copy\ BibTeX\ key\ and\ link=Copy BibTeX key and link -biblatex\ field\ only=biblatex field only - -Error\ while\ generating\ fetch\ URL=Error while generating fetch URL -Error\ while\ parsing\ ID\ list=Error while parsing ID list -Unable\ to\ get\ PubMed\ IDs=Unable to get PubMed IDs -Backup\ found=Backup found -A\ backup\ file\ for\ '%0'\ was\ found.=A backup file for '%0' was found. -This\ could\ indicate\ that\ JabRef\ did\ not\ shut\ down\ cleanly\ last\ time\ the\ file\ was\ used.=This could indicate that JabRef did not shut down cleanly last time the file was used. -Do\ you\ want\ to\ recover\ the\ library\ from\ the\ backup\ file?=Do you want to recover the library from the backup file? -Firstname\ Lastname=Firstname Lastname - -Recommended\ for\ %0=Recommended for %0 -Show\ 'Related\ Articles'\ tab=Show 'Related Articles' tab -This\ might\ be\ caused\ by\ reaching\ the\ traffic\ limitation\ of\ Google\ Scholar\ (see\ 'Help'\ for\ details).=This might be caused by reaching the traffic limitation of Google Scholar (see 'Help' for details). - -Could\ not\ open\ website.=Could not open website. -Problem\ downloading\ from\ %1=Problem downloading from %1 - -File\ directory\ pattern=File directory pattern -Update\ with\ bibliographic\ information\ from\ the\ web=Update with bibliographic information from the web - -Could\ not\ find\ any\ bibliographic\ information.=Could not find any bibliographic information. -BibTeX\ key\ deviates\ from\ generated\ key=BibTeX key deviates from generated key -DOI\ %0\ is\ invalid=DOI %0 is invalid - -Select\ all\ customized\ types\ to\ be\ stored\ in\ local\ preferences=Select all customized types to be stored in local preferences -Currently\ unknown=Currently\ unknown -Different\ customization,\ current\ settings\ will\ be\ overwritten=Different customization, current settings will be overwritten - -Entry\ type\ %0\ is\ only\ defined\ for\ Biblatex\ but\ not\ for\ BibTeX=Entry type %0 is only defined for Biblatex but not for BibTeX -Jump\ to\ entry=Jump to entry - -Copied\ %0\ citations.=Copied %0 citations. -Copying...=Copying... - -journal\ not\ found\ in\ abbreviation\ list=journal not found in abbreviation list -Unhandled\ exception\ occurred.=Unhandled exception occurred. - -strings\ included=strings included -Color\ for\ disabled\ icons=Color for disabled icons -Color\ for\ enabled\ icons=Color for enabled icons -Size\ of\ large\ icons=Size of large icons -Size\ of\ small\ icons=Size of small icons -Default\ table\ font\ size=Default table font size -Escape\ underscores=Escape underscores -Color=Color -Please\ also\ add\ all\ steps\ to\ reproduce\ this\ issue,\ if\ possible.=Please also add all steps to reproduce this issue, if possible. -Fit\ width=Fit width -Fit\ a\ single\ page=Fit a single page -Zoom\ in=Zoom in -Zoom\ out=Zoom out -Previous\ page=Previous page -Next\ page=Next page -Document\ viewer=Document viewer -Live=Live -Locked=Locked -Show\ document\ viewer=Show document viewer -Show\ the\ document\ of\ the\ currently\ selected\ entry.=Show the document of the currently selected entry. -Show\ this\ document\ until\ unlocked.=Show this document until unlocked. -Set\ current\ user\ name\ as\ owner.=Set current user name as owner. - -Sort\ all\ subgroups\ (recursively)=Sort all subgroups (recursively) -Collect\ and\ share\ telemetry\ data\ to\ help\ improve\ JabRef.=Collect and share telemetry data to help improve JabRef. -Don't\ share=Don't share -Share\ anonymous\ statistics=Share anonymous statistics -Telemetry\:\ Help\ make\ JabRef\ better=Telemetry: Help make JabRef better -To\ improve\ the\ user\ experience,\ we\ would\ like\ to\ collect\ anonymous\ statistics\ on\ the\ features\ you\ use.\ We\ will\ only\ record\ what\ features\ you\ access\ and\ how\ often\ you\ do\ it.\ We\ will\ neither\ collect\ any\ personal\ data\ nor\ the\ content\ of\ bibliographic\ items.\ If\ you\ choose\ to\ allow\ data\ collection,\ you\ can\ later\ disable\ it\ via\ Options\ ->\ Preferences\ ->\ General.=To improve the user experience, we would like to collect anonymous statistics on the features you use. We will only record what features you access and how often you do it. We will neither collect any personal data nor the content of bibliographic items. If you choose to allow data collection, you can later disable it via Options -> Preferences -> General. -This\ file\ was\ found\ automatically.\ Do\ you\ want\ to\ link\ it\ to\ this\ entry?=This file was found automatically. Do you want to link it to this entry? -Names\ are\ not\ in\ the\ standard\ %0\ format.=Names are not in the standard %0 format. - -Delete\ the\ selected\ file\ permanently\ from\ disk,\ or\ just\ remove\ the\ file\ from\ the\ entry?\ Pressing\ Delete\ will\ delete\ the\ file\ permanently\ from\ disk.=Delete the selected file permanently from disk, or just remove the file from the entry? Pressing Delete will delete the file permanently from disk. -Delete\ '%0'=Delete '%0' -Delete\ from\ disk=Delete from disk -Remove\ from\ entry=Remove from entry -The\ group\ name\ contains\ the\ keyword\ separator\ "%0"\ and\ thus\ probably\ does\ not\ work\ as\ expected.=The group name contains the keyword separator "%0" and thus probably does not work as expected. -There\ exists\ already\ a\ group\ with\ the\ same\ name.=There exists already a group with the same name. - -Copy\ linked\ files\ to\ folder...=Copy linked files to folder... -Copied\ file\ successfully=Copied file successfully -Copying\ files...=Copying files... -Copying\ file\ %0\ of\ entry\ %1=Copying file %0 of entry %1 -Finished\ copying=Finished copying -Could\ not\ copy\ file=Could not copy file -Copied\ %0\ files\ of\ %1\ sucessfully\ to\ %2=Copied %0 files of %1 sucessfully to %2 -Rename\ failed=Rename failed -JabRef\ cannot\ access\ the\ file\ because\ it\ is\ being\ used\ by\ another\ process.=JabRef cannot access the file because it is being used by another process. -Show\ console\ output\ (only\ necessary\ when\ the\ launcher\ is\ used)=Show console output (only necessary when the launcher is used) - -Remove\ line\ breaks=Remove line breaks -Removes\ all\ line\ breaks\ in\ the\ field\ content.=Removes all line breaks in the field content. -Checking\ integrity...=Checking integrity... - -Remove\ hyphenated\ line\ breaks=Remove hyphenated line breaks -Removes\ all\ hyphenated\ line\ breaks\ in\ the\ field\ content.=Removes all hyphenated line breaks in the field content. -Note\ that\ currently,\ JabRef\ does\ not\ run\ with\ Java\ 9.=Note that currently, JabRef does not run with Java 9. -Your\ current\ Java\ version\ (%0)\ is\ not\ supported.\ Please\ install\ version\ %1\ or\ higher.=Your current Java version (%0) is not supported. Please install version %1 or higher. - -Could\ not\ retrieve\ entry\ data\ from\ '%0'.=Could not retrieve entry data from '%0'. -Entry\ from\ %0\ could\ not\ be\ parsed.=Entry from %0 could not be parsed. -Invalid\ identifier\:\ '%0'.=Invalid identifier: '%0'. -This\ paper\ has\ been\ withdrawn.=This paper has been withdrawn. -Finished\ writing\ XMP-metadata.=Finished writing XMP-metadata. -empty\ BibTeX\ key=empty BibTeX key -Your\ Java\ Runtime\ Environment\ is\ located\ at\ %0.=Your Java Runtime Environment is located at %0. -Aux\ file=Aux file -Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Group containing entries cited in a given TeX file - -Any\ file=Any\ file diff --git a/src/main/resources/l10n/Menu_tl.properties b/src/main/resources/l10n/Menu_tl.properties index cbc0e1ddb2f..e1681705780 100644 --- a/src/main/resources/l10n/Menu_tl.properties +++ b/src/main/resources/l10n/Menu_tl.properties @@ -4,124 +4,29 @@ Abbreviate\ journal\ names\ (MEDLINE)=Paikliin ang mga pangalan sa jurnal (MEDLI About\ JabRef=&Tungkol kay JabRef Append\ library=&Ilakip ang aklatan # Bibtex -Edit\ entry=&Edit entry -Edit\ preamble=Edit &preamble -Edit\ strings=Edit &strings -Export=&Export -Export\ selected\ entries\ to\ clipboard=&Export selected entries to clipboard # Menu names -File=&File -Find\ duplicates=&Find duplicates -Help=&Help # Help -Online\ help=Online help -Donate\ to\ JabRef=Donate to JabRef -Manage\ content\ selectors=Manage &content selectors -Manage\ custom\ exports=&Manage custom exports -Manage\ custom\ imports=Manage custom &imports -Manage\ journal\ abbreviations=Manage &journal abbreviations -Mark\ entries=&Mark entries # File menu -New\ %0\ library=&New %0 library # Menu BibTeX (BibTeX) -New\ entry=N&ew entry -New\ entry\ by\ type...=&New entry by type... -New\ entry\ from\ plain\ text=Ne&w entry from plain text -New\ sublibrary\ based\ on\ AUX\ file=New sublibrary based on AU&X file # View -Next\ tab=&Next tab -Open\ library=&Open library -Open\ URL\ or\ DOI=Open &URL or DOI -Connect\ to\ shared\ database=Connect to shared database -Open\ terminal\ here=Open terminal here -Options=&Options -Paste=&Paste # Options -Preferences=&Preferences -Previous\ tab=&Previous tab -Quit=&Quit -Recent\ libraries=&Recent libraries -Redo=&Redo -Replace\ string=&Replace string -Save\ library=&Save library -Save\ library\ as...=S&ave library as... -Save\ selected\ as...=Save se&lected as... # Tools -Search=&Search -Select\ all=Select &all -Set\ up\ general\ fields=Set up &general fields -View\ event\ log=View event log -Sort\ tabs=&Sort tabs -Next\ preview\ layout=&Next preview layout -Previous\ preview\ layout=&Previous preview layout # Export menu -Toggle\ entry\ preview=&Toggle entry preview -Toggle\ groups\ interface=Toggle &groups interface -Tools=&Tools -Unabbreviate\ journal\ names=Unabbreviate journal names # Edit -Undo=&Undo -Mark\ specific\ color=M&ark specific color -Unmark\ all=Unmark a&ll -Unmark\ entries=U&nmark entries -View=&View -Import\ into\ new\ library=Import into new library -Import\ into\ current\ library=Import into current library - -Switch\ to\ %0\ mode=Switch to %0 mode -Push\ entries\ to\ external\ application\ (%0)=Push entries to external application (%0) -Pull\ changes\ from\ shared\ database=Pull changes from shared database -Write\ XMP-metadata\ to\ PDFs=Write XMP-metadata to PDFs - -Export\ selected\ entries=Export selected entries - -Save\ all=Save all - -Manage\ external\ file\ types=Manage external file types - -Open\ file=Open file - -Focus\ entry\ table=Focus entry table - -Increase\ table\ font\ size=&Increase table font size -Decrease\ table\ font\ size=&Decrease table font size -Forward=Forward -Back=Back - -Look\ up\ document\ identifier...=Look up document identifier... -Look\ up\ full\ text\ documents=Look up full text documents -Set/clear/append/rename\ fields=Set/clear/append/rename fields - -Resolve\ duplicate\ BibTeX\ keys=Resolve duplicate BibTeX keys -Copy\ BibTeX\ key\ and\ title=Copy BibTeX key and title - -Cleanup\ entries=Cleanup entries -Manage\ keywords=Manage keywords -Merge\ entries=Merge entries -Open\ folder=Open folder -Find\ unlinked\ files...=Find unlinked files... -Hide/show\ toolbar=Hide/show toolbar - -Fork\ me\ on\ GitHub=Fork me on GitHub -Save\ selected\ as\ plain\ BibTeX...=Save selected as plain BibTeX... - -Groups=&Groups -Delete\ entry=Delete entry -Check\ integrity=Check integrity - -Quality=&Quality -Online\ help\ forum=Online help forum -Manage\ protected\ terms=Manage protected terms -Website=Website -Blog=Blog -JabRef\ resources=JabRef resources -Development\ version=Development version -View\ change\ log=View change log -Copy\ BibTeX\ key\ and\ link=Copy BibTeX key and link -Copy\ DOI\ url=Copy DOI url - -Copy\ citation=Copy citation -Default\ table\ font\ size=Default table font size -Show\ document\ viewer=Show document viewer + + + + + + + + + + + + + + + From 4c91238d63182952a5a47ad8296d074831cc0496 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 20:59:29 +0100 Subject: [PATCH 05/26] Add missing key --- src/main/resources/l10n/JabRef_en.properties | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/main/resources/l10n/JabRef_en.properties b/src/main/resources/l10n/JabRef_en.properties index 8035ead0dd8..196aefd07f6 100644 --- a/src/main/resources/l10n/JabRef_en.properties +++ b/src/main/resources/l10n/JabRef_en.properties @@ -207,6 +207,7 @@ Closed\ library=Closed library Color\ codes\ for\ required\ and\ optional\ fields=Color codes for required and optional fields Color\ for\ marking\ incomplete\ entries=Color for marking incomplete entries +Markings=Markings Column\ width=Column width @@ -2351,4 +2352,4 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Group containing entr Any\ file=Any\ file -No\ linked\ files\ found\ for\ export.=No linked files found for export. \ No newline at end of file +No\ linked\ files\ found\ for\ export.=No linked files found for export. From 0e1e90c39a05ca9192239d5f1857f7ce05c462ba Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:05:18 +0100 Subject: [PATCH 06/26] Remove "Markings" from the translation again --- src/main/resources/l10n/JabRef_en.properties | 1 - 1 file changed, 1 deletion(-) diff --git a/src/main/resources/l10n/JabRef_en.properties b/src/main/resources/l10n/JabRef_en.properties index 196aefd07f6..e1c3c27bb53 100644 --- a/src/main/resources/l10n/JabRef_en.properties +++ b/src/main/resources/l10n/JabRef_en.properties @@ -207,7 +207,6 @@ Closed\ library=Closed library Color\ codes\ for\ required\ and\ optional\ fields=Color codes for required and optional fields Color\ for\ marking\ incomplete\ entries=Color for marking incomplete entries -Markings=Markings Column\ width=Column width From 01fbab0f64bf7e369df3644fe136a764416d8d04 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:28 +0100 Subject: [PATCH 07/26] New translations JabRef_en.properties (French) --- src/main/resources/l10n/JabRef_fr.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_fr.properties b/src/main/resources/l10n/JabRef_fr.properties index 84647a09a69..1b0c29b15d1 100644 --- a/src/main/resources/l10n/JabRef_fr.properties +++ b/src/main/resources/l10n/JabRef_fr.properties @@ -2352,3 +2352,4 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Groupe contenant les Any\ file=N’importe quel fichier + From 1e0464438fb3d5373b24243b10af7b8ad235c6b8 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:30 +0100 Subject: [PATCH 08/26] New translations JabRef_en.properties (Spanish) --- src/main/resources/l10n/JabRef_es.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_es.properties b/src/main/resources/l10n/JabRef_es.properties index f6ee53ddff4..f1b0d171993 100644 --- a/src/main/resources/l10n/JabRef_es.properties +++ b/src/main/resources/l10n/JabRef_es.properties @@ -2281,3 +2281,4 @@ To\ improve\ the\ user\ experience,\ we\ would\ like\ to\ collect\ anonymous\ st empty\ BibTeX\ key=vaciar clave BibTeX + From a356ad09ae8c0a0f84ba674bfa2ffa5f2e59fe0c Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:33 +0100 Subject: [PATCH 09/26] New translations JabRef_en.properties (Persian) --- src/main/resources/l10n/JabRef_fa.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_fa.properties b/src/main/resources/l10n/JabRef_fa.properties index 2dfcc725272..d00d259998c 100644 --- a/src/main/resources/l10n/JabRef_fa.properties +++ b/src/main/resources/l10n/JabRef_fa.properties @@ -724,5 +724,6 @@ Unabbreviate\ journal\ names=برداشتن مخفف نام ژورنال‌ها + From f6b7209cb7c2336e9d63488e40ff47f0f6077877 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:35 +0100 Subject: [PATCH 10/26] New translations JabRef_en.properties (Portuguese, Brazilian) --- src/main/resources/l10n/JabRef_pt_BR.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_pt_BR.properties b/src/main/resources/l10n/JabRef_pt_BR.properties index 6ef5afd1b1b..eab79f59392 100644 --- a/src/main/resources/l10n/JabRef_pt_BR.properties +++ b/src/main/resources/l10n/JabRef_pt_BR.properties @@ -1852,3 +1852,4 @@ Show\ document\ viewer=Mostrar visualizador de documentos + From 66171ffd6c22982d6277df3c4529d12e14f16ed7 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:38 +0100 Subject: [PATCH 11/26] New translations JabRef_en.properties (Russian) --- src/main/resources/l10n/JabRef_ru.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_ru.properties b/src/main/resources/l10n/JabRef_ru.properties index 1ebb2602007..6849d5abb89 100644 --- a/src/main/resources/l10n/JabRef_ru.properties +++ b/src/main/resources/l10n/JabRef_ru.properties @@ -2125,3 +2125,4 @@ Show\ document\ viewer=Показать программу просмотра д + From e88d7e018e0f242ec8b154c6db8e595de3c8f8ef Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:43 +0100 Subject: [PATCH 12/26] New translations JabRef_en.properties (Norwegian) --- src/main/resources/l10n/JabRef_no.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_no.properties b/src/main/resources/l10n/JabRef_no.properties index cf102e3c473..849e5ccd195 100644 --- a/src/main/resources/l10n/JabRef_no.properties +++ b/src/main/resources/l10n/JabRef_no.properties @@ -1570,5 +1570,6 @@ Connect=Koble til + From 3c9945b33025814d283408504c48bc3f9f8ebd2e Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:46 +0100 Subject: [PATCH 13/26] New translations JabRef_en.properties (Swedish) --- src/main/resources/l10n/JabRef_sv.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_sv.properties b/src/main/resources/l10n/JabRef_sv.properties index fd02779e9fc..53aaf718655 100644 --- a/src/main/resources/l10n/JabRef_sv.properties +++ b/src/main/resources/l10n/JabRef_sv.properties @@ -2006,3 +2006,4 @@ Escape\ underscores=Maskera understreck + From 44018afdfc51a303e97ce2fd9a9fa979a57ecc43 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:49 +0100 Subject: [PATCH 14/26] New translations JabRef_en.properties (Turkish) --- src/main/resources/l10n/JabRef_tr.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_tr.properties b/src/main/resources/l10n/JabRef_tr.properties index cc362257b8d..ae4ff81d14c 100644 --- a/src/main/resources/l10n/JabRef_tr.properties +++ b/src/main/resources/l10n/JabRef_tr.properties @@ -2312,3 +2312,4 @@ Show\ console\ output\ (only\ necessary\ when\ the\ launcher\ is\ used)=Consol empty\ BibTeX\ key=boş BibTeX anahtarı + From 0da6323812c703e9170f652df829df2940dfd310 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:52 +0100 Subject: [PATCH 15/26] New translations JabRef_en.properties (Vietnamese) --- src/main/resources/l10n/JabRef_vi.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_vi.properties b/src/main/resources/l10n/JabRef_vi.properties index 94bedc1d163..d58875fe2b1 100644 --- a/src/main/resources/l10n/JabRef_vi.properties +++ b/src/main/resources/l10n/JabRef_vi.properties @@ -1600,3 +1600,4 @@ Firstname\ Lastname=Họ Tên + From def8d4470b2b44cf1e318756e23a01e8dc96dd0d Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:56 +0100 Subject: [PATCH 16/26] New translations JabRef_en.properties (Chinese Simplified) --- src/main/resources/l10n/JabRef_zh.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_zh.properties b/src/main/resources/l10n/JabRef_zh.properties index 86130ce776b..166d0ca03c0 100644 --- a/src/main/resources/l10n/JabRef_zh.properties +++ b/src/main/resources/l10n/JabRef_zh.properties @@ -2036,3 +2036,4 @@ Show\ document\ viewer=打开文档查看器 empty\ BibTeX\ key=空 BibTeX 键 + From fa1804c320ba4dca6af85a55fc6c78fd36a85409 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:11:58 +0100 Subject: [PATCH 17/26] New translations JabRef_en.properties (Danish) --- src/main/resources/l10n/JabRef_da.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_da.properties b/src/main/resources/l10n/JabRef_da.properties index cd6af784495..3e969a02fa7 100644 --- a/src/main/resources/l10n/JabRef_da.properties +++ b/src/main/resources/l10n/JabRef_da.properties @@ -1578,5 +1578,6 @@ Existing\ file=Eksisterende fil + From 1dc213e2a98dfa687ce80d246dddd17822a1b6ec Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:01 +0100 Subject: [PATCH 18/26] New translations JabRef_en.properties (Dutch) --- src/main/resources/l10n/JabRef_nl.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_nl.properties b/src/main/resources/l10n/JabRef_nl.properties index 6df5b325f12..11659a4ae4e 100644 --- a/src/main/resources/l10n/JabRef_nl.properties +++ b/src/main/resources/l10n/JabRef_nl.properties @@ -1278,5 +1278,6 @@ Connect=Verbinden + From b5dbb10de82666786957d4645653ac8b984cc5e9 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:04 +0100 Subject: [PATCH 19/26] New translations JabRef_en.properties (German) --- src/main/resources/l10n/JabRef_de.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_de.properties b/src/main/resources/l10n/JabRef_de.properties index 953c5b58bf6..9f423eba2f9 100644 --- a/src/main/resources/l10n/JabRef_de.properties +++ b/src/main/resources/l10n/JabRef_de.properties @@ -2352,3 +2352,4 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Gruppe mit Einträgen Any\ file=Beliebige Datei + From e4aa787214dcc53e4b17791658d4748937576b9c Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:06 +0100 Subject: [PATCH 20/26] New translations JabRef_en.properties (Japanese) --- src/main/resources/l10n/JabRef_ja.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_ja.properties b/src/main/resources/l10n/JabRef_ja.properties index 810bb65fb5a..e35d500c7bd 100644 --- a/src/main/resources/l10n/JabRef_ja.properties +++ b/src/main/resources/l10n/JabRef_ja.properties @@ -2352,3 +2352,4 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=特定のTeXファイ Any\ file=任意のファイル + From 0fe882fff6bbc7dbc374c5d36620b68f46c4b33e Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:09 +0100 Subject: [PATCH 21/26] New translations JabRef_en.properties (Greek) --- src/main/resources/l10n/JabRef_el.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_el.properties b/src/main/resources/l10n/JabRef_el.properties index aec8e79e627..0babcb69581 100644 --- a/src/main/resources/l10n/JabRef_el.properties +++ b/src/main/resources/l10n/JabRef_el.properties @@ -801,5 +801,6 @@ Connect=Σύνδεση + From 46868a4011724067b063e39bb9fafe9368160832 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:11 +0100 Subject: [PATCH 22/26] New translations JabRef_en.properties (Indonesian) --- src/main/resources/l10n/JabRef_in.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_in.properties b/src/main/resources/l10n/JabRef_in.properties index 62079b3a363..f41a221c28f 100644 --- a/src/main/resources/l10n/JabRef_in.properties +++ b/src/main/resources/l10n/JabRef_in.properties @@ -2334,3 +2334,4 @@ This\ paper\ has\ been\ withdrawn.=Makalah ini telah ditarik. empty\ BibTeX\ key=kosongkan tombol BibTeX + From 8222491f4ca35719da78eaffc9d29f1779bf4328 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:14 +0100 Subject: [PATCH 23/26] New translations JabRef_en.properties (Italian) --- src/main/resources/l10n/JabRef_it.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_it.properties b/src/main/resources/l10n/JabRef_it.properties index b35cccb26c0..67892000b1c 100644 --- a/src/main/resources/l10n/JabRef_it.properties +++ b/src/main/resources/l10n/JabRef_it.properties @@ -2297,3 +2297,4 @@ There\ exists\ already\ a\ group\ with\ the\ same\ name.=Esiste già almeno un g empty\ BibTeX\ key=chiave BibTeX vuota + From 69384d914534f8f23972ec4fefdc3f40cc4a1f71 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Fri, 9 Mar 2018 21:12:17 +0100 Subject: [PATCH 24/26] New translations JabRef_en.properties (Tagalog) --- src/main/resources/l10n/JabRef_tl.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_tl.properties b/src/main/resources/l10n/JabRef_tl.properties index 2892c0e112e..b72d1e4e59c 100644 --- a/src/main/resources/l10n/JabRef_tl.properties +++ b/src/main/resources/l10n/JabRef_tl.properties @@ -2006,3 +2006,4 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Grupo na naglalaman n Any\ file=Anumang file + From 2da7dd459fac4ed2e6d804c4f3db2a31deb6f260 Mon Sep 17 00:00:00 2001 From: Oliver Kopp Date: Sat, 10 Mar 2018 09:00:43 +0100 Subject: [PATCH 25/26] New translations JabRef_en.properties (French) --- src/main/resources/l10n/JabRef_fr.properties | 1 + 1 file changed, 1 insertion(+) diff --git a/src/main/resources/l10n/JabRef_fr.properties b/src/main/resources/l10n/JabRef_fr.properties index 1b0c29b15d1..cf10a0ae158 100644 --- a/src/main/resources/l10n/JabRef_fr.properties +++ b/src/main/resources/l10n/JabRef_fr.properties @@ -2352,4 +2352,5 @@ Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Groupe contenant les Any\ file=N’importe quel fichier +No\ linked\ files\ found\ for\ export.=Aucun fichier lié trouvé pour l'exportation. From 766d756a29a1cf4f706a78bafd3e54cd0b25e269 Mon Sep 17 00:00:00 2001 From: HerrAachen <6626492+HerrAachen@users.noreply.github.com> Date: Sun, 11 Mar 2018 01:40:05 -0800 Subject: [PATCH 26/26] Remove erroneous escape character (#3831) This seems to be an escape character that slipped into the localized text. Presumably a copy-and-paste error? --- src/main/resources/l10n/JabRef_en.properties | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/main/resources/l10n/JabRef_en.properties b/src/main/resources/l10n/JabRef_en.properties index e1c3c27bb53..785bfc0008d 100644 --- a/src/main/resources/l10n/JabRef_en.properties +++ b/src/main/resources/l10n/JabRef_en.properties @@ -2349,6 +2349,6 @@ Your\ Java\ Runtime\ Environment\ is\ located\ at\ %0.=Your Java Runtime Environ Aux\ file=Aux file Group\ containing\ entries\ cited\ in\ a\ given\ TeX\ file=Group containing entries cited in a given TeX file -Any\ file=Any\ file +Any\ file=Any file No\ linked\ files\ found\ for\ export.=No linked files found for export.