Merge branch '4.0'

Conflicts:
	chrome/content/zotero/fileInterface.js
	chrome/content/zotero/overlay.js
	chrome/content/zotero/xpcom/schema.js
	chrome/content/zotero/xpcom/zotero.js
	chrome/content/zotero/zoteroPane.js
	install.rdf
	update.rdf
This commit is contained in:
Dan Stillman 2013-11-24 16:08:46 -05:00
commit 5d32fb90ea
169 changed files with 4595 additions and 2648 deletions

View file

@ -67,6 +67,13 @@
-moz-border-left-colors: none; -moz-border-left-colors: none;
} }
/* Undo tree row spacing change in Fx25 on Windows */
#zotero-collections-tree treechildren::-moz-tree-row,
#zotero-items-tree treechildren::-moz-tree-row,
#zotero-prefs treechildren::-moz-tree-row {
height: 1.6em;
}
#zotero-collections-tree { #zotero-collections-tree {
border-width: 0 1px 1px 0; border-width: 0 1px 1px 0;
} }

View file

@ -2,6 +2,7 @@
<?xml-stylesheet href="chrome://global/skin/"?> <?xml-stylesheet href="chrome://global/skin/"?>
<?xml-stylesheet href="chrome://zotero/skin/zotero.css" type="text/css"?> <?xml-stylesheet href="chrome://zotero/skin/zotero.css" type="text/css"?>
<?xml-stylesheet href="chrome://zotero/skin/overlay.css" type="text/css"?> <?xml-stylesheet href="chrome://zotero/skin/overlay.css" type="text/css"?>
<?xml-stylesheet href="chrome://zotero-platform/content/overlay.css"?>
<!DOCTYPE window [ <!DOCTYPE window [
<!ENTITY % zoteroDTD SYSTEM "chrome://zotero/locale/zotero.dtd"> <!ENTITY % zoteroDTD SYSTEM "chrome://zotero/locale/zotero.dtd">

View file

@ -388,22 +388,30 @@
// Rename associated file // Rename associated file
if (checkState.value) { if (checkState.value) {
var renamed = item.renameAttachmentFile(newTitle.value); var newFilename = newTitle.value.trim();
if (newFilename.search(/\.\w{1,10}$/) == -1) {
// User did not specify extension. Use current
var oldExt = item.getFilename().match(/\.\w{1,10}$/);
if (oldExt) newFilename += oldExt[0];
}
var renamed = item.renameAttachmentFile(newFilename);
if (renamed == -1) { if (renamed == -1) {
var confirmed = nsIPS.confirm( var confirmed = nsIPS.confirm(
window, window,
'', '',
newTitle.value + ' exists. Overwrite existing file?' newFilename + ' exists. Overwrite existing file?'
); );
if (confirmed) { if (!confirmed) {
item.renameAttachmentFile(newTitle.value, true); // If they said not to overwrite existing file,
break; // start again
continue;
} }
// If they said not to overwrite existing file,
// start again // Force overwrite, but make sure we check that this doesn't fail
continue; renamed = item.renameAttachmentFile(newFilename, true);
} }
else if (renamed == -2) {
if (renamed == -2) {
nsIPS.alert( nsIPS.alert(
window, window,
Zotero.getString('general.error'), Zotero.getString('general.error'),

View file

@ -1295,12 +1295,17 @@
var firstSpace = valueText.indexOf(" "); var firstSpace = valueText.indexOf(" ");
// To support newlines in 'extra' fields, we use multiple // To support newlines in Abstract and Extra fields, use multiple
// <description> elements inside a vbox // <description> elements inside a vbox
if (useVbox) { if (useVbox) {
var lines = valueText.split("\n"); var lines = valueText.split("\n");
for (var i = 0; i < lines.length; i++) { for (var i = 0; i < lines.length; i++) {
var descriptionNode = document.createElement("description"); var descriptionNode = document.createElement("description");
// Add non-breaking space to empty lines to prevent them from collapsing.
// (Just using CSS min-height results in overflow in some cases.)
if (lines[i] === "") {
lines[i] = "\u00a0";
}
var linetext = document.createTextNode(lines[i]); var linetext = document.createTextNode(lines[i]);
descriptionNode.appendChild(linetext); descriptionNode.appendChild(linetext);
valueElement.appendChild(descriptionNode); valueElement.appendChild(descriptionNode);

View file

@ -81,7 +81,9 @@ Zotero_File_Exporter.prototype.save = function() {
translation.setLocation(fp.file); translation.setLocation(fp.file);
translation.setTranslator(io.selectedTranslator); translation.setTranslator(io.selectedTranslator);
translation.setDisplayOptions(io.displayOptions); translation.setDisplayOptions(io.displayOptions);
translation.setHandler("itemDone", Zotero_File_Interface.updateProgress); translation.setHandler("itemDone", function () {
Zotero_File_Interface.updateProgress(translation, false);
});
translation.setHandler("done", me._exportDone); translation.setHandler("done", me._exportDone);
Zotero.UnresponsiveScriptIndicator.disable(); Zotero.UnresponsiveScriptIndicator.disable();
Zotero_File_Interface.Progress.show( Zotero_File_Interface.Progress.show(
@ -309,7 +311,9 @@ var Zotero_File_Interface = new function() {
}); });
} }
translation.setHandler("itemDone", Zotero_File_Interface.updateProgress); translation.setHandler("itemDone", function () {
Zotero_File_Interface.updateProgress(translation, true);
});
/* /*
* closes items imported indicator * closes items imported indicator
@ -325,12 +329,10 @@ var Zotero_File_Interface = new function() {
Zotero_File_Interface.Progress.close(); Zotero_File_Interface.Progress.close();
Zotero.UnresponsiveScriptIndicator.enable(); Zotero.UnresponsiveScriptIndicator.enable();
if (worked) { if(importCollection) {
if(importCollection) { Zotero.Notifier.trigger('refresh', 'collection', importCollection.id);
Zotero.Notifier.trigger('refresh', 'collection', importCollection.id); }
} if (!worked) {
} else {
if(importCollection) importCollection.erase();
window.alert(Zotero.getString("fileInterface.importError")); window.alert(Zotero.getString("fileInterface.importError"));
} }
}); });
@ -628,33 +630,23 @@ var Zotero_File_Interface = new function() {
/** /**
* Updates progress indicators based on current progress of translation * Updates progress indicators based on current progress of translation
*/ */
this.updateProgress = function(translate) { this.updateProgress = function(translate, closeTransaction) {
Zotero.updateZoteroPaneProgressMeter(translate.getProgress()); Zotero.updateZoteroPaneProgressMeter(translate.getProgress());
var now = Date.now(); var now = Date.now();
// Don't repaint more than 10 times per second unless forced. // Don't repaint more than once per second unless forced.
if(window.zoteroLastRepaint && (now - window.zoteroLastRepaint) < 100) return if(window.zoteroLastRepaint && (now - window.zoteroLastRepaint) < 1000) return
// Start a nested event queue // Add the redraw event onto event queue
// TODO Remove when Fx > 14 window.QueryInterface(Components.interfaces.nsIInterfaceRequestor)
var eventQueuePushed = "pushEventQueue" in Zotero.mainThread; .getInterface(Components.interfaces.nsIDOMWindowUtils)
if(eventQueuePushed) { .redraw();
Zotero.mainThread.pushEventQueue(null);
}
try { // Process redraw event
// Add the redraw event onto event queue if(closeTransaction) Zotero.DB.commitTransaction();
window.QueryInterface(Components.interfaces.nsIInterfaceRequestor) Zotero.wait();
.getInterface(Components.interfaces.nsIDOMWindowUtils) if(closeTransaction) Zotero.DB.beginTransaction();
.redraw();
// Process redraw event
Zotero.wait(0);
} finally {
// Close nested event queue
if(eventQueuePushed) Zotero.mainThread.popEventQueue();
}
window.zoteroLastRepaint = now; window.zoteroLastRepaint = now;
} }

@ -1 +1 @@
Subproject commit 9ffb5dd60475e6af46f404b4cf95f7890f75fb9b Subproject commit c5400c59d9453887252f948a8273632de7963e08

View file

@ -133,14 +133,19 @@ var ZoteroOverlay = new function()
// Hide browser chrome on Zotero tab // Hide browser chrome on Zotero tab
XULBrowserWindow.inContentWhitelist.push("chrome://zotero/content/tab.xul"); XULBrowserWindow.inContentWhitelist.push("chrome://zotero/content/tab.xul");
// Close pane if connector is enabled // Close pane before reload
ZoteroPane_Local.addReloadListener(function() { ZoteroPane_Local.addBeforeReloadListener(function(newMode) {
if(Zotero.isConnector) { if(newMode == "connector") {
// save current state // save current state
_stateBeforeReload = !zoteroPane.hidden && !zoteroPane.collapsed; _stateBeforeReload = !zoteroPane.hidden && !zoteroPane.collapsed;
// ensure pane is closed // ensure pane is closed
if(!zoteroPane.collapsed) ZoteroOverlay.toggleDisplay(false, true); if(!zoteroPane.collapsed) ZoteroOverlay.toggleDisplay(false, true);
} else { }
});
// Close pane if connector is enabled
ZoteroPane_Local.addReloadListener(function() {
if(!Zotero.isConnector) {
// reopen pane if it was open before // reopen pane if it was open before
ZoteroOverlay.toggleDisplay(_stateBeforeReload, true); ZoteroOverlay.toggleDisplay(_stateBeforeReload, true);
} }

View file

@ -43,10 +43,6 @@ var Zotero_Preferences = {
if(io.pane) { if(io.pane) {
var pane = document.getElementById(io.pane); var pane = document.getElementById(io.pane);
document.getElementById('zotero-prefs').showPane(pane); document.getElementById('zotero-prefs').showPane(pane);
// Quick hack to support install prompt from PDF recognize option
if (io.action && io.action == 'pdftools-install') {
this.Search.checkPDFToolsDownloadVersion();
}
} }
} else if(document.location.hash == "#cite") { } else if(document.location.hash == "#cite") {
document.getElementById('zotero-prefs').showPane(document.getElementById("zotero-prefpane-cite")); document.getElementById('zotero-prefs').showPane(document.getElementById("zotero-prefpane-cite"));

View file

@ -29,6 +29,7 @@
<?xml-stylesheet href="chrome://browser/skin/preferences/preferences.css"?> <?xml-stylesheet href="chrome://browser/skin/preferences/preferences.css"?>
<?xml-stylesheet href="chrome://zotero/skin/preferences.css"?> <?xml-stylesheet href="chrome://zotero/skin/preferences.css"?>
<?xml-stylesheet href="chrome://zotero/skin/zotero.css"?> <?xml-stylesheet href="chrome://zotero/skin/zotero.css"?>
<?xml-stylesheet href="chrome://zotero-platform/content/overlay.css"?>
<!-- <!--
To add an observer for a preference change, add an appropriate case in To add an observer for a preference change, add an appropriate case in

View file

@ -36,7 +36,6 @@
<preference id="pref-useDataDir" name="extensions.zotero.useDataDir" type="bool"/> <preference id="pref-useDataDir" name="extensions.zotero.useDataDir" type="bool"/>
<preference id="pref-dataDir" name="extensions.zotero.dataDir" type="string"/> <preference id="pref-dataDir" name="extensions.zotero.dataDir" type="string"/>
<preference id="pref-debug-output-enableAfterRestart" name="extensions.zotero.debug.store" type="bool"/> <preference id="pref-debug-output-enableAfterRestart" name="extensions.zotero.debug.store" type="bool"/>
<preference id="pref-import-charset" name="extensions.zotero.import.charset" type="string"/>
<preference id="pref-openURL-resolver" name="extensions.zotero.openURL.resolver" type="string"/> <preference id="pref-openURL-resolver" name="extensions.zotero.openURL.resolver" type="string"/>
<preference id="pref-openURL-version" name="extensions.zotero.openURL.version" type="string"/> <preference id="pref-openURL-version" name="extensions.zotero.openURL.version" type="string"/>
</preferences> </preferences>

View file

@ -34,6 +34,7 @@
<preference id="pref-quickCopy-setting" name="extensions.zotero.export.quickCopy.setting" type="string"/> <preference id="pref-quickCopy-setting" name="extensions.zotero.export.quickCopy.setting" type="string"/>
<preference id="pref-quickCopy-dragLimit" name="extensions.zotero.export.quickCopy.dragLimit" type="int"/> <preference id="pref-quickCopy-dragLimit" name="extensions.zotero.export.quickCopy.dragLimit" type="int"/>
<preference id="pref-export-displayCharsetOption" name="extensions.zotero.export.displayCharsetOption" type="bool"/> <preference id="pref-export-displayCharsetOption" name="extensions.zotero.export.displayCharsetOption" type="bool"/>
<preference id="pref-import-charset" name="extensions.zotero.import.charset" type="string"/>
</preferences> </preferences>
<groupbox id="zotero-prefpane-export-groupbox"> <groupbox id="zotero-prefpane-export-groupbox">

View file

@ -28,12 +28,20 @@
Zotero_Preferences.Search = { Zotero_Preferences.Search = {
init: function () { init: function () {
document.getElementById('fulltext-rebuildIndex').setAttribute('label', document.getElementById('fulltext-rebuildIndex').setAttribute('label',
Zotero.getString('zotero.preferences.search.rebuildIndex')); Zotero.getString('zotero.preferences.search.rebuildIndex')
+ Zotero.getString('punctuation.ellipsis'));
document.getElementById('fulltext-clearIndex').setAttribute('label', document.getElementById('fulltext-clearIndex').setAttribute('label',
Zotero.getString('zotero.preferences.search.clearIndex')); Zotero.getString('zotero.preferences.search.clearIndex')
+ Zotero.getString('punctuation.ellipsis'));
this.updatePDFToolsStatus(); this.updatePDFToolsStatus();
this.updateIndexStats(); this.updateIndexStats();
// Quick hack to support install prompt from PDF recognize option
var io = window.arguments[0];
if (io.action && io.action == 'pdftools-install') {
this.checkPDFToolsDownloadVersion();
}
}, },
/* /*
@ -439,8 +447,8 @@ Zotero_Preferences.Search = {
var ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"]. var ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"].
createInstance(Components.interfaces.nsIPromptService); createInstance(Components.interfaces.nsIPromptService);
var buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING) var buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING)
+ (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_IS_STRING) + (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_CANCEL)
+ (ps.BUTTON_POS_2) * (ps.BUTTON_TITLE_CANCEL); + (ps.BUTTON_POS_2) * (ps.BUTTON_TITLE_IS_STRING);
var index = ps.confirmEx(null, var index = ps.confirmEx(null,
Zotero.getString('zotero.preferences.search.rebuildIndex'), Zotero.getString('zotero.preferences.search.rebuildIndex'),
@ -448,13 +456,15 @@ Zotero_Preferences.Search = {
Zotero.getString('zotero.preferences.search.indexUnindexed')), Zotero.getString('zotero.preferences.search.indexUnindexed')),
buttonFlags, buttonFlags,
Zotero.getString('zotero.preferences.search.rebuildIndex'), Zotero.getString('zotero.preferences.search.rebuildIndex'),
null,
// Position 2 because of https://bugzilla.mozilla.org/show_bug.cgi?id=345067
Zotero.getString('zotero.preferences.search.indexUnindexed'), Zotero.getString('zotero.preferences.search.indexUnindexed'),
null, null, {}); null, {});
if (index == 0) { if (index == 0) {
Zotero.Fulltext.rebuildIndex(); Zotero.Fulltext.rebuildIndex();
} }
else if (index == 1) { else if (index == 2) {
Zotero.Fulltext.rebuildIndex(true) Zotero.Fulltext.rebuildIndex(true)
} }
@ -466,8 +476,8 @@ Zotero_Preferences.Search = {
var ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"]. var ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"].
createInstance(Components.interfaces.nsIPromptService); createInstance(Components.interfaces.nsIPromptService);
var buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING) var buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING)
+ (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_IS_STRING) + (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_CANCEL)
+ (ps.BUTTON_POS_2) * (ps.BUTTON_TITLE_CANCEL); + (ps.BUTTON_POS_2) * (ps.BUTTON_TITLE_IS_STRING);
var index = ps.confirmEx(null, var index = ps.confirmEx(null,
Zotero.getString('zotero.preferences.search.clearIndex'), Zotero.getString('zotero.preferences.search.clearIndex'),
@ -475,13 +485,14 @@ Zotero_Preferences.Search = {
Zotero.getString('zotero.preferences.search.clearNonLinkedURLs')), Zotero.getString('zotero.preferences.search.clearNonLinkedURLs')),
buttonFlags, buttonFlags,
Zotero.getString('zotero.preferences.search.clearIndex'), Zotero.getString('zotero.preferences.search.clearIndex'),
Zotero.getString('zotero.preferences.search.clearNonLinkedURLs'), null,
null, null, {}); // Position 2 because of https://bugzilla.mozilla.org/show_bug.cgi?id=345067
Zotero.getString('zotero.preferences.search.clearNonLinkedURLs'), null, {});
if (index == 0) { if (index == 0) {
Zotero.Fulltext.clearIndex(); Zotero.Fulltext.clearIndex();
} }
else if (index == 1) { else if (index == 2) {
Zotero.Fulltext.clearIndex(true); Zotero.Fulltext.clearIndex(true);
} }

View file

@ -32,6 +32,7 @@
<preferences> <preferences>
<preference id="pref-sync-autosync" name="extensions.zotero.sync.autoSync" type="bool"/> <preference id="pref-sync-autosync" name="extensions.zotero.sync.autoSync" type="bool"/>
<preference id="pref-sync-username" name="extensions.zotero.sync.server.username" type="string" instantApply="true"/> <preference id="pref-sync-username" name="extensions.zotero.sync.server.username" type="string" instantApply="true"/>
<preference id="pref-sync-fulltext-enabled" name="extensions.zotero.sync.fulltext.enabled" type="bool"/>
<preference id="pref-storage-enabled" name="extensions.zotero.sync.storage.enabled" type="bool"/> <preference id="pref-storage-enabled" name="extensions.zotero.sync.storage.enabled" type="bool"/>
<preference id="pref-storage-protocol" name="extensions.zotero.sync.storage.protocol" type="string" <preference id="pref-storage-protocol" name="extensions.zotero.sync.storage.protocol" type="string"
onchange="Zotero_Preferences.Sync.unverifyStorageServer()"/> onchange="Zotero_Preferences.Sync.unverifyStorageServer()"/>
@ -76,6 +77,14 @@
<box/> <box/>
<checkbox label="&zotero.preferences.sync.syncAutomatically;" preference="pref-sync-autosync"/> <checkbox label="&zotero.preferences.sync.syncAutomatically;" preference="pref-sync-autosync"/>
</row> </row>
<row>
<box/>
<vbox>
<checkbox label="&zotero.preferences.sync.syncFullTextContent;"
preference="pref-sync-fulltext-enabled"
tooltiptext="&zotero.preferences.sync.syncFullTextContent.desc;"/>
</vbox>
</row>
<!-- <!--
<row> <row>
<box/> <box/>

View file

@ -486,7 +486,7 @@ Zotero.Attachments = new function(){
// No file, so no point running the PDF indexer // No file, so no point running the PDF indexer
//Zotero.Fulltext.indexItems([itemID]); //Zotero.Fulltext.indexItems([itemID]);
} }
else { else if (Zotero.MIME.isTextType(document.contentType)) {
Zotero.Fulltext.indexDocument(document, itemID); Zotero.Fulltext.indexDocument(document, itemID);
} }
}, 50); }, 50);
@ -564,21 +564,17 @@ Zotero.Attachments = new function(){
); );
file.append(fileName) file.append(fileName)
if (mimeType == 'application/pdf') { var f = function() {
var f = function() { if (mimeType == 'application/pdf') {
Zotero.Fulltext.indexPDF(file, itemID); Zotero.Fulltext.indexPDF(file, itemID);
Zotero.Notifier.trigger('refresh', 'item', itemID); }
}; else if (Zotero.MIME.isTextType(mimeType)) {
}
else {
var f = function() {
Zotero.Fulltext.indexDocument(document, itemID); Zotero.Fulltext.indexDocument(document, itemID);
Zotero.Notifier.trigger('refresh', 'item', itemID); }
if (callback) { if (callback) {
callback(attachmentItem); callback(attachmentItem);
} }
}; };
}
if (mimeType === 'text/html' || mimeType === 'application/xhtml+xml') { if (mimeType === 'text/html' || mimeType === 'application/xhtml+xml') {
var sync = true; var sync = true;
@ -983,7 +979,7 @@ Zotero.Attachments = new function(){
function getStorageDirectory(itemID) { function getStorageDirectory(itemID) {
if (!itemID) { if (!itemID) {
throw ("itemID not provided in Zotero.Attachments.getStorageDirectory()"); throw new Error("itemID not provided in Zotero.Attachments.getStorageDirectory()");
} }
var item = Zotero.Items.get(itemID); var item = Zotero.Items.get(itemID);
if (!item) { if (!item) {
@ -1251,7 +1247,7 @@ Zotero.Attachments = new function(){
Zotero.File.copyDirectory(dir, newDir); Zotero.File.copyDirectory(dir, newDir);
} }
attachment.addLinkedItem(newAttachment); newAttachment.addLinkedItem(attachment);
return newAttachment.id; return newAttachment.id;
} }
@ -1445,7 +1441,7 @@ Zotero.Attachments = new function(){
} }
var ext = Zotero.File.getExtension(file); var ext = Zotero.File.getExtension(file);
if (!Zotero.MIME.hasInternalHandler(mimeType, ext)) { if (!Zotero.MIME.hasInternalHandler(mimeType, ext) || !Zotero.MIME.isTextType(mimeType)) {
return; return;
} }

View file

@ -405,32 +405,59 @@ Zotero.Cite.getAbbreviation = new function() {
var words = normalizedKey.split(/([ \-])/); var words = normalizedKey.split(/([ \-])/);
if(words.length > 1) { if(words.length > 1) {
var lcWords = [];
for(var j=0; j<words.length; j+=2) {
lcWords[j] = lookupKey(words[j]);
}
for(var j=0; j<words.length; j+=2) { for(var j=0; j<words.length; j+=2) {
var word = words[j], var word = words[j],
lcWord = lookupKey(word), lcWord = lcWords[j],
newWord = undefined; newWord = undefined,
exactMatch = false;
for(var i=0; i<jurisdictions.length && newWord === undefined; i++) { for(var i=0; i<jurisdictions.length && newWord === undefined; i++) {
if(!(jur = abbreviations[jurisdictions[i]])) continue; if(!(jur = abbreviations[jurisdictions[i]])) continue;
if(!(cat = jur[category+"-word"])) continue; if(!(cat = jur[category+"-word"])) continue;
// Complete match
if(cat.hasOwnProperty(lcWord)) { if(cat.hasOwnProperty(lcWord)) {
// Complete match
newWord = cat[lcWord]; newWord = cat[lcWord];
exactMatch = true;
} else if(lcWord.charAt(lcWord.length-1) == 's' && cat.hasOwnProperty(lcWord.substr(0, lcWord.length-1))) {
// Try dropping 's'
newWord = cat[lcWord.substr(0, lcWord.length-1)];
exactMatch = true;
} else { } else {
// Partial match if(j < words.length-2) {
for(var k=1; k<=word.length && newWord === undefined; k++) { // Two-word match
newWord = cat[lcWord.substr(0, k)+"-"]; newWord = cat[lcWord+words[j+1]+lcWords[j+2]];
if(newWord && word.length - newWord.length < 1) { if(newWord !== undefined) {
newWord = undefined; words.splice(j+1, 2);
lcWords.splice(j+1, 2);
exactMatch = true;
}
}
if(newWord === undefined) {
// Partial match
for(var k=lcWord.length; k>0 && newWord === undefined; k--) {
newWord = cat[lcWord.substr(0, k)+"-"];
} }
} }
} }
} }
// Don't substitute with a longer word
if(newWord && !exactMatch && word.length - newWord.length < 1) {
newWord = word;
}
// Fall back to full word // Fall back to full word
if(newWord === undefined) newWord = word; if(newWord === undefined) newWord = word;
// Don't discard last word (e.g. Climate of the Past => Clim. Past)
if(!newWord && j == words.length-1) newWord = word;
words[j] = newWord.substr(0, 1).toUpperCase() + newWord.substr(1); words[j] = newWord.substr(0, 1).toUpperCase() + newWord.substr(1);
} }
abbreviation = words.join("").replace(/\s+/g, " ").trim(); abbreviation = words.join("").replace(/\s+/g, " ").trim();
@ -439,10 +466,8 @@ Zotero.Cite.getAbbreviation = new function() {
} }
} }
if(!abbreviation || abbreviation === key) { if(!abbreviation) abbreviation = key; //this should never happen, but just in case
Zotero.debug("No abbreviation found for "+key);
return;
}
Zotero.debug("Abbreviated "+key+" as "+abbreviation); Zotero.debug("Abbreviated "+key+" as "+abbreviation);
// Add to jurisdiction object // Add to jurisdiction object

File diff suppressed because it is too large Load diff

View file

@ -1454,7 +1454,7 @@ Zotero.CollectionTreeView.prototype.drop = function(row, orient, dataTransfer)
//var newItem = Zotero.Items.get(id); //var newItem = Zotero.Items.get(id);
// Record link // Record link
item.addLinkedItem(newItem); newItem.addLinkedItem(item);
var newID = id; var newID = id;
if (item.isNote()) { if (item.isNote()) {
@ -1477,7 +1477,7 @@ Zotero.CollectionTreeView.prototype.drop = function(row, orient, dataTransfer)
newNote.setSource(newItem.id); newNote.setSource(newItem.id);
newNote.save(); newNote.save();
note.addLinkedItem(newNote); newNote.addLinkedItem(note);
} }
} }

View file

@ -693,54 +693,63 @@ Zotero.Collection.prototype.addItems = function(itemIDs) {
var notifierPairs = []; var notifierPairs = [];
for (var i=0; i<itemIDs.length; i++) { var reenableScriptIndicator = false;
var itemID = itemIDs[i]; if(itemIDs.length > 25) {
if (current && current.indexOf(itemID) != -1) { // Disable unresponsive script indicator for long lists
Zotero.debug("Item " + itemID + " already a child of collection " // Re-enable later only if it wasn't disabled before
+ this.id + " in Zotero.Collection.addItems()"); reenableScriptIndicator = Zotero.UnresponsiveScriptIndicator.disable();
continue;
}
if (!Zotero.Items.get(itemID)) {
Zotero.DB.rollbackTransaction();
throw(itemID + ' is not a valid item id');
}
// If we're already above the max, just increment
if (nextOrderIndex>max) {
nextOrderIndex++;
}
else {
selectStatement.bindInt32Parameter(0, this.id);
selectStatement.executeStep();
nextOrderIndex = selectStatement.getInt32(0);
selectStatement.reset();
}
insertStatement.bindInt32Parameter(0, this.id);
insertStatement.bindInt32Parameter(1, itemID);
insertStatement.bindInt32Parameter(2, nextOrderIndex);
try {
insertStatement.execute();
}
catch(e) {
var errMsg = Zotero.DB.getLastErrorString()
+ " (" + this.id + "," + itemID + "," + nextOrderIndex + ")";
throw (e + ' [ERROR: ' + errMsg + ']');
}
notifierPairs.push(this.id + '-' + itemID);
if ((i % 25) == 0 && Zotero.locked) {
Zotero.wait();
}
} }
sql = "UPDATE collections SET dateModified=?, clientDateModified=? WHERE collectionID=?"; try {
Zotero.DB.query(sql, [Zotero.DB.transactionDateTime, Zotero.DB.transactionDateTime, this.id]); for (var i=0; i<itemIDs.length; i++) {
var itemID = itemIDs[i];
if (current && current.indexOf(itemID) != -1) {
Zotero.debug("Item " + itemID + " already a child of collection "
+ this.id + " in Zotero.Collection.addItems()");
continue;
}
Zotero.DB.commitTransaction(); if (!Zotero.Items.get(itemID)) {
Zotero.DB.rollbackTransaction();
throw(itemID + ' is not a valid item id');
}
// If we're already above the max, just increment
if (nextOrderIndex>max) {
nextOrderIndex++;
}
else {
selectStatement.bindInt32Parameter(0, this.id);
selectStatement.executeStep();
nextOrderIndex = selectStatement.getInt32(0);
selectStatement.reset();
}
insertStatement.bindInt32Parameter(0, this.id);
insertStatement.bindInt32Parameter(1, itemID);
insertStatement.bindInt32Parameter(2, nextOrderIndex);
try {
insertStatement.execute();
}
catch(e) {
var errMsg = Zotero.DB.getLastErrorString()
+ " (" + this.id + "," + itemID + "," + nextOrderIndex + ")";
throw (e + ' [ERROR: ' + errMsg + ']');
}
notifierPairs.push(this.id + '-' + itemID);
}
sql = "UPDATE collections SET dateModified=?, clientDateModified=? WHERE collectionID=?";
Zotero.DB.query(sql, [Zotero.DB.transactionDateTime, Zotero.DB.transactionDateTime, this.id]);
Zotero.DB.commitTransaction();
} finally {
if(reenableScriptIndicator) {
Zotero.UnresponsiveScriptIndicator.enable();
}
}
Zotero.Collections.reload(this.id); Zotero.Collections.reload(this.id);
Zotero.Notifier.trigger('add', 'collection-item', notifierPairs); Zotero.Notifier.trigger('add', 'collection-item', notifierPairs);

View file

@ -342,9 +342,11 @@ Zotero.DataObjects = function (object, objectPlural, id, table) {
if (!libraryID) { if (!libraryID) {
return true; return true;
} }
var type = Zotero.Libraries.getType(libraryID); var type = Zotero.Libraries.getType(libraryID);
switch (type) { switch (type) {
case 'user':
return true;
case 'group': case 'group':
var groupID = Zotero.Groups.getGroupIDFromLibraryID(libraryID); var groupID = Zotero.Groups.getGroupIDFromLibraryID(libraryID);
var group = Zotero.Groups.get(groupID); var group = Zotero.Groups.get(groupID);

View file

@ -3004,6 +3004,7 @@ Zotero.Item.prototype.renameAttachmentFile = function(newName, overwrite) {
return false; return false;
} }
var origModDate = file.lastModifiedTime;
try { try {
newName = Zotero.File.getValidFileName(newName); newName = Zotero.File.getValidFileName(newName);
@ -3022,18 +3023,17 @@ Zotero.Item.prototype.renameAttachmentFile = function(newName, overwrite) {
// files, since dest.exists() will just show true on a case-insensitive // files, since dest.exists() will just show true on a case-insensitive
// filesystem anyway. // filesystem anyway.
if (file.leafName.toLowerCase() != dest.leafName.toLowerCase()) { if (file.leafName.toLowerCase() != dest.leafName.toLowerCase()) {
if (overwrite) { if (!overwrite && dest.exists()) {
dest.remove(false);
}
else if (dest.exists()) {
return -1; return -1;
} }
} }
file.moveTo(null, newName);
// Update mod time and clear hash so the file syncs // Update mod time and clear hash so the file syncs
// TODO: use an integer counter instead of mod time for change detection // TODO: use an integer counter instead of mod time for change detection
dest.lastModifiedTime = new Date(); // Update mod time first, because it may fail for read-only files on Windows
file.lastModifiedTime = new Date();
file.moveTo(null, newName);
this.relinkAttachmentFile(dest); this.relinkAttachmentFile(dest);
Zotero.DB.beginTransaction(); Zotero.DB.beginTransaction();
@ -3046,6 +3046,8 @@ Zotero.Item.prototype.renameAttachmentFile = function(newName, overwrite) {
return true; return true;
} }
catch (e) { catch (e) {
// Restore original modification date in case we managed to change it
try { file.lastModifiedTime = origModDate } catch (e) {}
Zotero.debug(e); Zotero.debug(e);
Components.utils.reportError(e); Components.utils.reportError(e);
return -2; return -2;
@ -4001,9 +4003,10 @@ Zotero.Item.prototype.addLinkedItem = function (item) {
return false; return false;
} }
// If both group libraries, store relation with source group. // If one of the items is a personal library, store relation with that.
// Otherwise, store with personal library. // Otherwise, use current item's library (which in calling code is the
var libraryID = (this.libraryID && item.libraryID) ? this.libraryID : null; // new, copied item).
var libraryID = (!this.libraryID || !item.libraryID) ? null : this.libraryID;
Zotero.Relations.add(libraryID, url1, predicate, url2); Zotero.Relations.add(libraryID, url1, predicate, url2);
} }

View file

@ -63,7 +63,7 @@ Zotero.Libraries = new function () {
this.getType = function (libraryID) { this.getType = function (libraryID) {
if (libraryID === 0) { if (libraryID === 0 || !Zotero.libraryID || libraryID == Zotero.libraryID) {
return 'user'; return 'user';
} }
var sql = "SELECT libraryType FROM libraries WHERE libraryID=?"; var sql = "SELECT libraryType FROM libraries WHERE libraryID=?";

View file

@ -158,6 +158,8 @@ Zotero.Relation.prototype.save = function () {
throw ("Missing object in Zotero.Relation.save()"); throw ("Missing object in Zotero.Relation.save()");
} }
Zotero.Relations.editCheck(this);
var sql = "INSERT INTO relations " var sql = "INSERT INTO relations "
+ "(libraryID, subject, predicate, object, clientDateModified) " + "(libraryID, subject, predicate, object, clientDateModified) "
+ "VALUES (?, ?, ?, ?, ?)"; + "VALUES (?, ?, ?, ?, ?)";

View file

@ -459,7 +459,7 @@ Zotero.Tag.prototype.save = function (full) {
} }
if (newids.length) { if (newids.length) {
var sql = "INSERT INTO itemTags (itemID, tagID) VALUES (?,?)"; var sql = "INSERT OR IGNORE INTO itemTags (itemID, tagID) VALUES (?,?)";
var insertStatement = Zotero.DB.getStatement(sql); var insertStatement = Zotero.DB.getStatement(sql);
var pairs = []; var pairs = [];

View file

@ -1138,6 +1138,7 @@ Zotero.DBConnection.prototype.closeDatabase = function () {
if(this._connection) { if(this._connection) {
var deferred = Q.defer(); var deferred = Q.defer();
this._connection.asyncClose(deferred.resolve); this._connection.asyncClose(deferred.resolve);
this._connection = undefined;
return deferred.promise; return deferred.promise;
} else { } else {
return Q(); return Q();
@ -1145,7 +1146,7 @@ Zotero.DBConnection.prototype.closeDatabase = function () {
} }
Zotero.DBConnection.prototype.backupDatabase = function (suffix) { Zotero.DBConnection.prototype.backupDatabase = function (suffix, force) {
if (!suffix) { if (!suffix) {
var numBackups = Zotero.Prefs.get("backup.numBackups"); var numBackups = Zotero.Prefs.get("backup.numBackups");
if (numBackups < 1) { if (numBackups < 1) {
@ -1180,7 +1181,7 @@ Zotero.DBConnection.prototype.backupDatabase = function (suffix) {
var file = Zotero.getZoteroDatabase(this._dbName); var file = Zotero.getZoteroDatabase(this._dbName);
// For standard backup, make sure last backup is old enough to replace // For standard backup, make sure last backup is old enough to replace
if (!suffix) { if (!suffix && !force) {
var backupFile = Zotero.getZoteroDatabase(this._dbName, 'bak'); var backupFile = Zotero.getZoteroDatabase(this._dbName, 'bak');
if (backupFile.exists()) { if (backupFile.exists()) {
var currentDBTime = file.lastModifiedTime; var currentDBTime = file.lastModifiedTime;

View file

@ -83,10 +83,10 @@ Zotero.File = new function(){
/* /*
* Get the first 128 bytes of the file as a string (multibyte-safe) * Get the first 200 bytes of the file as a string (multibyte-safe)
*/ */
function getSample(file) { function getSample(file) {
return this.getContents(file, null, 128); return this.getContents(file, null, 200);
} }
@ -258,24 +258,49 @@ Zotero.File = new function(){
* @return {Promise} A Q promise that is resolved when the file has been written * @return {Promise} A Q promise that is resolved when the file has been written
*/ */
this.putContentsAsync = function putContentsAsync(file, data, charset) { this.putContentsAsync = function putContentsAsync(file, data, charset) {
// Create a stream for async stream copying if (typeof data == 'string'
if(!(data instanceof Components.interfaces.nsIInputStream)) { && Zotero.platformMajorVersion >= 19
var converter = Components.classes["@mozilla.org/intl/scriptableunicodeconverter"]. && (!charset || charset.toLowerCase() == 'utf-8')) {
createInstance(Components.interfaces.nsIScriptableUnicodeConverter); let encoder = new TextEncoder();
converter.charset = charset ? Zotero.CharacterSets.getName(charset) : "UTF-8"; let array = encoder.encode(data);
data = converter.convertToInputStream(data); Components.utils.import("resource://gre/modules/osfile.jsm");
return Q(OS.File.writeAtomic(
file.path,
array,
{
tmpPath: OS.Path.join(Zotero.getTempDirectory().path, file.leafName + ".tmp")
}
))
.catch(function (e) {
Zotero.debug(e); // TEMP
if (e instanceof OS.File.Error) {
Zotero.debug(e);
Zotero.debug(e.toString());
throw new Error("Error for operation '" + e.operation + "' for " + file.path);
}
throw e;
});
} }
else {
var deferred = Q.defer(), // Create a stream for async stream copying
ostream = FileUtils.openSafeFileOutputStream(file); if(!(data instanceof Components.interfaces.nsIInputStream)) {
NetUtil.asyncCopy(data, ostream, function(inputStream, status) { var converter = Components.classes["@mozilla.org/intl/scriptableunicodeconverter"].
if (!Components.isSuccessCode(status)) { createInstance(Components.interfaces.nsIScriptableUnicodeConverter);
deferred.reject(new Components.Exception("File write operation failed", status)); converter.charset = charset ? Zotero.CharacterSets.getName(charset) : "UTF-8";
return; data = converter.convertToInputStream(data);
} }
deferred.resolve();
}); var deferred = Q.defer(),
return deferred.promise; ostream = FileUtils.openSafeFileOutputStream(file);
NetUtil.asyncCopy(data, ostream, function(inputStream, status) {
if (!Components.isSuccessCode(status)) {
deferred.reject(new Components.Exception("File write operation failed", status));
return;
}
deferred.resolve();
});
return deferred.promise;
}
}; };

File diff suppressed because it is too large Load diff

View file

@ -473,29 +473,116 @@ Zotero.HTTP = new function() {
var deferred = Q.defer(); var deferred = Q.defer();
Zotero.proxyAuthComplete = deferred.promise; Zotero.proxyAuthComplete = deferred.promise;
var uri = ZOTERO_CONFIG.PROXY_AUTH_URL; Q.fcall(function () {
var uris = Zotero.Prefs.get('proxyAuthenticationURLs').split(',');
uris = Zotero.Utilities.arrayShuffle(uris);
uris.unshift(ZOTERO_CONFIG.PROXY_AUTH_URL);
Zotero.debug("HTTP GET " + uri); return Q.async(function () {
let max = 3; // how many URIs to try after the general Zotero one
for (let i = 0; i <= max; i++) {
let uri = uris.shift();
if (!uri) {
break;
}
var xmlhttp = Components.classes["@mozilla.org/xmlextras/xmlhttprequest;1"] // For non-Zotero URLs, wait for PAC initialization,
.createInstance(); // in a rather ugly and inefficient manner
xmlhttp.open("GET", uri, true); if (i == 1) {
let installed = yield Q.fcall(_pacInstalled)
.then(function (installed) {
if (installed) throw true;
})
.delay(500)
.then(_pacInstalled)
.then(function (installed) {
if (installed) throw true;
})
.delay(1000)
.then(_pacInstalled)
.then(function (installed) {
if (installed) throw true;
})
.delay(2000)
.then(_pacInstalled)
.catch(function () {
return true;
});
if (!installed) {
Zotero.debug("No general proxy or PAC file found -- assuming direct connection");
break;
}
}
xmlhttp.channel.loadFlags |= Components.interfaces.nsIRequest.LOAD_BYPASS_CACHE; let proxyInfo = yield _proxyAsyncResolve(uri);
if (proxyInfo) {
var useMethodjit = Components.utils.methodjit; Zotero.debug("Proxy required for " + uri + " -- making HEAD request to trigger auth prompt");
/** @ignore */ yield Zotero.HTTP.promise("HEAD", uri, {
xmlhttp.onreadystatechange = function() { foreground: true,
// XXX Remove when we drop support for Fx <24 dontCache: true
if(useMethodjit !== undefined) Components.utils.methodjit = useMethodjit; })
_stateChange(xmlhttp, function (xmlhttp) { .catch(function (e) {
Zotero.debug("Proxy auth request completed with status " Components.utils.reportError(e);
+ xmlhttp.status + ": " + xmlhttp.responseText); var msg = "Error connecting to proxy -- proxied requests may not work";
Zotero.log(msg, 'error');
Zotero.debug(msg, 1);
});
break;
}
else {
Zotero.debug("Proxy not required for " + uri);
}
}
deferred.resolve(); deferred.resolve();
}); })();
}; })
xmlhttp.send(null); .catch(function (e) {
return xmlhttp; Components.utils.reportError(e);
Zotero.debug(e, 1);
deferred.resolve();
});
}
/**
* Test if a PAC file is installed
*
* There might be a better way to do this that doesn't require stepping
* through the error log and doing a fragile string comparison.
*/
_pacInstalled = function () {
return Zotero.getErrors(true).some(function (val) val.indexOf("PAC file installed") == 0)
}
_proxyAsyncResolve = function (uri) {
Components.utils.import("resource://gre/modules/NetUtil.jsm");
var pps = Components.classes["@mozilla.org/network/protocol-proxy-service;1"]
.getService(Components.interfaces.nsIProtocolProxyService);
var deferred = Q.defer();
pps.asyncResolve(
NetUtil.newURI(uri),
0,
{
onProxyAvailable: function (req, uri, proxyInfo, status) {
//Zotero.debug("onProxyAvailable");
//Zotero.debug(status);
deferred.resolve(proxyInfo);
},
QueryInterface: function (iid) {
const interfaces = [
Components.interfaces.nsIProtocolProxyCallback,
Components.interfaces.nsISupports
];
if (!interfaces.some(function(v) { return iid.equals(v) })) {
throw Components.results.NS_ERROR_NO_INTERFACE;
}
return this;
},
}
);
return deferred.promise;
} }

View file

@ -194,7 +194,7 @@ Zotero.ItemTreeView.prototype._setTreeGenerator = function(treebox)
Q.fcall(function () { Q.fcall(function () {
if (coloredTagsRE.test(key)) { if (coloredTagsRE.test(key)) {
let libraryID = self._itemGroup.libraryID; let libraryID = self._itemGroup.ref.libraryID;
libraryID = libraryID ? parseInt(libraryID) : 0; libraryID = libraryID ? parseInt(libraryID) : 0;
let position = parseInt(key) - 1; let position = parseInt(key) - 1;
return Zotero.Tags.getColorByPosition(libraryID, position) return Zotero.Tags.getColorByPosition(libraryID, position)
@ -322,6 +322,8 @@ Zotero.ItemTreeView.prototype._refreshGenerator = function()
var usiDisabled = Zotero.UnresponsiveScriptIndicator.disable(); var usiDisabled = Zotero.UnresponsiveScriptIndicator.disable();
Zotero.ItemGroupCache.clear();
this._searchMode = this._itemGroup.isSearchMode(); this._searchMode = this._itemGroup.isSearchMode();
if (!this.selection.selectEventsSuppressed) { if (!this.selection.selectEventsSuppressed) {
@ -598,8 +600,6 @@ Zotero.ItemTreeView.prototype.notify = function(action, type, ids, extraData)
// If trash or saved search, just re-run search // If trash or saved search, just re-run search
if (itemGroup.isTrash() || itemGroup.isSearch()) if (itemGroup.isTrash() || itemGroup.isSearch())
{ {
Zotero.ItemGroupCache.clear();
// Clear item type icons // Clear item type icons
var items = Zotero.Items.get(ids); var items = Zotero.Items.get(ids);
for (let i=0; i<items.length; i++) { for (let i=0; i<items.length; i++) {
@ -716,16 +716,15 @@ Zotero.ItemTreeView.prototype.notify = function(action, type, ids, extraData)
} }
else if(action == 'add') else if(action == 'add')
{ {
// If saved search or trash, just re-run search // In some modes, just re-run search
if (itemGroup.isSearch() || itemGroup.isTrash()) { if (itemGroup.isSearch() || itemGroup.isTrash() || itemGroup.isUnfiled()) {
this.refresh(); this.refresh();
madeChanges = true; madeChanges = true;
sort = true; sort = true;
} }
// If not a quicksearch and not background window saved search, // If not a quicksearch, process new items manually
// process new items manually else if (!quicksearch || quicksearch.value == '')
else if (quicksearch && quicksearch.value == '')
{ {
var items = Zotero.Items.get(ids); var items = Zotero.Items.get(ids);
for each(var item in items) { for each(var item in items) {
@ -745,7 +744,7 @@ Zotero.ItemTreeView.prototype.notify = function(action, type, ids, extraData)
sort = (items.length == 1) ? items[0].id : true; sort = (items.length == 1) ? items[0].id : true;
} }
} }
// Otherwise re-run the search, which refreshes the item list // Otherwise re-run the quick search, which refreshes the item list
else else
{ {
// For item adds, clear the quicksearch, unless all the new items // For item adds, clear the quicksearch, unless all the new items
@ -1807,7 +1806,7 @@ Zotero.ItemTreeView.prototype.selectItem = function(id, expand, noRecurse)
// Don't change selection if UI updates are disabled (e.g., during sync) // Don't change selection if UI updates are disabled (e.g., during sync)
if (Zotero.suppressUIUpdates) { if (Zotero.suppressUIUpdates) {
Zotero.debug("Sync is running; not selecting item"); Zotero.debug("Sync is running; not selecting item");
return; return false;
} }
// If no row map, we're probably in the process of switching collections, // If no row map, we're probably in the process of switching collections,
@ -1903,7 +1902,7 @@ Zotero.ItemTreeView.prototype.selectItems = function(ids) {
var rows = []; var rows = [];
for each(var id in ids) { for each(var id in ids) {
rows.push(this._itemRowMap[id]); if(this._itemRowMap[id] !== undefined) rows.push(this._itemRowMap[id]);
} }
rows.sort(function (a, b) { rows.sort(function (a, b) {
return a - b; return a - b;

View file

@ -233,7 +233,7 @@ Zotero.MIME = new function(){
} }
} }
// Otherwise allow match anywhere in sample // Otherwise allow match anywhere in sample
// (128 bytes from getSample() by default) // (200 bytes from getSample() by default)
else if (str.indexOf(_snifferEntries[i][0]) != -1) { else if (str.indexOf(_snifferEntries[i][0]) != -1) {
match = true; match = true;
} }

View file

@ -141,7 +141,7 @@ Zotero.OpenURL = new function() {
if(item.journalAbbreviation) _mapTag(item.journalAbbreviation, "stitle"); if(item.journalAbbreviation) _mapTag(item.journalAbbreviation, "stitle");
if(item.volume) _mapTag(item.volume, "volume"); if(item.volume) _mapTag(item.volume, "volume");
if(item.issue) _mapTag(item.issue, "issue"); if(item.issue) _mapTag(item.issue, "issue");
} else if(item.itemType == "book" || item.itemType == "bookSection" || item.itemType == "conferencePaper") { } else if(item.itemType == "book" || item.itemType == "bookSection" || item.itemType == "conferencePaper" || item.itemType == "report") {
if(version === "1.0") { if(version === "1.0") {
_mapTag("info:ofi/fmt:kev:mtx:book", "rft_val_fmt", true); _mapTag("info:ofi/fmt:kev:mtx:book", "rft_val_fmt", true);
} }
@ -153,6 +153,10 @@ Zotero.OpenURL = new function() {
_mapTag("proceeding", "genre"); _mapTag("proceeding", "genre");
if(item.title) _mapTag(item.title, "atitle") if(item.title) _mapTag(item.title, "atitle")
if(item.proceedingsTitle) _mapTag(item.proceedingsTitle, (version == "0.1" ? "title" : "btitle")); if(item.proceedingsTitle) _mapTag(item.proceedingsTitle, (version == "0.1" ? "title" : "btitle"));
} else if (item.itemType == "report") {
_mapTag("report", "genre");
if(item.seriesTitle) _mapTag(item.seriesTitle, "series");
if(item.title) _mapTag(item.title, (version == "0.1" ? "title" : "btitle"));
} else { } else {
_mapTag("bookitem", "genre"); _mapTag("bookitem", "genre");
if(item.title) _mapTag(item.title, "atitle") if(item.title) _mapTag(item.title, "atitle")
@ -396,7 +400,11 @@ Zotero.OpenURL = new function() {
} else if(key == "rft.edition") { } else if(key == "rft.edition") {
item.edition = value; item.edition = value;
} else if(key == "rft.series") { } else if(key == "rft.series") {
item.series = value; if(item.itemType == "report") {
item.seriesTitle = value;
} else {
item.series = value;
}
} else if(item.itemType == "thesis") { } else if(item.itemType == "thesis") {
if(key == "rft.inst") { if(key == "rft.inst") {
item.publisher = value; item.publisher = value;

View file

@ -1394,9 +1394,12 @@ Zotero.Schema = new function(){
yield _getSchemaSQLVersion('system').then(function (version) { yield _getSchemaSQLVersion('system').then(function (version) {
return _updateDBVersion('system', version); return _updateDBVersion('system', version);
}); });
yield _getSchemaSQLVersion('userdata').then(function (version) { // TEMP: 77 is for full-text syncing. New users don't need the
return _updateDBVersion('userdata', version); // prompt, so initialize new databases to 77.
}); //yield _getSchemaSQLVersion('userdata').then(function (version) {
// return _updateDBVersion('userdata', version);
//});
yield _updateDBVersion('userdata', 77);
yield _getSchemaSQLVersion('userdata3').then(function (version) { yield _getSchemaSQLVersion('userdata3').then(function (version) {
return _updateDBVersion('userdata3', version); return _updateDBVersion('userdata3', version);
}); });
@ -1749,7 +1752,7 @@ Zotero.Schema = new function(){
fromVersion = 76; fromVersion = 76;
} }
if (fromVersion >= toVersion) { if (fromVersion > toVersion) {
return false; return false;
} }

View file

@ -457,8 +457,18 @@ Zotero.Sync.Storage = new function () {
try { try {
request.setMaxSize(Zotero.Attachments.getTotalFileSize(item)); request.setMaxSize(Zotero.Attachments.getTotalFileSize(item));
} }
// If this fails, it's no big deal, though we might fail later // If this fails, ignore it, though we might fail later
catch (e) { catch (e) {
// But if the file doesn't exist yet, don't try to upload it
//
// This isn't a perfect test, because the file could still be
// in the process of being downloaded. It'd be better to
// download files to a temp directory and move them into place.
if (!item.getFile()) {
Zotero.debug("File " + item.libraryKey + " not yet available to upload -- skipping");
return;
}
Components.utils.reportError(e); Components.utils.reportError(e);
Zotero.debug(e, 1); Zotero.debug(e, 1);
} }

View file

@ -580,6 +580,19 @@ Zotero.Sync.Storage.WebDAV = (function () {
if (!channel instanceof Ci.nsIChannel) { if (!channel instanceof Ci.nsIChannel) {
Zotero.Sync.Storage.EventManager.error('No HTTPS channel available'); Zotero.Sync.Storage.EventManager.error('No HTTPS channel available');
} }
// Check if the error we encountered is really an SSL error
// Logic borrowed from https://developer.mozilla.org/en-US/docs/How_to_check_the_security_state_of_an_XMLHTTPRequest_over_SSL
// http://mxr.mozilla.org/mozilla-central/source/security/nss/lib/ssl/sslerr.h
// http://mxr.mozilla.org/mozilla-central/source/security/nss/lib/util/secerr.h
var secErrLimit = Ci.nsINSSErrorsService.NSS_SEC_ERROR_LIMIT - Ci.nsINSSErrorsService.NSS_SEC_ERROR_BASE;
var secErr = Math.abs(Ci.nsINSSErrorsService.NSS_SEC_ERROR_BASE) - (channel.status & 0xffff);
var sslErrLimit = Ci.nsINSSErrorsService.NSS_SSL_ERROR_LIMIT - Ci.nsINSSErrorsService.NSS_SSL_ERROR_BASE;
var sslErr = Math.abs(Ci.nsINSSErrorsService.NSS_SSL_ERROR_BASE) - (channel.status & 0xffff);
if( (secErr < 0 || secErr > secErrLimit) && (sslErr < 0 || sslErr > sslErrLimit) ) {
return;
}
var secInfo = channel.securityInfo; var secInfo = channel.securityInfo;
if (secInfo instanceof Ci.nsITransportSecurityInfo) { if (secInfo instanceof Ci.nsITransportSecurityInfo) {
secInfo.QueryInterface(Ci.nsITransportSecurityInfo); secInfo.QueryInterface(Ci.nsITransportSecurityInfo);
@ -600,7 +613,7 @@ Zotero.Sync.Storage.WebDAV = (function () {
var buttonText = Zotero.getString('general.openDocumentation'); var buttonText = Zotero.getString('general.openDocumentation');
var func = function () { var func = function () {
var zp = Zotero.getActiveZoteroPane(); var zp = Zotero.getActiveZoteroPane();
zp.loadURI("http://www.zotero.org/support/kb/cert_override", { shiftKey: true }); zp.loadURI("https://www.zotero.org/support/kb/cert_override", { shiftKey: true });
}; };
} }
// In Firefox display a button to load the WebDAV URL // In Firefox display a button to load the WebDAV URL
@ -619,10 +632,7 @@ Zotero.Sync.Storage.WebDAV = (function () {
{ {
dialogText: msg, dialogText: msg,
dialogButtonText: buttonText, dialogButtonText: buttonText,
dialogButtonCallback: function () { dialogButtonCallback: func
var zp = Zotero.getActiveZoteroPane();
zp.loadURI(channel.URI.spec, { shiftKey: true });
}
} }
); );
throw e; throw e;
@ -1091,7 +1101,7 @@ Zotero.Sync.Storage.WebDAV = (function () {
); );
}) })
.catch(function (e) { .catch(function (e) {
var msg = "HTTP " + req.status + " error from WebDAV server " var msg = "HTTP " + e.status + " error from WebDAV server "
+ "for PUT request"; + "for PUT request";
Zotero.debug(msg, 2); Zotero.debug(msg, 2);
Components.utils.reportError(msg); Components.utils.reportError(msg);

View file

@ -811,6 +811,12 @@ Zotero.Sync.Storage.ZFS = (function () {
+ " in Zotero.Sync.Storage.ZFS.downloadFile()"; + " in Zotero.Sync.Storage.ZFS.downloadFile()";
Zotero.debug(msg, 1); Zotero.debug(msg, 1);
Components.utils.reportError(msg); Components.utils.reportError(msg);
try {
Zotero.debug(Zotero.File.getContents(destFile, null, 4096), 1);
}
catch (e) {
Zotero.debug(e, 1);
}
deferred.reject(Zotero.Sync.Storage.defaultError); deferred.reject(Zotero.Sync.Storage.defaultError);
return; return;
} }

View file

@ -55,6 +55,10 @@ Zotero.Sync = new function() {
setting: { setting: {
singular: 'Setting', singular: 'Setting',
plural: 'Settings' plural: 'Settings'
},
fulltext: {
singular: 'Fulltext',
plural: 'Fulltexts'
} }
}; };
}); });
@ -132,7 +136,7 @@ Zotero.Sync = new function() {
} }
for (var type in this.syncObjects) { for (var type in this.syncObjects) {
if (type == 'setting') { if (type == 'setting' || type == 'fulltext') {
continue; continue;
} }
@ -451,6 +455,9 @@ Zotero.Sync.EventListener = new function () {
if (type == 'setting') { if (type == 'setting') {
[libraryID, key] = ids[i].split("/"); [libraryID, key] = ids[i].split("/");
} }
else if (type == 'fulltext') {
continue;
}
else { else {
var oldItem = extraData[ids[i]].old; var oldItem = extraData[ids[i]].old;
libraryID = oldItem.primary.libraryID; libraryID = oldItem.primary.libraryID;
@ -1361,6 +1368,42 @@ Zotero.Sync.Server = new function () {
_error(e); _error(e);
} }
// TEMP
if (Zotero.Prefs.get("sync.fulltext.enabled") &&
Zotero.DB.valueQuery("SELECT version FROM version WHERE schema='userdata'") < 77) {
// Don't show multiple times on idle
_syncInProgress = true;
let ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"]
.getService(Components.interfaces.nsIPromptService);
let buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING)
+ (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_IS_STRING)
+ ps.BUTTON_DELAY_ENABLE;
let index = ps.confirmEx(
null,
Zotero.getString('sync.fulltext.upgradePrompt.title'),
Zotero.getString('sync.fulltext.upgradePrompt.text') + "\n\n"
+ Zotero.getString('sync.fulltext.upgradePrompt.changeLater'),
buttonFlags,
Zotero.getString('sync.fulltext.upgradePrompt.enable'),
Zotero.getString('general.notNow'),
null, null, {}
);
_syncInProgress = false;
// Enable
if (index == 0) {
Zotero.DB.backupDatabase(76, true);
Zotero.DB.query("UPDATE version SET version=77 WHERE schema='userdata'");
Zotero.wait(1000);
}
// Disable
else {
Zotero.Prefs.set("sync.fulltext.enabled", false);
}
}
username = encodeURIComponent(username); username = encodeURIComponent(username);
password = encodeURIComponent(password); password = encodeURIComponent(password);
var body = _apiVersionComponent var body = _apiVersionComponent
@ -1462,6 +1505,13 @@ Zotero.Sync.Server = new function () {
body += '&upload=1'; body += '&upload=1';
} }
if (Zotero.Prefs.get("sync.fulltext.enabled")) {
body += "&ft=1" + Zotero.Fulltext.getUndownloadedPostData();
}
else {
body += "&ft=0";
}
Zotero.Sync.Runner.setSyncStatus(Zotero.getString('sync.status.gettingUpdatedData')); Zotero.Sync.Runner.setSyncStatus(Zotero.getString('sync.status.gettingUpdatedData'));
Zotero.HTTP.doPost(url, body, function (xmlhttp) { Zotero.HTTP.doPost(url, body, function (xmlhttp) {
@ -1694,6 +1744,14 @@ Zotero.Sync.Server = new function () {
var sql = "UPDATE syncedSettings SET synced=1"; var sql = "UPDATE syncedSettings SET synced=1";
Zotero.DB.query(sql); Zotero.DB.query(sql);
if (syncSession.fulltextItems && syncSession.fulltextItems.length) {
let sql = "UPDATE fulltextItems SET synced=1 WHERE itemID=?";
for each (let lk in syncSession.fulltextItems) {
let item = Zotero.Items.getByLibraryAndKey(lk.libraryID, lk.key);
Zotero.DB.query(sql, item.id);
}
}
//throw('break2'); //throw('break2');
Zotero.DB.commitTransaction(); Zotero.DB.commitTransaction();
@ -2825,6 +2883,26 @@ Zotero.Sync.Server.Data = new function() {
Zotero.SyncedSettings.setSynchronous(libraryID, name, value, version, true); Zotero.SyncedSettings.setSynchronous(libraryID, name, value, version, true);
continue; continue;
} }
else if (type == 'fulltext') {
if (!libraryID) {
libraryID = 0;
}
let key = objectNode.getAttribute('key');
Zotero.debug("Processing remote full-text content for item " + libraryID + "/" + key);
Zotero.Fulltext.setItemContent(
libraryID,
key,
objectNode.textContent,
{
indexedChars: parseInt(objectNode.getAttribute('indexedChars')),
totalChars: parseInt(objectNode.getAttribute('totalChars')),
indexedPages: parseInt(objectNode.getAttribute('indexedPages')),
totalPages: parseInt(objectNode.getAttribute('totalPages'))
},
parseInt(objectNode.getAttribute('version'))
);
continue;
}
var key = objectNode.getAttribute('key'); var key = objectNode.getAttribute('key');
var objLibraryKeyHash = Zotero[Types].makeLibraryKeyHash(libraryID, key); var objLibraryKeyHash = Zotero[Types].makeLibraryKeyHash(libraryID, key);
@ -3537,6 +3615,38 @@ Zotero.Sync.Server.Data = new function() {
docElem.appendChild(settingsNode); docElem.appendChild(settingsNode);
} }
if (Zotero.Prefs.get("sync.fulltext.enabled")) {
// Add up to 500K characters of full-text content
try {
var rows = Zotero.Fulltext.getUnsyncedContent(500000);
}
catch (e) {
Zotero.debug(e, 1);
Components.utils.reportError(e);
var rows = [];
}
if (rows.length) {
let fulltextsNode = doc.createElement('fulltexts');
syncSession.fulltextItems = [];
for (let i=0; i<rows.length; i++) {
syncSession.fulltextItems.push({
libraryID: rows[i].libraryID,
key: rows[i].key
})
let node = doc.createElement('fulltext');
node.setAttribute('libraryID', rows[i].libraryID ? rows[i].libraryID : Zotero.libraryID);
node.setAttribute('key', rows[i].key);
node.setAttribute('indexedChars', rows[i].indexedChars);
node.setAttribute('totalChars', rows[i].totalChars);
node.setAttribute('indexedPages', rows[i].indexedPages);
node.setAttribute('totalPages', rows[i].totalPages);
node.appendChild(doc.createTextNode(_xmlize(rows[i].text)));
fulltextsNode.appendChild(node);
}
docElem.appendChild(fulltextsNode);
}
}
// Deletions // Deletions
var deletedNode = doc.createElement('deleted'); var deletedNode = doc.createElement('deleted');
var inserted = false; var inserted = false;

View file

@ -33,7 +33,7 @@ Zotero.Timeline = new function () {
var content = '<data>\n'; var content = '<data>\n';
for each(var item in items) { for each(var item in items) {
var date = item.getField(dateType, true); var date = item.getField(dateType, true, true);
if (date) { if (date) {
var sqlDate = (dateType == 'date') ? Zotero.Date.multipartToSQL(date) : date; var sqlDate = (dateType == 'date') ? Zotero.Date.multipartToSQL(date) : date;
sqlDate = sqlDate.replace("00-00", "01-01"); sqlDate = sqlDate.replace("00-00", "01-01");

View file

@ -315,18 +315,18 @@ Zotero.Utilities = {
*/ */
"cleanISSN":function(/**String*/ issn) { "cleanISSN":function(/**String*/ issn) {
issn = issn.replace(/[^0-9a-z]+/ig, '').toUpperCase() //we only want to ignore punctuation, spaces issn = issn.replace(/[^0-9a-z]+/ig, '').toUpperCase() //we only want to ignore punctuation, spaces
.match(/[0-9]{7}[0-9X]/); //13 digit or 10 digit .match(/[0-9]{7}[0-9X]/);
if(!issn) return false; if(!issn) return false;
issn = issn[0]; issn = issn[0];
// Verify ISBN-10 checksum // Verify ISSN checksum
var sum = 0; var sum = 0;
for (var i = 0; i < 7; i++) { for (var i = 0; i < 7; i++) {
if(issn[i] == 'X') return false; //X can only be a check digit if(issn[i] == 'X') return false; //X can only be a check digit
sum += issn[i] * (8-i); sum += issn[i] * (8-i);
} }
//check digit might be 'X' //check digit might be 'X'
sum += (issn[9] == 'X')? 10 : issn[9]*1; sum += (issn[7] == 'X')? 10 : issn[7]*1;
return (sum % 11 == 0) ? issn.substring(0,4) + '-' + issn.substring(4) : false; return (sum % 11 == 0) ? issn.substring(0,4) + '-' + issn.substring(4) : false;
}, },
@ -576,6 +576,31 @@ Zotero.Utilities = {
return vals; return vals;
}, },
/**
* Return new array with values shuffled
*
* From http://stackoverflow.com/a/6274398
*
* @param {Array} arr
* @return {Array}
*/
"arrayShuffle": function (array) {
var counter = array.length, temp, index;
// While there are elements in the array
while (counter--) {
// Pick a random index
index = (Math.random() * counter) | 0;
// And swap the last element with it
temp = array[counter];
array[counter] = array[index];
array[index] = temp;
}
return array;
},
/** /**
* Return new array with duplicate values removed * Return new array with duplicate values removed

View file

@ -89,25 +89,29 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
this.__defineGetter__('userID', function () { this.__defineGetter__('userID', function () {
if (_userID !== undefined) return _userID;
var sql = "SELECT value FROM settings WHERE " var sql = "SELECT value FROM settings WHERE "
+ "setting='account' AND key='userID'"; + "setting='account' AND key='userID'";
return Zotero.DB.valueQuery(sql); return _userID = Zotero.DB.valueQuery(sql);
}); });
this.__defineSetter__('userID', function (val) { this.__defineSetter__('userID', function (val) {
var sql = "REPLACE INTO settings VALUES ('account', 'userID', ?)"; var sql = "REPLACE INTO settings VALUES ('account', 'userID', ?)";
Zotero.DB.query(sql, parseInt(val)); Zotero.DB.query(sql, parseInt(val));
_userID = val;
}); });
this.__defineGetter__('libraryID', function () { this.__defineGetter__('libraryID', function () {
if (_libraryID !== undefined) return _libraryID;
var sql = "SELECT value FROM settings WHERE " var sql = "SELECT value FROM settings WHERE "
+ "setting='account' AND key='libraryID'"; + "setting='account' AND key='libraryID'";
return Zotero.DB.valueQuery(sql); return _libraryID = Zotero.DB.valueQuery(sql);
}); });
this.__defineSetter__('libraryID', function (val) { this.__defineSetter__('libraryID', function (val) {
var sql = "REPLACE INTO settings VALUES ('account', 'libraryID', ?)"; var sql = "REPLACE INTO settings VALUES ('account', 'libraryID', ?)";
Zotero.DB.query(sql, parseInt(val)); Zotero.DB.query(sql, parseInt(val));
_libraryID = val;
}); });
this.__defineGetter__('username', function () { this.__defineGetter__('username', function () {
@ -188,6 +192,8 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
var _startupErrorHandler; var _startupErrorHandler;
var _zoteroDirectory = false; var _zoteroDirectory = false;
var _localizedStringBundle; var _localizedStringBundle;
var _userID;
var _libraryID;
var _localUserKey; var _localUserKey;
var _waiting = 0; var _waiting = 0;
@ -477,6 +483,9 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
Zotero.debug("Loading in connector mode"); Zotero.debug("Loading in connector mode");
Zotero.Connector_Types.init(); Zotero.Connector_Types.init();
// Store a startupError until we get information from Zotero Standalone
Zotero.startupError = Zotero.getString("connector.loadInProgress")
if(!Zotero.isFirstLoadThisSession) { if(!Zotero.isFirstLoadThisSession) {
// We want to get a checkInitComplete message before initializing if we switched to // We want to get a checkInitComplete message before initializing if we switched to
// connector mode because Standalone was launched // connector mode because Standalone was launched
@ -506,6 +515,7 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
if(Zotero.initialized) return; if(Zotero.initialized) return;
Zotero.debug("Running initialization callbacks"); Zotero.debug("Running initialization callbacks");
delete this.startupError;
this.initialized = true; this.initialized = true;
this.initializationDeferred.resolve(); this.initializationDeferred.resolve();
@ -662,6 +672,80 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
.catch(function (e) { .catch(function (e) {
Zotero.debug(e, 1); Zotero.debug(e, 1);
Components.utils.reportError(e); // DEBUG: doesn't always work Components.utils.reportError(e); // DEBUG: doesn't always work
if (typeof e == 'string' && e.match('newer than SQL file')) {
var kbURL = "http://zotero.org/support/kb/newer_db_version";
var msg = Zotero.localeJoin([
Zotero.getString('startupError.zoteroVersionIsOlder'),
Zotero.getString('startupError.zoteroVersionIsOlder.upgrade')
]) + "\n\n"
+ Zotero.getString('startupError.zoteroVersionIsOlder.current', Zotero.version) + "\n\n"
+ Zotero.getString('general.seeForMoreInformation', kbURL);
Zotero.startupError = msg;
_startupErrorHandler = function() {
var ps = Components.classes["@mozilla.org/embedcomp/prompt-service;1"]
.getService(Components.interfaces.nsIPromptService);
var buttonFlags = (ps.BUTTON_POS_0) * (ps.BUTTON_TITLE_IS_STRING)
+ (ps.BUTTON_POS_1) * (ps.BUTTON_TITLE_CANCEL)
+ ps.BUTTON_POS_0_DEFAULT;
var index = ps.confirmEx(
null,
Zotero.getString('general.error'),
Zotero.startupError,
buttonFlags,
Zotero.getString('general.checkForUpdate'),
null, null, null, {}
);
// "Check for updates" button
if(index === 0) {
if(Zotero.isStandalone) {
Components.classes["@mozilla.org/embedcomp/window-watcher;1"]
.getService(Components.interfaces.nsIWindowWatcher)
.openWindow(null, 'chrome://mozapps/content/update/updates.xul',
'updateChecker', 'chrome,centerscreen', null);
} else {
// In Firefox, show the add-on manager
Components.utils.import("resource://gre/modules/AddonManager.jsm");
AddonManager.getAddonByID(ZOTERO_CONFIG['GUID'],
function (addon) {
// Disable auto-update so that the user is presented with the option
var initUpdateState = addon.applyBackgroundUpdates;
addon.applyBackgroundUpdates = AddonManager.AUTOUPDATE_DISABLE;
addon.findUpdates({
onNoUpdateAvailable: function() {
ps.alert(
null,
Zotero.getString('general.noUpdatesFound'),
Zotero.getString('general.isUpToDate', 'Zotero')
);
},
onUpdateAvailable: function() {
// Show available update
Components.classes["@mozilla.org/appshell/window-mediator;1"]
.getService(Components.interfaces.nsIWindowMediator)
.getMostRecentWindow('navigator:browser')
.BrowserOpenAddonsMgr('addons://updates/available');
},
onUpdateFinished: function() {
// Restore add-on auto-update state, but don't fire
// too quickly or the update will not show in the
// add-on manager
setTimeout(function() {
addon.applyBackgroundUpdates = initUpdateState;
}, 1000);
}
},
AddonManager.UPDATE_WHEN_USER_REQUESTED
);
}
);
}
}
};
}
Zotero.startupError = Zotero.getString('startupError.databaseUpgradeError') + "\n\n" + e; Zotero.startupError = Zotero.getString('startupError.databaseUpgradeError') + "\n\n" + e;
throw true; throw true;
}); });
@ -802,7 +886,7 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
// remove temp directory // remove temp directory
Zotero.removeTempDirectory(); Zotero.removeTempDirectory();
if(Zotero.initialized && Zotero.DB) { if(Zotero.DB && Zotero.DB._connection) {
Zotero.debug("Closing database"); Zotero.debug("Closing database");
// run GC to finalize open statements // run GC to finalize open statements
@ -1880,7 +1964,8 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
this.purgeDataObjects = function (skipStoragePurge) { this.purgeDataObjects = function (skipStoragePurge) {
Zotero.Creators.purge(); Zotero.Creators.purge();
Zotero.Tags.purge(); Zotero.Tags.purge();
Zotero.Fulltext.purgeUnusedWords(); // TEMP: Disabled until we have async DB (and maybe SQLite FTS)
//Zotero.Fulltext.purgeUnusedWords();
Zotero.Items.purge(); Zotero.Items.purge();
// DEBUG: this might not need to be permanent // DEBUG: this might not need to be permanent
Zotero.Relations.purge(); Zotero.Relations.purge();
@ -1938,7 +2023,11 @@ Components.utils.import("resource://gre/modules/osfile.jsm");
'CVE-2009-3555', 'CVE-2009-3555',
'OpenGL LayerManager', 'OpenGL LayerManager',
'trying to re-register CID', 'trying to re-register CID',
'Services.HealthReport' 'Services.HealthReport',
'[JavaScript Error: "this.docShell is null"',
'[JavaScript Error: "downloadable font:',
'[JavaScript Error: "Image corrupt or truncated:',
'[JavaScript Error: "The character encoding of the'
]; ];
for (var i=0; i<blacklist.length; i++) { for (var i=0; i<blacklist.length; i++) {
@ -2253,6 +2342,17 @@ Zotero.Prefs = new function(){
} }
break; break;
// TEMP
case "sync.fulltext.enabled":
if (this.get("sync.fulltext.enabled")) {
// Disable downgrades if full-text sync is enabled, since otherwise
// we could miss full-text content updates
if (Zotero.DB.valueQuery("SELECT version FROM version WHERE schema='userdata'") < 77) {
Zotero.DB.query("UPDATE version SET version=77 WHERE schema='userdata'");
}
}
break;
case "search.quicksearch-mode": case "search.quicksearch-mode":
var enumerator = Services.wm.getEnumerator("navigator:browser"); var enumerator = Services.wm.getEnumerator("navigator:browser");
while (enumerator.hasMoreElements()) { while (enumerator.hasMoreElements()) {

View file

@ -91,7 +91,7 @@ var ZoteroPane = new function()
var self = this, var self = this,
_loaded = false, _madeVisible = false, _loaded = false, _madeVisible = false,
titlebarcolorState, titleState, observerService, titlebarcolorState, titleState, observerService,
_reloadFunctions = []; _reloadFunctions = [], _beforeReloadFunctions = [];
/** /**
* Called when the window containing Zotero pane is open * Called when the window containing Zotero pane is open
@ -127,6 +127,13 @@ var ZoteroPane = new function()
observerService = Components.classes["@mozilla.org/observer-service;1"] observerService = Components.classes["@mozilla.org/observer-service;1"]
.getService(Components.interfaces.nsIObserverService); .getService(Components.interfaces.nsIObserverService);
observerService.addObserver(_reloadObserver, "zotero-reloaded", false); observerService.addObserver(_reloadObserver, "zotero-reloaded", false);
observerService.addObserver(_reloadObserver, "zotero-before-reload", false);
this.addBeforeReloadListener(function(newMode) {
if(newMode == "connector") {
ZoteroPane_Local.setItemsPaneMessage(Zotero.getString('connector.standaloneOpen'));
}
return;
});
this.addReloadListener(_loadPane); this.addReloadListener(_loadPane);
// continue loading pane // continue loading pane
@ -138,10 +145,7 @@ var ZoteroPane = new function()
* mode * mode
*/ */
function _loadPane() { function _loadPane() {
if(Zotero.isConnector) { if(!Zotero.isConnector) {
ZoteroPane_Local.setItemsPaneMessage(Zotero.getString('connector.standaloneOpen'));
return;
} else {
ZoteroPane_Local.clearItemsPaneMessage(); ZoteroPane_Local.clearItemsPaneMessage();
} }
@ -771,7 +775,11 @@ var ZoteroPane = new function()
if (manual) { if (manual) {
// Focus the title field // Focus the title field
document.getElementById('zotero-editpane-item-box').focusFirstField(); if (this.selectItem(itemID)) {
setTimeout(function () {
document.getElementById('zotero-editpane-item-box').focusFirstField();
}, 0);
}
// Update most-recently-used list for New Item menu // Update most-recently-used list for New Item menu
this.addItemTypeToNewItemTypeMRU(typeID); this.addItemTypeToNewItemTypeMRU(typeID);
@ -4106,6 +4114,14 @@ var ZoteroPane = new function()
if(_reloadFunctions.indexOf(func) === -1) _reloadFunctions.push(func); if(_reloadFunctions.indexOf(func) === -1) _reloadFunctions.push(func);
} }
/**
* Adds or removes a function to be called just before Zotero is reloaded by switching into or
* out of the connector
*/
this.addBeforeReloadListener = function(/** @param {Function} **/func) {
if(_beforeReloadFunctions.indexOf(func) === -1) _beforeReloadFunctions.push(func);
}
/** /**
* Implements nsIObserver for Zotero reload * Implements nsIObserver for Zotero reload
*/ */
@ -4113,9 +4129,14 @@ var ZoteroPane = new function()
/** /**
* Called when Zotero is reloaded (i.e., if it is switched into or out of connector mode) * Called when Zotero is reloaded (i.e., if it is switched into or out of connector mode)
*/ */
"observe":function() { "observe":function(aSubject, aTopic, aData) {
Zotero.debug("Reloading Zotero pane"); if(aTopic == "zotero-reloaded") {
for each(var func in _reloadFunctions) func(); Zotero.debug("Reloading Zotero pane");
for each(var func in _reloadFunctions) func(aData);
} else if(aTopic == "zotero-before-reload") {
Zotero.debug("Zotero pane caught before-reload event");
for each(var func in _beforeReloadFunctions) func(aData);
}
} }
}; };
} }

View file

@ -231,7 +231,7 @@
</toolbarbutton> </toolbarbutton>
<toolbarseparator id="zotero-fullscreen-close-separator" class="standalone-no-display"/> <toolbarseparator id="zotero-fullscreen-close-separator" class="standalone-no-display"/>
<toolbarbutton id="zotero-tb-fullscreen" tooltiptext="&zotero.toolbar.tab.tooltip;" oncommand="ZoteroPane_Local.toggleTab();" class="zotero-tb-button standalone-no-display"/> <toolbarbutton id="zotero-tb-fullscreen" tooltiptext="&zotero.toolbar.tab.tooltip;" oncommand="ZoteroPane_Local.toggleTab();" class="zotero-tb-button standalone-no-display"/>
<toolbarbutton id="zotero-close-button" class="tabs-closebutton standalone-no-display" oncommand="ZoteroOverlay.toggleDisplay()"/> <toolbarbutton id="zotero-close-button" class="tabs-closebutton close-icon standalone-no-display" oncommand="ZoteroOverlay.toggleDisplay()"/>
</hbox> </hbox>
</toolbar> </toolbar>

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Rapporteer gebroke werfvertalers"> <!ENTITY zotero.preferences.reportTranslationFailure "Rapporteer gebroke werfvertalers">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded RIS/Refer files"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Neem outomaties kiekies wanneer items uit webbladsye geskep word"> <!ENTITY zotero.preferences.automaticSnapshots "Neem outomaties kiekies wanneer items uit webbladsye geskep word">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Heg geassosieerde PDF's en ander lêers outomaties aan wanneer items gestoor word"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Heg geassosieerde PDF's en ander lêers outomaties aan wanneer items gestoor word">
<!ENTITY zotero.preferences.automaticTags "Merk items outomaties met sleutelwoorde en onderwerpopskrifte aan"> <!ENTITY zotero.preferences.automaticTags "Merk items outomaties met sleutelwoorde en onderwerpopskrifte aan">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Create Account"> <!ENTITY zotero.preferences.sync.createAccount "Create Account">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Lost Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.fileSyncing "File Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -20,16 +20,20 @@ general.tryAgainLater=Please try again in a few minutes.
general.serverError=The server returned an error. Please try again. general.serverError=The server returned an error. Please try again.
general.restartFirefox=Please restart Firefox. general.restartFirefox=Please restart Firefox.
general.restartFirefoxAndTryAgain=Please restart Firefox and try again. general.restartFirefoxAndTryAgain=Please restart Firefox and try again.
general.checkForUpdate=Check for update general.checkForUpdate=Check for Update
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=This action cannot be undone.
general.install=Install general.install=Install
general.updateAvailable=Update Available general.updateAvailable=Update Available
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Upgrade general.upgrade=Upgrade
general.yes=Yes general.yes=Yes
general.no=No general.no=No
general.notNow=Not Now
general.passed=Passed general.passed=Passed
general.failed=Failed general.failed=Failed
general.and=and general.and=and
general.etAl=et al.
general.accessDenied=Access Denied general.accessDenied=Access Denied
general.permissionDenied=Permission Denied general.permissionDenied=Permission Denied
general.character.singular=character general.character.singular=character
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero operation is currently in progress. general.operationInProgress=A Zotero operation is currently in progress.
general.operationInProgress.waitUntilFinished=Please wait until it has finished. general.operationInProgress.waitUntilFinished=Please wait until it has finished.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Please wait until it ha
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=Welcome to Zotero! install.quickStartGuide.message.welcome=Welcome to Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "الإبلاغ عن مترجمات مواقع معطلة"> <!ENTITY zotero.preferences.reportTranslationFailure "الإبلاغ عن مترجمات مواقع معطلة">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "السماح لموقع زوتيرو بتخصيص المحتوى بناء على الاصدار الحالي لزوتيرو"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "السماح لموقع زوتيرو بتخصيص المحتوى بناء على الاصدار الحالي لزوتيرو">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "السماح لموقع زوتيرو بالتعرف على الاصدار الحالي لزوتيرو"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "السماح لموقع زوتيرو بالتعرف على الاصدار الحالي لزوتيرو">
<!ENTITY zotero.preferences.parseRISRefer "استخدم زوتيرو لتشغيل الملفات المحملة بصيغ RIS/Refer"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "أخذ لقطات تلقائية عند إنشاء العناصر من صفحات الويب"> <!ENTITY zotero.preferences.automaticSnapshots "أخذ لقطات تلقائية عند إنشاء العناصر من صفحات الويب">
<!ENTITY zotero.preferences.downloadAssociatedFiles "الارفاق التلقائي لملفات PDF والملفات الاخرى عند اضافة عنصر جديد من صفحة ويب"> <!ENTITY zotero.preferences.downloadAssociatedFiles "الارفاق التلقائي لملفات PDF والملفات الاخرى عند اضافة عنصر جديد من صفحة ويب">
<!ENTITY zotero.preferences.automaticTags "اضف اوسمة تلقائية للعناصر بالكلمات المفتاحية ورؤوس الموضوعات"> <!ENTITY zotero.preferences.automaticTags "اضف اوسمة تلقائية للعناصر بالكلمات المفتاحية ورؤوس الموضوعات">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "تسجيل اشتراك جديد"> <!ENTITY zotero.preferences.sync.createAccount "تسجيل اشتراك جديد">
<!ENTITY zotero.preferences.sync.lostPassword "نسيت كلمة المرور؟"> <!ENTITY zotero.preferences.sync.lostPassword "نسيت كلمة المرور؟">
<!ENTITY zotero.preferences.sync.syncAutomatically "التزامن التلقائي"> <!ENTITY zotero.preferences.sync.syncAutomatically "التزامن التلقائي">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "نبذة عن التزامن"> <!ENTITY zotero.preferences.sync.about "نبذة عن التزامن">
<!ENTITY zotero.preferences.sync.fileSyncing "تزامن الملفات"> <!ENTITY zotero.preferences.sync.fileSyncing "تزامن الملفات">
<!ENTITY zotero.preferences.sync.fileSyncing.url "الرابط:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "الرابط:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=التحقق من وجود تحديث
general.actionCannotBeUndone=لا يمكن تجاهل هذا الاجراء. general.actionCannotBeUndone=لا يمكن تجاهل هذا الاجراء.
general.install=تنصيب general.install=تنصيب
general.updateAvailable=يوجد تحديث general.updateAvailable=يوجد تحديث
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=ترقية general.upgrade=ترقية
general.yes=نعم general.yes=نعم
general.no=لا general.no=لا
general.notNow=Not Now
general.passed=نجح general.passed=نجح
general.failed=فشل general.failed=فشل
general.and=و general.and=و
general.etAl=et al.
general.accessDenied=تم رفض الوصول general.accessDenied=تم رفض الوصول
general.permissionDenied=تم رفض الإذن general.permissionDenied=تم رفض الإذن
general.character.singular=حرف general.character.singular=حرف
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=عملية زوتيرو حاليا في التقدم. general.operationInProgress=عملية زوتيرو حاليا في التقدم.
general.operationInProgress.waitUntilFinished=يرجى الانتظار لحين انتهاء. general.operationInProgress.waitUntilFinished=يرجى الانتظار لحين انتهاء.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=يرجى الانتظا
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=دليل بدء إستخدام زوتيرو install.quickStartGuide=دليل بدء إستخدام زوتيرو
install.quickStartGuide.message.welcome=مرحباً بك في زوتيرو! install.quickStartGuide.message.welcome=مرحباً بك في زوتيرو!
@ -808,6 +815,11 @@ sync.status.uploadingData=جاري رفع البيانات لخادم التزا
sync.status.uploadAccepted=تم قبول الرفع \u2014 في انتظار خادم التزامن sync.status.uploadAccepted=تم قبول الرفع \u2014 في انتظار خادم التزامن
sync.status.syncingFiles=جاري مزامنة الملفات sync.status.syncingFiles=جاري مزامنة الملفات
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=تبقى %SKB sync.storage.kbRemaining=تبقى %SKB
sync.storage.filesRemaining=%1$S/%2$S ملف sync.storage.filesRemaining=%1$S/%2$S ملف
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=خطأ في موصل الزوتيرو connector.error.title=خطأ في موصل الزوتيرو
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Осведомява за неработещи преводачи на страници"> <!ENTITY zotero.preferences.reportTranslationFailure "Осведомява за неработещи преводачи на страници">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Разрешава на zotero.org да персонализира съдържанието според настоящата версия на Зотеро"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Разрешава на zotero.org да персонализира съдържанието според настоящата версия на Зотеро">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Когато е включен, натоящата версия на Зотеро ще бъде добавена в HTTP поискванията към zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Когато е включен, натоящата версия на Зотеро ще бъде добавена в HTTP поискванията към zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Зотеро отваря изтеглените RIS/Refer файлове"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Автоматично прави снимки при се създават записи от интернет страници"> <!ENTITY zotero.preferences.automaticSnapshots "Автоматично прави снимки при се създават записи от интернет страници">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Автоматично прикачва асоциираните PDF и други файлове при съхранение на записите"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Автоматично прикачва асоциираните PDF и други файлове при съхранение на записите">
<!ENTITY zotero.preferences.automaticTags "Автоматично маркира записите с ключови думи и заглавие на темата"> <!ENTITY zotero.preferences.automaticTags "Автоматично маркира записите с ключови думи и заглавие на темата">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Регистрация"> <!ENTITY zotero.preferences.sync.createAccount "Регистрация">
<!ENTITY zotero.preferences.sync.lostPassword "Загубена парола?"> <!ENTITY zotero.preferences.sync.lostPassword "Загубена парола?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Автоматично синхронизиране"> <!ENTITY zotero.preferences.sync.syncAutomatically "Автоматично синхронизиране">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "За синхронизирането"> <!ENTITY zotero.preferences.sync.about "За синхронизирането">
<!ENTITY zotero.preferences.sync.fileSyncing "Синхронизира файловете"> <!ENTITY zotero.preferences.sync.fileSyncing "Синхронизира файловете">
<!ENTITY zotero.preferences.sync.fileSyncing.url "Адрес:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "Адрес:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Проверка за осъвременена верси
general.actionCannotBeUndone=Това действие е необратимо. general.actionCannotBeUndone=Това действие е необратимо.
general.install=Инсталация general.install=Инсталация
general.updateAvailable=Има осъвременена версия general.updateAvailable=Има осъвременена версия
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Осъвременява general.upgrade=Осъвременява
general.yes=Да general.yes=Да
general.no=Не general.no=Не
general.notNow=Not Now
general.passed=Успех general.passed=Успех
general.failed=Неуспех general.failed=Неуспех
general.and=и general.and=и
general.etAl=et al.
general.accessDenied=Достъпът е отказан general.accessDenied=Достъпът е отказан
general.permissionDenied=Разрешението е отказано general.permissionDenied=Разрешението е отказано
general.character.singular=знак general.character.singular=знак
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Операция на Зотеро е активна в момента. general.operationInProgress=Операция на Зотеро е активна в момента.
general.operationInProgress.waitUntilFinished=Моля изчакайте докато приключи. general.operationInProgress.waitUntilFinished=Моля изчакайте докато приключи.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Моля изчакай
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Кратко ръководство за начинаещи install.quickStartGuide=Кратко ръководство за начинаещи
install.quickStartGuide.message.welcome=Добре дошли в Зотеро! install.quickStartGuide.message.welcome=Добре дошли в Зотеро!
@ -808,6 +815,11 @@ sync.status.uploadingData=Качва дани в синхронизиращия
sync.status.uploadAccepted=Качването на дани е прието - чака за синхронизиращ сървър sync.status.uploadAccepted=Качването на дани е прието - чака за синхронизиращ сървър
sync.status.syncingFiles=Сихронизира файлове sync.status.syncingFiles=Сихронизира файлове
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=Остават %SKB sync.storage.kbRemaining=Остават %SKB
sync.storage.filesRemaining=%1$S/%2$S Файла sync.storage.filesRemaining=%1$S/%2$S Файла
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -10,4 +10,4 @@
<!ENTITY zotero.thanks "Agraïments especials:"> <!ENTITY zotero.thanks "Agraïments especials:">
<!ENTITY zotero.about.close "Tanca"> <!ENTITY zotero.about.close "Tanca">
<!ENTITY zotero.moreCreditsAndAcknowledgements "Més crèdits i reconeixements"> <!ENTITY zotero.moreCreditsAndAcknowledgements "Més crèdits i reconeixements">
<!ENTITY zotero.citationProcessing "Citation &amp; Bibliography Processing"> <!ENTITY zotero.citationProcessing "Processant les cites i bibliografia">

View file

@ -3,7 +3,7 @@
<!ENTITY zotero.preferences.default "Per defecte:"> <!ENTITY zotero.preferences.default "Per defecte:">
<!ENTITY zotero.preferences.items "elements"> <!ENTITY zotero.preferences.items "elements">
<!ENTITY zotero.preferences.period "."> <!ENTITY zotero.preferences.period ".">
<!ENTITY zotero.preferences.settings "Settings"> <!ENTITY zotero.preferences.settings "Configuració">
<!ENTITY zotero.preferences.prefpane.general "General"> <!ENTITY zotero.preferences.prefpane.general "General">
@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Envia un informe dels transcriptors trencats"> <!ENTITY zotero.preferences.reportTranslationFailure "Envia un informe dels transcriptors trencats">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permeteu que zotero.org personalitzi el contingut en base a la versió actual del Zotero"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permeteu que zotero.org personalitzi el contingut en base a la versió actual del Zotero">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si està activat, la versió actual del Zotero s'afegirà a les petitcions HTTP per zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si està activat, la versió actual del Zotero s'afegirà a les petitcions HTTP per zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Fes servir el Zotero per als fitxers RIS/Refer descarregats"> <!ENTITY zotero.preferences.parseRISRefer "utilitza Zotero per als fitxers descarregats BibTeX/RIS/Refer">
<!ENTITY zotero.preferences.automaticSnapshots "Crea automàticament una captura quan es creïn elements des de pàgines web"> <!ENTITY zotero.preferences.automaticSnapshots "Crea automàticament una captura quan es creïn elements des de pàgines web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Adjunta automàticament documents PDF associats i altres fitxers quan es desin els elements"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Adjunta automàticament documents PDF associats i altres fitxers quan es desin els elements">
<!ENTITY zotero.preferences.automaticTags "Etiqueta automàticament els elements amb les capçaleres de paraules clau i el tema"> <!ENTITY zotero.preferences.automaticTags "Etiqueta automàticament els elements amb les capçaleres de paraules clau i el tema">
@ -55,19 +55,21 @@
<!ENTITY zotero.preferences.sync.createAccount "Crea un compte"> <!ENTITY zotero.preferences.sync.createAccount "Crea un compte">
<!ENTITY zotero.preferences.sync.lostPassword "Has oblidat la contrasenya?"> <!ENTITY zotero.preferences.sync.lostPassword "Has oblidat la contrasenya?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sincronitza automàticament"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sincronitza automàticament">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Quant a la sincronització"> <!ENTITY zotero.preferences.sync.about "Quant a la sincronització">
<!ENTITY zotero.preferences.sync.fileSyncing "Sincronització dels fitxers"> <!ENTITY zotero.preferences.sync.fileSyncing "Sincronització dels fitxers">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">
<!ENTITY zotero.preferences.sync.fileSyncing.myLibrary "Sincronitza els fitxers adjunts de la biblioteca mitjançant"> <!ENTITY zotero.preferences.sync.fileSyncing.myLibrary "Sincronitza els fitxers adjunts de la biblioteca mitjançant">
<!ENTITY zotero.preferences.sync.fileSyncing.groups "Sincronitza els fitxers adjunts de les biblioteques de grup mitjançant l'emmagatzematge del Zotero"> <!ENTITY zotero.preferences.sync.fileSyncing.groups "Sincronitza els fitxers adjunts de les biblioteques de grup mitjançant l'emmagatzematge del Zotero">
<!ENTITY zotero.preferences.sync.fileSyncing.download "Download files"> <!ENTITY zotero.preferences.sync.fileSyncing.download "Descarrega els fitxers">
<!ENTITY zotero.preferences.sync.fileSyncing.download.atSyncTime "at sync time"> <!ENTITY zotero.preferences.sync.fileSyncing.download.atSyncTime "quan es sincronitzi">
<!ENTITY zotero.preferences.sync.fileSyncing.download.onDemand "as needed"> <!ENTITY zotero.preferences.sync.fileSyncing.download.onDemand "segons sigui necessari">
<!ENTITY zotero.preferences.sync.fileSyncing.tos1 "Amb l'ús de l'emmagatzematge del Zotero, accepteu quedar obligat pels"> <!ENTITY zotero.preferences.sync.fileSyncing.tos1 "Amb l'ús de l'emmagatzematge del Zotero, accepteu quedar obligat pels">
<!ENTITY zotero.preferences.sync.fileSyncing.tos2 "termes i condicions"> <!ENTITY zotero.preferences.sync.fileSyncing.tos2 "termes i condicions">
<!ENTITY zotero.preferences.sync.reset.warning1 "The following operations are for use only in rare, specific situations and should not be used for general troubleshooting. In many cases, resetting will cause additional problems. See "> <!ENTITY zotero.preferences.sync.reset.warning1 "The following operations are for use only in rare, specific situations and should not be used for general troubleshooting. In many cases, resetting will cause additional problems. See ">
<!ENTITY zotero.preferences.sync.reset.warning2 "Sync Reset Options"> <!ENTITY zotero.preferences.sync.reset.warning2 "Sync Reset Options">
<!ENTITY zotero.preferences.sync.reset.warning3 " for more information."> <!ENTITY zotero.preferences.sync.reset.warning3 "per obtenir més informació.">
<!ENTITY zotero.preferences.sync.reset.fullSync "Sincronització completa amb el servidor del Zotero"> <!ENTITY zotero.preferences.sync.reset.fullSync "Sincronització completa amb el servidor del Zotero">
<!ENTITY zotero.preferences.sync.reset.fullSync.desc "Fusiona les dades locals del Zotero amb les dades del servidor de sincronització i ignorant l'historial de sincronització."> <!ENTITY zotero.preferences.sync.reset.fullSync.desc "Fusiona les dades locals del Zotero amb les dades del servidor de sincronització i ignorant l'historial de sincronització.">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer "Restaura des del servidor del Zotero"> <!ENTITY zotero.preferences.sync.reset.restoreFromServer "Restaura des del servidor del Zotero">
@ -76,7 +78,7 @@
<!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Elimina totes les dades del servidor i sobreescriu-les amb les dades locals del Zotero."> <!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Elimina totes les dades del servidor i sobreescriu-les amb les dades locals del Zotero.">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Reinicia l'historial de sincronització dels fitxers"> <!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Reinicia l'historial de sincronització dels fitxers">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Força la comprovació del servidor d'emmagatzematge per a tots els fitxers adjunts locals."> <!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Força la comprovació del servidor d'emmagatzematge per a tots els fitxers adjunts locals.">
<!ENTITY zotero.preferences.sync.reset "Reset"> <!ENTITY zotero.preferences.sync.reset "Reinicia">
<!ENTITY zotero.preferences.sync.reset.button "Reinicia..."> <!ENTITY zotero.preferences.sync.reset.button "Reinicia...">
@ -130,8 +132,8 @@
<!ENTITY zotero.preferences.keys.toggleFullscreen "Canvia a pantalla completa"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Canvia a pantalla completa">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Enfoca la subfinestra de les biblioteques"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Enfoca la subfinestra de les biblioteques">
<!ENTITY zotero.preferences.keys.quicksearch "Cerca ràpida"> <!ENTITY zotero.preferences.keys.quicksearch "Cerca ràpida">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Crea un element nou">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Crea una nota nova">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Canvia el selector d&apos;etiquetes"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Canvia el selector d&apos;etiquetes">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copia les cites dels elements seleccionats al porta-retalls"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copia les cites dels elements seleccionats al porta-retalls">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copia els elements seleccionats al porta-retalls"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copia els elements seleccionats al porta-retalls">

View file

@ -54,7 +54,7 @@
<!ENTITY selectAllCmd.label "Selecciona-ho tot"> <!ENTITY selectAllCmd.label "Selecciona-ho tot">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A"> <!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "Preferències">
<!ENTITY preferencesCmd.accesskey "O"> <!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "Preferències..."> <!ENTITY preferencesCmdUnix.label "Preferències...">
<!ENTITY preferencesCmdUnix.accesskey "n"> <!ENTITY preferencesCmdUnix.accesskey "n">

View file

@ -5,7 +5,7 @@
<!ENTITY zotero.general.edit "Edita"> <!ENTITY zotero.general.edit "Edita">
<!ENTITY zotero.general.delete "Suprimeix"> <!ENTITY zotero.general.delete "Suprimeix">
<!ENTITY zotero.errorReport.title "Zotero Error Report"> <!ENTITY zotero.errorReport.title "Informe d'error de Zotero">
<!ENTITY zotero.errorReport.unrelatedMessages "El registre d&apos;error pot incloure missatges no relacionats amb el Zotero."> <!ENTITY zotero.errorReport.unrelatedMessages "El registre d&apos;error pot incloure missatges no relacionats amb el Zotero.">
<!ENTITY zotero.errorReport.submissionInProgress "Espereu mentre s&apos;envia l&apos;informe d&apos;error."> <!ENTITY zotero.errorReport.submissionInProgress "Espereu mentre s&apos;envia l&apos;informe d&apos;error.">
<!ENTITY zotero.errorReport.submitted "L&apos;informe d&apos;error ha estat enviat correctament."> <!ENTITY zotero.errorReport.submitted "L&apos;informe d&apos;error ha estat enviat correctament.">
@ -13,7 +13,7 @@
<!ENTITY zotero.errorReport.postToForums "Escriu un missatge al fòrum del Zotero (forums.zotero.org) amb aquest número de referència de l&apos;informe, una descripció del problema i qualsevol pas necessari per a reproduir-lo."> <!ENTITY zotero.errorReport.postToForums "Escriu un missatge al fòrum del Zotero (forums.zotero.org) amb aquest número de referència de l&apos;informe, una descripció del problema i qualsevol pas necessari per a reproduir-lo.">
<!ENTITY zotero.errorReport.notReviewed "Els informes d&apos;error generalment no es revisen ni no es notifiquen al fòrum."> <!ENTITY zotero.errorReport.notReviewed "Els informes d&apos;error generalment no es revisen ni no es notifiquen al fòrum.">
<!ENTITY zotero.upgrade.title "Zotero Upgrade Wizard"> <!ENTITY zotero.upgrade.title "Auxiliar d'actualització de Zotero">
<!ENTITY zotero.upgrade.newVersionInstalled "Has instal·lat una nova versió del Zotero."> <!ENTITY zotero.upgrade.newVersionInstalled "Has instal·lat una nova versió del Zotero.">
<!ENTITY zotero.upgrade.upgradeRequired "La vostra base de dades s&apos;ha d&apos;actualitzar per a funcionar amb la nova versió."> <!ENTITY zotero.upgrade.upgradeRequired "La vostra base de dades s&apos;ha d&apos;actualitzar per a funcionar amb la nova versió.">
<!ENTITY zotero.upgrade.autoBackup "Es farà una còpia de seguertat de la base de dades existent abans de fer cap canvi"> <!ENTITY zotero.upgrade.autoBackup "Es farà una còpia de seguertat de la base de dades existent abans de fer cap canvi">
@ -59,17 +59,17 @@
<!ENTITY zotero.items.dateAdded_column "Data d&apos;incorporació"> <!ENTITY zotero.items.dateAdded_column "Data d&apos;incorporació">
<!ENTITY zotero.items.dateModified_column "Data de modificació"> <!ENTITY zotero.items.dateModified_column "Data de modificació">
<!ENTITY zotero.items.extra_column "Extra"> <!ENTITY zotero.items.extra_column "Extra">
<!ENTITY zotero.items.archive_column "Archive"> <!ENTITY zotero.items.archive_column "Arxiu">
<!ENTITY zotero.items.archiveLocation_column "Loc. in Archive"> <!ENTITY zotero.items.archiveLocation_column "Ubicació a l'arxiu">
<!ENTITY zotero.items.place_column "Place"> <!ENTITY zotero.items.place_column "Lloc">
<!ENTITY zotero.items.volume_column "Volume"> <!ENTITY zotero.items.volume_column "Volum">
<!ENTITY zotero.items.edition_column "Edició"> <!ENTITY zotero.items.edition_column "Edició">
<!ENTITY zotero.items.pages_column "Nre. de pàgines"> <!ENTITY zotero.items.pages_column "Nre. de pàgines">
<!ENTITY zotero.items.issue_column "Issue"> <!ENTITY zotero.items.issue_column "Número">
<!ENTITY zotero.items.series_column "Series"> <!ENTITY zotero.items.series_column "Sèrie">
<!ENTITY zotero.items.seriesTitle_column "Series Title"> <!ENTITY zotero.items.seriesTitle_column "Títol de la sèrie">
<!ENTITY zotero.items.court_column "Court"> <!ENTITY zotero.items.court_column "Tribunal">
<!ENTITY zotero.items.medium_column "Medium/Format"> <!ENTITY zotero.items.medium_column "Medi/format">
<!ENTITY zotero.items.genre_column "Gènere"> <!ENTITY zotero.items.genre_column "Gènere">
<!ENTITY zotero.items.system_column "Sistema"> <!ENTITY zotero.items.system_column "Sistema">
<!ENTITY zotero.items.moreColumns.label "Més columnes"> <!ENTITY zotero.items.moreColumns.label "Més columnes">
@ -121,7 +121,7 @@
<!ENTITY zotero.item.textTransform "Transforma el text"> <!ENTITY zotero.item.textTransform "Transforma el text">
<!ENTITY zotero.item.textTransform.titlecase "Majúscules o minúscules del títol"> <!ENTITY zotero.item.textTransform.titlecase "Majúscules o minúscules del títol">
<!ENTITY zotero.item.textTransform.sentencecase "Majúscules o minúscules de la frase"> <!ENTITY zotero.item.textTransform.sentencecase "Majúscules o minúscules de la frase">
<!ENTITY zotero.item.creatorTransform.nameSwap "Swap first/last names"> <!ENTITY zotero.item.creatorTransform.nameSwap "Intercanvia nom i cognoms">
<!ENTITY zotero.toolbar.newNote "Nota nova"> <!ENTITY zotero.toolbar.newNote "Nota nova">
<!ENTITY zotero.toolbar.note.standalone "Nova nota independent"> <!ENTITY zotero.toolbar.note.standalone "Nova nota independent">
@ -146,8 +146,8 @@
<!ENTITY zotero.tagColorChooser.title "Tria un color i una posició per a l'etiqueta"> <!ENTITY zotero.tagColorChooser.title "Tria un color i una posició per a l'etiqueta">
<!ENTITY zotero.tagColorChooser.color "Color:"> <!ENTITY zotero.tagColorChooser.color "Color:">
<!ENTITY zotero.tagColorChooser.position "Posició:"> <!ENTITY zotero.tagColorChooser.position "Posició:">
<!ENTITY zotero.tagColorChooser.setColor "Set Color"> <!ENTITY zotero.tagColorChooser.setColor "Estableix el color">
<!ENTITY zotero.tagColorChooser.removeColor "Remove Color"> <!ENTITY zotero.tagColorChooser.removeColor "Elimina el color">
<!ENTITY zotero.lookup.description "Introduïu l'ISBN, DOI, o PMID per cercar en el quadre inferior."> <!ENTITY zotero.lookup.description "Introduïu l'ISBN, DOI, o PMID per cercar en el quadre inferior.">
<!ENTITY zotero.lookup.button.search "Cerca"> <!ENTITY zotero.lookup.button.search "Cerca">
@ -213,7 +213,7 @@
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Abrevia automàticament els títols de les publicacions"> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Abrevia automàticament els títols de les publicacions">
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "MEDLINE journal abbreviations will be automatically generated using journal titles. The “Journal Abbr” field will be ignored."> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "Les abreviacions de la revista MEDLINE es generaràn automàticament ambs els noms de les revistes. S'ignorarà el camp &quot;Revista abr.”.">
<!ENTITY zotero.integration.prefs.storeReferences.label "Emmagatzema les referències al document"> <!ENTITY zotero.integration.prefs.storeReferences.label "Emmagatzema les referències al document">
<!ENTITY zotero.integration.prefs.storeReferences.caption "L'emmagatzematge de les referències en el document augmenta lleugerament la mida del fitxer, però us permet compartir el document amb altres persones sense necessitat de fer servir un grup del Zotero. Per actualitzar els documents creats amb aquesta opció cal tenir la versió Zotero 3.0 o versions posteriors."> <!ENTITY zotero.integration.prefs.storeReferences.caption "L'emmagatzematge de les referències en el document augmenta lleugerament la mida del fitxer, però us permet compartir el document amb altres persones sense necessitat de fer servir un grup del Zotero. Per actualitzar els documents creats amb aquesta opció cal tenir la versió Zotero 3.0 o versions posteriors.">

View file

@ -12,7 +12,7 @@ general.restartRequiredForChanges=S'ha de reiniciar el %S per tal que els canvis
general.restartNow=Reinicia ara general.restartNow=Reinicia ara
general.restartLater=Reinicia més tard general.restartLater=Reinicia més tard
general.restartApp=Reinicia %S general.restartApp=Reinicia %S
general.quitApp=Quit %S general.quitApp=Surt de %S
general.errorHasOccurred=S'ha produït un error general.errorHasOccurred=S'ha produït un error
general.unknownErrorOccurred=S'ha produït un error desconegut. general.unknownErrorOccurred=S'ha produït un error desconegut.
general.invalidResponseServer=Invalid response from server. general.invalidResponseServer=Invalid response from server.
@ -24,30 +24,36 @@ general.checkForUpdate=Comprova si hi ha actualitzacions
general.actionCannotBeUndone=Aquesta acció no es pot desfer. general.actionCannotBeUndone=Aquesta acció no es pot desfer.
general.install=Instal·la general.install=Instal·la
general.updateAvailable=Actualització disponible general.updateAvailable=Actualització disponible
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Actualitza general.upgrade=Actualitza
general.yes= general.yes=
general.no=No general.no=No
general.notNow=Not Now
general.passed=Passat general.passed=Passat
general.failed=Ha fallat general.failed=Ha fallat
general.and=i general.and=i
general.etAl=et al.
general.accessDenied=Accés denegat general.accessDenied=Accés denegat
general.permissionDenied=Permís denegat general.permissionDenied=Permís denegat
general.character.singular=caràcter general.character.singular=caràcter
general.character.plural=caràcters general.character.plural=caràcters
general.create=Crea general.create=Crea
general.delete=Delete general.delete=Suprimeix
general.moreInformation=More Information general.moreInformation=Més informació
general.seeForMoreInformation=Mira %S per a més informació. general.seeForMoreInformation=Mira %S per a més informació.
general.enable=Habilita general.enable=Habilita
general.disable=Deshabilita general.disable=Deshabilita
general.remove=Elimina general.remove=Elimina
general.reset=Reset general.reset=Reinicia
general.hide=Hide general.hide=Oculta
general.quit=Quit general.quit=Surt
general.useDefault=Use Default general.useDefault=Utilitza el valor per defecte
general.openDocumentation=Obre la documentació general.openDocumentation=Obre la documentació
general.numMore=%S més... general.numMore=%S més...
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Una operació del Zotero està actualment en curs. general.operationInProgress=Una operació del Zotero està actualment en curs.
general.operationInProgress.waitUntilFinished=Espereu fins que hagi acabat. general.operationInProgress.waitUntilFinished=Espereu fins que hagi acabat.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Si us plau, espereu fin
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Guia d'inici ràpid install.quickStartGuide=Guia d'inici ràpid
install.quickStartGuide.message.welcome=Us donem la benvinguda al Zotero install.quickStartGuide.message.welcome=Us donem la benvinguda al Zotero
@ -102,11 +109,11 @@ dataDir.useProfileDir=Utilitza el directori del perfil del Firefox
dataDir.selectDir=Selecciona el directori de dades per al Zotero dataDir.selectDir=Selecciona el directori de dades per al Zotero
dataDir.selectedDirNonEmpty.title=El directori no està buit dataDir.selectedDirNonEmpty.title=El directori no està buit
dataDir.selectedDirNonEmpty.text=El directori que has seleccionat no està buit i no sembla que sigui un directori de dades del Zotero.\n\n Vols crear arxius de Zotero en aquest directori de totes maneres? dataDir.selectedDirNonEmpty.text=El directori que has seleccionat no està buit i no sembla que sigui un directori de dades del Zotero.\n\n Vols crear arxius de Zotero en aquest directori de totes maneres?
dataDir.selectedDirEmpty.title=Directory Empty dataDir.selectedDirEmpty.title=Directori buit
dataDir.selectedDirEmpty.text=The directory you selected is empty. To move an existing Zotero data directory, you will need to manually move files from the existing data directory to the new location after %1$S has closed. dataDir.selectedDirEmpty.text=The directory you selected is empty. To move an existing Zotero data directory, you will need to manually move files from the existing data directory to the new location after %1$S has closed.
dataDir.selectedDirEmpty.useNewDir=Use the new directory? dataDir.selectedDirEmpty.useNewDir=Fer servir el nou directori
dataDir.moveFilesToNewLocation=Be sure to move files from your existing Zotero data directory to the new location before reopening %1$S. dataDir.moveFilesToNewLocation=Be sure to move files from your existing Zotero data directory to the new location before reopening %1$S.
dataDir.incompatibleDbVersion.title=Incompatible Database Version dataDir.incompatibleDbVersion.title=Versió incompatible de la base de dades
dataDir.incompatibleDbVersion.text=The currently selected data directory is not compatible with Zotero Standalone, which can share a database only with Zotero for Firefox 2.1b3 or later.\n\nUpgrade to the latest version of Zotero for Firefox first or select a different data directory for use with Zotero Standalone. dataDir.incompatibleDbVersion.text=The currently selected data directory is not compatible with Zotero Standalone, which can share a database only with Zotero for Firefox 2.1b3 or later.\n\nUpgrade to the latest version of Zotero for Firefox first or select a different data directory for use with Zotero Standalone.
dataDir.standaloneMigration.title=S'ha trobat una Biblioteca de Zotero dataDir.standaloneMigration.title=S'ha trobat una Biblioteca de Zotero
dataDir.standaloneMigration.description=Sembla ser la teva primera vegada utilitzant %1$S. T'agradaria que %1$S importés la configuració de %2$S i fes ús del teu directori de dades? dataDir.standaloneMigration.description=Sembla ser la teva primera vegada utilitzant %1$S. T'agradaria que %1$S importés la configuració de %2$S i fes ús del teu directori de dades?
@ -138,7 +145,7 @@ date.relative.daysAgo.multiple=Fa %S dies
date.relative.yearsAgo.one=Fa 1 any date.relative.yearsAgo.one=Fa 1 any
date.relative.yearsAgo.multiple=Fa %S anys date.relative.yearsAgo.multiple=Fa %S anys
pane.collections.delete.title=Delete Collection pane.collections.delete.title=Suprimeix la col·lecció
pane.collections.delete=Segur que voleu eliminar la col·lecció seleccionada? pane.collections.delete=Segur que voleu eliminar la col·lecció seleccionada?
pane.collections.delete.keepItems=Items within this collection will not be deleted. pane.collections.delete.keepItems=Items within this collection will not be deleted.
pane.collections.deleteWithItems.title=Delete Collection and Items pane.collections.deleteWithItems.title=Delete Collection and Items
@ -257,9 +264,9 @@ pane.item.attachments.count.zero=Cap fitxer adjunt:
pane.item.attachments.count.singular=%S arxiu adjunt: pane.item.attachments.count.singular=%S arxiu adjunt:
pane.item.attachments.count.plural=%S fitxers adjunts: pane.item.attachments.count.plural=%S fitxers adjunts:
pane.item.attachments.select=Selecciona un fitxer pane.item.attachments.select=Selecciona un fitxer
pane.item.attachments.PDF.installTools.title=PDF Tools Not Installed pane.item.attachments.PDF.installTools.title=PDF Tools no es troba instal·lat
pane.item.attachments.PDF.installTools.text=To use this feature, you must first install the PDF tools in the Search pane of the Zotero preferences. pane.item.attachments.PDF.installTools.text=To use this feature, you must first install the PDF tools in the Search pane of the Zotero preferences.
pane.item.attachments.filename=Filename pane.item.attachments.filename=Nom de fitxer
pane.item.noteEditor.clickHere=clica aquí pane.item.noteEditor.clickHere=clica aquí
pane.item.tags.count.zero=Cap etiqueta: pane.item.tags.count.zero=Cap etiqueta:
pane.item.tags.count.singular=%S etiqueta: pane.item.tags.count.singular=%S etiqueta:
@ -469,7 +476,7 @@ save.error.cannotAddFilesToCollection=No podeu afegir fitxers a la col·lecció
ingester.saveToZotero=Desa al Zotero ingester.saveToZotero=Desa al Zotero
ingester.saveToZoteroUsing=Desa al Zotero amb "%S" ingester.saveToZoteroUsing=Desa al Zotero amb "%S"
ingester.scraping=Desant l'element... ingester.scraping=Desant l'element...
ingester.scrapingTo=Saving to ingester.scrapingTo=Desa a
ingester.scrapeComplete=Element desat. ingester.scrapeComplete=Element desat.
ingester.scrapeError=No s'ha pogut desar l'element. ingester.scrapeError=No s'ha pogut desar l'element.
ingester.scrapeErrorDescription=S'ha produït un error quan es desava aquest element. Comprova %S per a més informació ingester.scrapeErrorDescription=S'ha produït un error quan es desava aquest element. Comprova %S per a més informació
@ -482,7 +489,7 @@ ingester.importReferRISDialog.checkMsg=Permet sempre a aquest lloc
ingester.importFile.title=Importa el fitxer ingester.importFile.title=Importa el fitxer
ingester.importFile.text=Voleu importar el fitxer "%S"?\n\nEls elements s'afegiran a una col·lecció nova. ingester.importFile.text=Voleu importar el fitxer "%S"?\n\nEls elements s'afegiran a una col·lecció nova.
ingester.importFile.intoNewCollection=Import into new collection ingester.importFile.intoNewCollection=Importar a una nova col·lecció
ingester.lookup.performing=Realitzant una cerca... ingester.lookup.performing=Realitzant una cerca...
ingester.lookup.error=S'ha produït un error mentre se cercava aquest element. ingester.lookup.error=S'ha produït un error mentre se cercava aquest element.
@ -751,7 +758,7 @@ sync.error.passwordNotSet=No s'ha establit una contrasenya
sync.error.invalidLogin=Nom d'usuari o contrasenya no vàlid sync.error.invalidLogin=Nom d'usuari o contrasenya no vàlid
sync.error.invalidLogin.text=The Zotero sync server did not accept your username and password.\n\nPlease check that you have entered your zotero.org login information correctly in the Zotero sync preferences. sync.error.invalidLogin.text=The Zotero sync server did not accept your username and password.\n\nPlease check that you have entered your zotero.org login information correctly in the Zotero sync preferences.
sync.error.enterPassword=Introduïu una contrasenya. sync.error.enterPassword=Introduïu una contrasenya.
sync.error.loginManagerInaccessible=Zotero cannot access your login information. sync.error.loginManagerInaccessible=Zotero no pot accedir a la seva informació d'inici de sessió
sync.error.checkMasterPassword=If you are using a master password in %S, make sure you have entered it successfully. sync.error.checkMasterPassword=If you are using a master password in %S, make sure you have entered it successfully.
sync.error.corruptedLoginManager=This could also be due to a corrupted %1$S login manager database. To check, close %1$S, back up and delete signons.* from your %1$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.corruptedLoginManager=This could also be due to a corrupted %1$S login manager database. To check, close %1$S, back up and delete signons.* from your %1$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.loginManagerCorrupted1=Zotero cannot access your login information, possibly due to a corrupted %S login manager database. sync.error.loginManagerCorrupted1=Zotero cannot access your login information, possibly due to a corrupted %S login manager database.
@ -784,20 +791,20 @@ sync.conflict.localVersionKept=The local version has been kept.
sync.conflict.recentVersionsKept=The most recent versions have been kept. sync.conflict.recentVersionsKept=The most recent versions have been kept.
sync.conflict.recentVersionKept=The most recent version, '%S', has been kept. sync.conflict.recentVersionKept=The most recent version, '%S', has been kept.
sync.conflict.viewErrorConsole=View the %S Error Console for the full list of such changes. sync.conflict.viewErrorConsole=View the %S Error Console for the full list of such changes.
sync.conflict.localVersion=Local version: %S sync.conflict.localVersion=Versió local: %S
sync.conflict.remoteVersion=Remote version: %S sync.conflict.remoteVersion=Versió remota: %S
sync.conflict.deleted=[deleted] sync.conflict.deleted=[suprimit]
sync.conflict.collectionItemMerge.alert=One or more Zotero items have been added to and/or removed from the same collection on multiple computers since the last sync. sync.conflict.collectionItemMerge.alert=One or more Zotero items have been added to and/or removed from the same collection on multiple computers since the last sync.
sync.conflict.collectionItemMerge.log=Zotero items in the collection '%S' have been added and/or removed on multiple computers since the last sync. The following items have been added to the collection: sync.conflict.collectionItemMerge.log=Zotero items in the collection '%S' have been added and/or removed on multiple computers since the last sync. The following items have been added to the collection:
sync.conflict.tagItemMerge.alert=One or more Zotero tags have been added to and/or removed from items on multiple computers since the last sync. The different sets of tags have been combined. sync.conflict.tagItemMerge.alert=One or more Zotero tags have been added to and/or removed from items on multiple computers since the last sync. The different sets of tags have been combined.
sync.conflict.tagItemMerge.log=The Zotero tag '%S' has been added to and/or removed from items on multiple computers since the last sync. sync.conflict.tagItemMerge.log=The Zotero tag '%S' has been added to and/or removed from items on multiple computers since the last sync.
sync.conflict.tag.addedToRemote=It has been added to the following remote items: sync.conflict.tag.addedToRemote=S'ha afegit als següents elements remots:
sync.conflict.tag.addedToLocal=It has been added to the following local items: sync.conflict.tag.addedToLocal=S'ha afegit als següents elements locals:
sync.conflict.fileChanged=The following file has been changed in multiple locations. sync.conflict.fileChanged=El següent fitxer s'ha canviat en múltiples ubicacions.
sync.conflict.itemChanged=The following item has been changed in multiple locations. sync.conflict.itemChanged=The following item has been changed in multiple locations.
sync.conflict.chooseVersionToKeep=Choose the version you would like to keep, and then click %S. sync.conflict.chooseVersionToKeep=Tria la versió que t'agradaria conservar i fes click a %S.
sync.conflict.chooseThisVersion=Choose this version sync.conflict.chooseThisVersion=Tria aquesta versió
sync.status.notYetSynced=Encara no s'ha sincronitzat sync.status.notYetSynced=Encara no s'ha sincronitzat
sync.status.lastSync=Darrera sincronització: sync.status.lastSync=Darrera sincronització:
@ -808,12 +815,17 @@ sync.status.uploadingData=Carregant dades per sincronitzar el servidor
sync.status.uploadAccepted=Càrrega acceptada \u2014 en espera del servidor de sincronització sync.status.uploadAccepted=Càrrega acceptada \u2014 en espera del servidor de sincronització
sync.status.syncingFiles=Sincronització dels fitxers sync.status.syncingFiles=Sincronització dels fitxers
sync.storage.mbRemaining=%SMB remaining sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=resten %SMB
sync.storage.kbRemaining=resten %S kB sync.storage.kbRemaining=resten %S kB
sync.storage.filesRemaining=%1$S/%2$S fitxers sync.storage.filesRemaining=%1$S/%2$S fitxers
sync.storage.none=Cap sync.storage.none=Cap
sync.storage.downloads=Downloads: sync.storage.downloads=Descàrregues:
sync.storage.uploads=Uploads: sync.storage.uploads=Càrregues:
sync.storage.localFile=Fitxer local sync.storage.localFile=Fitxer local
sync.storage.remoteFile=Fitxer remot sync.storage.remoteFile=Fitxer remot
sync.storage.savedFile=Fitxer desat sync.storage.savedFile=Fitxer desat
@ -850,8 +862,8 @@ sync.storage.error.webdav.seeCertOverrideDocumentation=Consulteu la documentaci
sync.storage.error.webdav.loadURL=Carrega la URL WebDAV sync.storage.error.webdav.loadURL=Carrega la URL WebDAV
sync.storage.error.webdav.fileMissingAfterUpload=A potential problem was found with your WebDAV server.\n\nAn uploaded file was not immediately available for download. There may be a short delay between when you upload files and when they become available, particularly if you are using a cloud storage service.\n\nIf Zotero file syncing appears to work normally, you can ignore this message. If you have trouble, please post to the Zotero Forums. sync.storage.error.webdav.fileMissingAfterUpload=A potential problem was found with your WebDAV server.\n\nAn uploaded file was not immediately available for download. There may be a short delay between when you upload files and when they become available, particularly if you are using a cloud storage service.\n\nIf Zotero file syncing appears to work normally, you can ignore this message. If you have trouble, please post to the Zotero Forums.
sync.storage.error.webdav.nonexistentFileNotMissing=Your WebDAV server is claiming that a nonexistent file exists. Contact your WebDAV server administrator for assistance. sync.storage.error.webdav.nonexistentFileNotMissing=Your WebDAV server is claiming that a nonexistent file exists. Contact your WebDAV server administrator for assistance.
sync.storage.error.webdav.serverConfig.title=WebDAV Server Configuration Error sync.storage.error.webdav.serverConfig.title=Error de configuració del servidor WebDAV
sync.storage.error.webdav.serverConfig=Your WebDAV server returned an internal error. sync.storage.error.webdav.serverConfig=El vostre servidor WebDAV ha tornat un error intern.
sync.storage.error.zfs.restart=A file sync error occurred. Please restart %S and/or your computer and try syncing again.\n\nIf the error persists, there may be a problem with either your computer or your network: security software, proxy server, VPN, etc. Try disabling any security/firewall software you're using or, if this is a laptop, try from a different network. sync.storage.error.zfs.restart=A file sync error occurred. Please restart %S and/or your computer and try syncing again.\n\nIf the error persists, there may be a problem with either your computer or your network: security software, proxy server, VPN, etc. Try disabling any security/firewall software you're using or, if this is a laptop, try from a different network.
sync.storage.error.zfs.tooManyQueuedUploads=You have too many queued uploads. Please try again in %S minutes. sync.storage.error.zfs.tooManyQueuedUploads=You have too many queued uploads. Please try again in %S minutes.
@ -859,7 +871,7 @@ sync.storage.error.zfs.personalQuotaReached1=Heu arribat al límit d'emmagatzema
sync.storage.error.zfs.personalQuotaReached2=Llegiu la configuració del vostre compte a zotero.org per conèixer opcions addicionals d'emmagatzematge. sync.storage.error.zfs.personalQuotaReached2=Llegiu la configuració del vostre compte a zotero.org per conèixer opcions addicionals d'emmagatzematge.
sync.storage.error.zfs.groupQuotaReached1=El grup '%S' ha arribat al límit d'emmagatzematge de fitxers al Zotero. Alguns fitxers no s'han carregat. La resta de dades del Zotero es continuaran sincronitzant amb el servidor. sync.storage.error.zfs.groupQuotaReached1=El grup '%S' ha arribat al límit d'emmagatzematge de fitxers al Zotero. Alguns fitxers no s'han carregat. La resta de dades del Zotero es continuaran sincronitzant amb el servidor.
sync.storage.error.zfs.groupQuotaReached2=El propietari del grup pot augmentar la capacitat d'emmagatzematge del grup des de la secció de configuració d'emmagatzematge en zotero.org. sync.storage.error.zfs.groupQuotaReached2=El propietari del grup pot augmentar la capacitat d'emmagatzematge del grup des de la secció de configuració d'emmagatzematge en zotero.org.
sync.storage.error.zfs.fileWouldExceedQuota=The file '%S' would exceed your Zotero File Storage quota sync.storage.error.zfs.fileWouldExceedQuota=El fiter '%S' exediria la cuota d'emmagatzematge de fitxers de Zotero
sync.longTagFixer.saveTag=Desa l'etiqueta sync.longTagFixer.saveTag=Desa l'etiqueta
sync.longTagFixer.saveTags=Desa les etiquetes sync.longTagFixer.saveTags=Desa les etiquetes
@ -886,7 +898,7 @@ recognizePDF.couldNotRead=No s'ha pogut llegir el text d'un PDF.
recognizePDF.noMatches=No s'han trobat referències coincidents. recognizePDF.noMatches=No s'han trobat referències coincidents.
recognizePDF.fileNotFound=No s'ha trobat el fitxer. recognizePDF.fileNotFound=No s'ha trobat el fitxer.
recognizePDF.limit=Límit de consulta assolit. Intenta-ho més tard. recognizePDF.limit=Límit de consulta assolit. Intenta-ho més tard.
recognizePDF.error=An unexpected error occurred. recognizePDF.error=S'ha produït un error inesperat.
recognizePDF.complete.label=Recuperació de les metadades completada. recognizePDF.complete.label=Recuperació de les metadades completada.
recognizePDF.close.label=Tanca recognizePDF.close.label=Tanca
@ -898,7 +910,7 @@ rtfScan.saveTitle=Selecciona una ubicació per desar el fitxer formatat
rtfScan.scannedFileSuffix=(Escanejat) rtfScan.scannedFileSuffix=(Escanejat)
file.accessError.theFile=The file '%S' file.accessError.theFile=El fitxer '%S'
file.accessError.aFile=A file file.accessError.aFile=A file
file.accessError.cannotBe=cannot be file.accessError.cannotBe=cannot be
file.accessError.created=created file.accessError.created=created
@ -907,7 +919,7 @@ file.accessError.deleted=deleted
file.accessError.message.windows=Check that the file is not currently in use, that its permissions allow write access, and that it has a valid filename. file.accessError.message.windows=Check that the file is not currently in use, that its permissions allow write access, and that it has a valid filename.
file.accessError.message.other=Check that the file is not currently in use and that its permissions allow write access. file.accessError.message.other=Check that the file is not currently in use and that its permissions allow write access.
file.accessError.restart=Restarting your computer or disabling security software may also help. file.accessError.restart=Restarting your computer or disabling security software may also help.
file.accessError.showParentDir=Show Parent Directory file.accessError.showParentDir=Mostra el directori principal
lookup.failure.title=Error en la cerca lookup.failure.title=Error en la cerca
lookup.failure.description=Zotero no va poder trobar un registre per l'identificador especificat. Si us plau, comprova l'identificador i torna a intentar-ho. lookup.failure.description=Zotero no va poder trobar un registre per l'identificador especificat. Si us plau, comprova l'identificador i torna a intentar-ho.
@ -935,12 +947,13 @@ standalone.corruptInstallation=La teva instal·lació de Zotero Independent semb
standalone.addonInstallationFailed.title=La intal·lació del complement ha fallat standalone.addonInstallationFailed.title=La intal·lació del complement ha fallat
standalone.addonInstallationFailed.body=No s'ha pogut instal·lar el complement "%S". Potser és incompatible amb aquesta versió de Zotero Independent. standalone.addonInstallationFailed.body=No s'ha pogut instal·lar el complement "%S". Potser és incompatible amb aquesta versió de Zotero Independent.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account.
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Surt
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Continua
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account.
connector.error.title=Error del connector de Zotero connector.error.title=Error del connector de Zotero
connector.standaloneOpen=No es pot accedir a la base de dades perquè el Zotero Independent està obert. Visualitzeu el elements al Zotero Independent. connector.standaloneOpen=No es pot accedir a la base de dades perquè el Zotero Independent està obert. Visualitzeu el elements al Zotero Independent.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero pot reconèixer una referència en aquesta pàgina. Fes clic en aquesta icona a la barra d'adreces per desar la referència a la teva biblioteca de Zotero. firstRunGuidance.saveIcon=Zotero pot reconèixer una referència en aquesta pàgina. Fes clic en aquesta icona a la barra d'adreces per desar la referència a la teva biblioteca de Zotero.
firstRunGuidance.authorMenu=Zotero també permet especificar editors i traductors. Pots convertir un autor en un editor o traductor mitjançant la selecció d'aquest menú. firstRunGuidance.authorMenu=Zotero també permet especificar editors i traductors. Pots convertir un autor en un editor o traductor mitjançant la selecció d'aquest menú.

View file

@ -22,12 +22,12 @@
<!ENTITY zotero.preferences.fontSize.notes "Velikost písma poznámek:"> <!ENTITY zotero.preferences.fontSize.notes "Velikost písma poznámek:">
<!ENTITY zotero.preferences.miscellaneous "Různé"> <!ENTITY zotero.preferences.miscellaneous "Různé">
<!ENTITY zotero.preferences.autoUpdate "Automatically check for updated translators and styles"> <!ENTITY zotero.preferences.autoUpdate "Automatický vyhledávat updaty překladačů a stylů">
<!ENTITY zotero.preferences.updateNow "Aktualizovat nyní"> <!ENTITY zotero.preferences.updateNow "Aktualizovat nyní">
<!ENTITY zotero.preferences.reportTranslationFailure "Oznamovat poškozené překladače"> <!ENTITY zotero.preferences.reportTranslationFailure "Oznamovat poškozené překladače">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Umožnit, aby zotero.org upravovalo obsah na základě aktuální verze Zotera."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Umožnit, aby zotero.org upravovalo obsah na základě aktuální verze Zotera.">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Pokud je zaškrtnuto, bude do HTTP dotazu pro zotero.org přidán údaj o nainstalované verzi Zotera."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Pokud je zaškrtnuto, bude do HTTP dotazu pro zotero.org přidán údaj o nainstalované verzi Zotera.">
<!ENTITY zotero.preferences.parseRISRefer "Použít Zotero pro stažené RIS/Refer soubory"> <!ENTITY zotero.preferences.parseRISRefer "Použít Zotero pro stažené soubory BibTeX/RIS/Refer">
<!ENTITY zotero.preferences.automaticSnapshots "Automaticky udělat snímek při vytváření položky z internetových stránek"> <!ENTITY zotero.preferences.automaticSnapshots "Automaticky udělat snímek při vytváření položky z internetových stránek">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automaticky připojit propojené PDF a ostatní soubory při ukládání položek"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Automaticky připojit propojené PDF a ostatní soubory při ukládání položek">
<!ENTITY zotero.preferences.automaticTags "Automaticky oštítkovat položky na základě klíčových slov a předmětových hesel"> <!ENTITY zotero.preferences.automaticTags "Automaticky oštítkovat položky na základě klíčových slov a předmětových hesel">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Vytvořit účet"> <!ENTITY zotero.preferences.sync.createAccount "Vytvořit účet">
<!ENTITY zotero.preferences.sync.lostPassword "Ztracené heslo?"> <!ENTITY zotero.preferences.sync.lostPassword "Ztracené heslo?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Synchronizovat automaticky"> <!ENTITY zotero.preferences.sync.syncAutomatically "Synchronizovat automaticky">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "O synchronizaci"> <!ENTITY zotero.preferences.sync.about "O synchronizaci">
<!ENTITY zotero.preferences.sync.fileSyncing "Synchronizace souborů"> <!ENTITY zotero.preferences.sync.fileSyncing "Synchronizace souborů">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">
@ -126,12 +128,12 @@
<!ENTITY zotero.preferences.prefpane.keys "Klávesové zkratky"> <!ENTITY zotero.preferences.prefpane.keys "Klávesové zkratky">
<!ENTITY zotero.preferences.keys.openZotero "Otevřít/Zavřít Zotero panel"> <!ENTITY zotero.preferences.keys.openZotero "Otevřít/Zavřít Zotero panel">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "Uložit do Zotera (ikona v adresním řádku)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "Zapnutí celoobrazového módu"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Zapnutí celoobrazového módu">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Přejít do panelu Knihovny"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Přejít do panelu Knihovny">
<!ENTITY zotero.preferences.keys.quicksearch "Rychlé hledání"> <!ENTITY zotero.preferences.keys.quicksearch "Rychlé hledání">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Vytvořit novou položku">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Vytvořit novou poznámku">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Zapnout Výběr štítků"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Zapnout Výběr štítků">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Kopírovat citaci vybrané položky do schránky"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Kopírovat citaci vybrané položky do schránky">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Kopírovat vybrané položky do schránky"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Kopírovat vybrané položky do schránky">

View file

@ -54,7 +54,7 @@
<!ENTITY selectAllCmd.label "Vybrat vše"> <!ENTITY selectAllCmd.label "Vybrat vše">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A"> <!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "Nastavení">
<!ENTITY preferencesCmd.accesskey "O"> <!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "Nastavení"> <!ENTITY preferencesCmdUnix.label "Nastavení">
<!ENTITY preferencesCmdUnix.accesskey "n"> <!ENTITY preferencesCmdUnix.accesskey "n">

View file

@ -5,7 +5,7 @@
<!ENTITY zotero.general.edit "Editovat"> <!ENTITY zotero.general.edit "Editovat">
<!ENTITY zotero.general.delete "Smazat"> <!ENTITY zotero.general.delete "Smazat">
<!ENTITY zotero.errorReport.title "Zotero Error Report"> <!ENTITY zotero.errorReport.title "Chybová zpráva Zotera">
<!ENTITY zotero.errorReport.unrelatedMessages "Záznam o chybách může obsahovat informace nesouvisející se Zoterem."> <!ENTITY zotero.errorReport.unrelatedMessages "Záznam o chybách může obsahovat informace nesouvisející se Zoterem.">
<!ENTITY zotero.errorReport.submissionInProgress "Čekejte, prosím, dokud nebude zpráva o chybách odeslána."> <!ENTITY zotero.errorReport.submissionInProgress "Čekejte, prosím, dokud nebude zpráva o chybách odeslána.">
<!ENTITY zotero.errorReport.submitted "Zpráva o chybách byla odeslána."> <!ENTITY zotero.errorReport.submitted "Zpráva o chybách byla odeslána.">
@ -13,7 +13,7 @@
<!ENTITY zotero.errorReport.postToForums "Prosím, napište zprávu do Zotero fóra (forums.zotero.org). Napište ID hlášení, popis problému a postupné kroky k jeho reprodukování."> <!ENTITY zotero.errorReport.postToForums "Prosím, napište zprávu do Zotero fóra (forums.zotero.org). Napište ID hlášení, popis problému a postupné kroky k jeho reprodukování.">
<!ENTITY zotero.errorReport.notReviewed "Chybová hlášení nejsou zpracovávána, dokud nejsou nahlášena do fóra."> <!ENTITY zotero.errorReport.notReviewed "Chybová hlášení nejsou zpracovávána, dokud nejsou nahlášena do fóra.">
<!ENTITY zotero.upgrade.title "Zotero Upgrade Wizard"> <!ENTITY zotero.upgrade.title "Pomocník při upgradu Zotera">
<!ENTITY zotero.upgrade.newVersionInstalled "Nainstalovali jste novou verzi Zotera."> <!ENTITY zotero.upgrade.newVersionInstalled "Nainstalovali jste novou verzi Zotera.">
<!ENTITY zotero.upgrade.upgradeRequired "Databáze vašeho Zotera musí být aktualizována, aby mohla pracovat s novou verzí."> <!ENTITY zotero.upgrade.upgradeRequired "Databáze vašeho Zotera musí být aktualizována, aby mohla pracovat s novou verzí.">
<!ENTITY zotero.upgrade.autoBackup "Vaše existující databáze bude zálohována předtím, než budou provedeny jakékoli změny."> <!ENTITY zotero.upgrade.autoBackup "Vaše existující databáze bude zálohována předtím, než budou provedeny jakékoli změny.">
@ -50,7 +50,7 @@
<!ENTITY zotero.items.year_column "Rok"> <!ENTITY zotero.items.year_column "Rok">
<!ENTITY zotero.items.publisher_column "Vydavatel"> <!ENTITY zotero.items.publisher_column "Vydavatel">
<!ENTITY zotero.items.publication_column "Publikace"> <!ENTITY zotero.items.publication_column "Publikace">
<!ENTITY zotero.items.journalAbbr_column "Zkratka časopisu"> <!ENTITY zotero.items.journalAbbr_column "Zkrácený název časopisu">
<!ENTITY zotero.items.language_column "Jazyk"> <!ENTITY zotero.items.language_column "Jazyk">
<!ENTITY zotero.items.accessDate_column "Přistoupeno"> <!ENTITY zotero.items.accessDate_column "Přistoupeno">
<!ENTITY zotero.items.libraryCatalog_column "Katalog knihovny"> <!ENTITY zotero.items.libraryCatalog_column "Katalog knihovny">
@ -59,21 +59,21 @@
<!ENTITY zotero.items.dateAdded_column "Přidáno dne"> <!ENTITY zotero.items.dateAdded_column "Přidáno dne">
<!ENTITY zotero.items.dateModified_column "Upraveno dne"> <!ENTITY zotero.items.dateModified_column "Upraveno dne">
<!ENTITY zotero.items.extra_column "Extra"> <!ENTITY zotero.items.extra_column "Extra">
<!ENTITY zotero.items.archive_column "Archive"> <!ENTITY zotero.items.archive_column "Archiv">
<!ENTITY zotero.items.archiveLocation_column "Loc. in Archive"> <!ENTITY zotero.items.archiveLocation_column "Umístění v archivu">
<!ENTITY zotero.items.place_column "Place"> <!ENTITY zotero.items.place_column "Místo">
<!ENTITY zotero.items.volume_column "Volume"> <!ENTITY zotero.items.volume_column "Ročník">
<!ENTITY zotero.items.edition_column "Edition"> <!ENTITY zotero.items.edition_column "Edice">
<!ENTITY zotero.items.pages_column "Pages"> <!ENTITY zotero.items.pages_column "Stránky">
<!ENTITY zotero.items.issue_column "Issue"> <!ENTITY zotero.items.issue_column "Číslo">
<!ENTITY zotero.items.series_column "Series"> <!ENTITY zotero.items.series_column "Série">
<!ENTITY zotero.items.seriesTitle_column "Series Title"> <!ENTITY zotero.items.seriesTitle_column "Název série">
<!ENTITY zotero.items.court_column "Court"> <!ENTITY zotero.items.court_column "Soud">
<!ENTITY zotero.items.medium_column "Medium/Format"> <!ENTITY zotero.items.medium_column "Médium/Formát">
<!ENTITY zotero.items.genre_column "Genre"> <!ENTITY zotero.items.genre_column "Žánr">
<!ENTITY zotero.items.system_column "System"> <!ENTITY zotero.items.system_column "Systém">
<!ENTITY zotero.items.moreColumns.label "More Columns"> <!ENTITY zotero.items.moreColumns.label "Více sloupců">
<!ENTITY zotero.items.restoreColumnOrder.label "Restore Column Order"> <!ENTITY zotero.items.restoreColumnOrder.label "Obnovit pořadí sloupců">
<!ENTITY zotero.items.menu.showInLibrary "Ukázat v knihovně"> <!ENTITY zotero.items.menu.showInLibrary "Ukázat v knihovně">
<!ENTITY zotero.items.menu.attach.note "Přidat poznámku"> <!ENTITY zotero.items.menu.attach.note "Přidat poznámku">
@ -121,7 +121,7 @@
<!ENTITY zotero.item.textTransform "Převést text"> <!ENTITY zotero.item.textTransform "Převést text">
<!ENTITY zotero.item.textTransform.titlecase "Velká Písmena"> <!ENTITY zotero.item.textTransform.titlecase "Velká Písmena">
<!ENTITY zotero.item.textTransform.sentencecase "Velké první písmeno"> <!ENTITY zotero.item.textTransform.sentencecase "Velké první písmeno">
<!ENTITY zotero.item.creatorTransform.nameSwap "Swap first/last names"> <!ENTITY zotero.item.creatorTransform.nameSwap "Přehodit jméno/příjmení">
<!ENTITY zotero.toolbar.newNote "Nová poznámka"> <!ENTITY zotero.toolbar.newNote "Nová poznámka">
<!ENTITY zotero.toolbar.note.standalone "Nová samostatná poznámka"> <!ENTITY zotero.toolbar.note.standalone "Nová samostatná poznámka">
@ -139,18 +139,18 @@
<!ENTITY zotero.tagSelector.selectVisible "Vybrat viditelné"> <!ENTITY zotero.tagSelector.selectVisible "Vybrat viditelné">
<!ENTITY zotero.tagSelector.clearVisible "Zrušit výběr viditelných"> <!ENTITY zotero.tagSelector.clearVisible "Zrušit výběr viditelných">
<!ENTITY zotero.tagSelector.clearAll "Zrušit výběr všech"> <!ENTITY zotero.tagSelector.clearAll "Zrušit výběr všech">
<!ENTITY zotero.tagSelector.assignColor "Assign Color…"> <!ENTITY zotero.tagSelector.assignColor "Nastavit barvu...">
<!ENTITY zotero.tagSelector.renameTag "Přejmenovat štítek..."> <!ENTITY zotero.tagSelector.renameTag "Přejmenovat štítek...">
<!ENTITY zotero.tagSelector.deleteTag "Smazat štítek..."> <!ENTITY zotero.tagSelector.deleteTag "Smazat štítek...">
<!ENTITY zotero.tagColorChooser.title "Choose a Tag Color and Position"> <!ENTITY zotero.tagColorChooser.title "Zvolit barvu a pozici:">
<!ENTITY zotero.tagColorChooser.color "Color:"> <!ENTITY zotero.tagColorChooser.color "Barva:">
<!ENTITY zotero.tagColorChooser.position "Position:"> <!ENTITY zotero.tagColorChooser.position "Pozice:">
<!ENTITY zotero.tagColorChooser.setColor "Set Color"> <!ENTITY zotero.tagColorChooser.setColor "Nastavit barvu">
<!ENTITY zotero.tagColorChooser.removeColor "Remove Color"> <!ENTITY zotero.tagColorChooser.removeColor "Odstranit barvu">
<!ENTITY zotero.lookup.description "Do políčka níže vložte ISBN, DOI nebo PMID, podle kterého chcete vyhledávat."> <!ENTITY zotero.lookup.description "Do políčka níže vložte ISBN, DOI nebo PMID, podle kterého chcete vyhledávat.">
<!ENTITY zotero.lookup.button.search "Search"> <!ENTITY zotero.lookup.button.search "Hledat">
<!ENTITY zotero.selectitems.title "Označit položky"> <!ENTITY zotero.selectitems.title "Označit položky">
<!ENTITY zotero.selectitems.intro.label "Označte položky, které byste rádi přidali do Vaší knihovny"> <!ENTITY zotero.selectitems.intro.label "Označte položky, které byste rádi přidali do Vaší knihovny">
@ -212,8 +212,8 @@
<!ENTITY zotero.integration.prefs.bookmarks.caption "Záložky jsou zachovány u Microsoft Word i OpenOffice, ale mohou být náhodně modifikovány. Kvůli kompatibilitě nemohou být citace vkládány do poznámek pod čarou nebo koncových poznámek, pokud je tato možnost zvolena."> <!ENTITY zotero.integration.prefs.bookmarks.caption "Záložky jsou zachovány u Microsoft Word i OpenOffice, ale mohou být náhodně modifikovány. Kvůli kompatibilitě nemohou být citace vkládány do poznámek pod čarou nebo koncových poznámek, pokud je tato možnost zvolena.">
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Automatically abbreviate journal titles"> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Automaticky zkracovat názvy časopisů">
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "MEDLINE journal abbreviations will be automatically generated using journal titles. The “Journal Abbr” field will be ignored."> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "Budou se automaticky používat zkrácené názvů časopisů z MEDLINE. Pole &quot;zkrácený název časopisu&quot; bude ignorováno.">
<!ENTITY zotero.integration.prefs.storeReferences.label "Uložit reference v dokumentu"> <!ENTITY zotero.integration.prefs.storeReferences.label "Uložit reference v dokumentu">
<!ENTITY zotero.integration.prefs.storeReferences.caption "Uložení referencí do dokumentu mírně zvětší velikost souboru, ale umožní sdílet dokument s ostatními pomocí Zotero skupiny. K updatu dokumentů vytvořených s touto možností je potřeba Zotero 3.0 a vyšší."> <!ENTITY zotero.integration.prefs.storeReferences.caption "Uložení referencí do dokumentu mírně zvětší velikost souboru, ale umožní sdílet dokument s ostatními pomocí Zotero skupiny. K updatu dokumentů vytvořených s touto možností je potřeba Zotero 3.0 a vyšší.">
@ -239,9 +239,9 @@
<!ENTITY zotero.sync.longTagFixer.uncheckedTagsNotSaved "Nezaškrtnuté štítky nebudou uloženy."> <!ENTITY zotero.sync.longTagFixer.uncheckedTagsNotSaved "Nezaškrtnuté štítky nebudou uloženy.">
<!ENTITY zotero.sync.longTagFixer.tagWillBeDeleted "Štítky budou smazány ze všech položek."> <!ENTITY zotero.sync.longTagFixer.tagWillBeDeleted "Štítky budou smazány ze všech položek.">
<!ENTITY zotero.merge.title "Conflict Resolution"> <!ENTITY zotero.merge.title "Řešení konfliktů">
<!ENTITY zotero.merge.of "of"> <!ENTITY zotero.merge.of "z">
<!ENTITY zotero.merge.deleted "Deleted"> <!ENTITY zotero.merge.deleted "Smazáno">
<!ENTITY zotero.proxy.recognized.title "Rozpoznána proxy"> <!ENTITY zotero.proxy.recognized.title "Rozpoznána proxy">
<!ENTITY zotero.proxy.recognized.warning "Přidávejte pouze proxy ze stránek vaší knihovny, školy nebo zaměstnání."> <!ENTITY zotero.proxy.recognized.warning "Přidávejte pouze proxy ze stránek vaší knihovny, školy nebo zaměstnání.">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Zkontrolovat, jestli nejsou k dispozici aktualizace
general.actionCannotBeUndone=Tato akce je nevratná. general.actionCannotBeUndone=Tato akce je nevratná.
general.install=Instalovat general.install=Instalovat
general.updateAvailable=Je k dispozici aktualizace general.updateAvailable=Je k dispozici aktualizace
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Aktualizace general.upgrade=Aktualizace
general.yes=Ano general.yes=Ano
general.no=Ne general.no=Ne
general.notNow=Not Now
general.passed=Prošel general.passed=Prošel
general.failed=Selhal general.failed=Selhal
general.and=a general.and=a
general.etAl=et al.
general.accessDenied=Přístup odepřen general.accessDenied=Přístup odepřen
general.permissionDenied=Přístup odepřen general.permissionDenied=Přístup odepřen
general.character.singular=znak general.character.singular=znak
@ -41,13 +45,15 @@ general.seeForMoreInformation=Pro více informací se podívejte na %S
general.enable=Povolit general.enable=Povolit
general.disable=Zakázat general.disable=Zakázat
general.remove=Odstranit general.remove=Odstranit
general.reset=Reset general.reset=Resetovat
general.hide=Hide general.hide=Hide
general.quit=Zavřít general.quit=Zavřít
general.useDefault=Použít výchozí general.useDefault=Použít výchozí
general.openDocumentation=Otevřít dokumentaci general.openDocumentation=Otevřít dokumentaci
general.numMore=%S dalších... general.numMore=%S dalších...
general.openPreferences=Otevřít předvolby general.openPreferences=Otevřít předvolby
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Právě probíhá operace se Zoterem. general.operationInProgress=Právě probíhá operace se Zoterem.
general.operationInProgress.waitUntilFinished=Počkejte prosím, dokud neskončí. general.operationInProgress.waitUntilFinished=Počkejte prosím, dokud neskončí.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Počkejte prosím, doku
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Rychlý průvodce install.quickStartGuide=Rychlý průvodce
install.quickStartGuide.message.welcome=Vítejte v Zoteru! install.quickStartGuide.message.welcome=Vítejte v Zoteru!
@ -86,15 +93,15 @@ errorReport.repoCannotBeContacted=Nelze se spojit s repozitářem
attachmentBasePath.selectDir=Vybrat základní adresář attachmentBasePath.selectDir=Vybrat základní adresář
attachmentBasePath.chooseNewPath.title=Potvrdit nový základní adresář attachmentBasePath.chooseNewPath.title=Potvrdit nový základní adresář
attachmentBasePath.chooseNewPath.message=Linked file attachments below this directory will be saved using relative paths. attachmentBasePath.chooseNewPath.message=Odkazované soubory příloh v tomto adresáři budou uloženy pomocí relativních cest.
attachmentBasePath.chooseNewPath.existingAttachments.singular=Jedna existující příloha byla nalezena v novém základním adresáři. attachmentBasePath.chooseNewPath.existingAttachments.singular=Jedna existující příloha byla nalezena v novém základním adresáři.
attachmentBasePath.chooseNewPath.existingAttachments.plural=%S existujících příloh bylo nalezeno v novém základním adresáři attachmentBasePath.chooseNewPath.existingAttachments.plural=%S existujících příloh bylo nalezeno v novém základním adresáři
attachmentBasePath.chooseNewPath.button=Change Base Directory Setting attachmentBasePath.chooseNewPath.button=Změnit nastavení základního adresáře
attachmentBasePath.clearBasePath.title=Revert to Absolute Paths attachmentBasePath.clearBasePath.title=Změnit na absolutní cesty
attachmentBasePath.clearBasePath.message=New linked file attachments will be saved using absolute paths. attachmentBasePath.clearBasePath.message=Nově odkazované soubory příloh budou uloženy pomocí absolutních cest.
attachmentBasePath.clearBasePath.existingAttachments.singular=One existing attachment within the old base directory will be converted to use an absolute path. attachmentBasePath.clearBasePath.existingAttachments.singular=Existující příloha ve starém základním adresáři bude konvertována tak, aby používala absolutní cestu.
attachmentBasePath.clearBasePath.existingAttachments.plural=%S existujících příloh ve starém Základním adresáři bude převedeno na absolutní cesty. attachmentBasePath.clearBasePath.existingAttachments.plural=%S existujících příloh ve starém Základním adresáři bude převedeno na absolutní cesty.
attachmentBasePath.clearBasePath.button=Clear Base Directory Setting attachmentBasePath.clearBasePath.button=Zrušit nastavení základního adresáře
dataDir.notFound=Datový adresář aplikace Zotero nebyl nalezen. dataDir.notFound=Datový adresář aplikace Zotero nebyl nalezen.
dataDir.previousDir=Předchozí adresář: dataDir.previousDir=Předchozí adresář:
@ -102,12 +109,12 @@ dataDir.useProfileDir=Použít adresář profilu aplikace Firefox
dataDir.selectDir=Vybrat Datový adresář aplikace Zotero dataDir.selectDir=Vybrat Datový adresář aplikace Zotero
dataDir.selectedDirNonEmpty.title=Adresář není prázdný dataDir.selectedDirNonEmpty.title=Adresář není prázdný
dataDir.selectedDirNonEmpty.text=Adresář, který jste vybrali, není prázdný a zřejmě není Datovým adresářem aplikace Zotero.\n\nChcete přesto vytvořit soubory aplikace Zotero v tomto adresáři? dataDir.selectedDirNonEmpty.text=Adresář, který jste vybrali, není prázdný a zřejmě není Datovým adresářem aplikace Zotero.\n\nChcete přesto vytvořit soubory aplikace Zotero v tomto adresáři?
dataDir.selectedDirEmpty.title=Directory Empty dataDir.selectedDirEmpty.title=Adresář je prázdný
dataDir.selectedDirEmpty.text=The directory you selected is empty. To move an existing Zotero data directory, you will need to manually move files from the existing data directory to the new location after %1$S has closed. dataDir.selectedDirEmpty.text=Adresář, který jste vybrali je prázdný. Pro přesunutí existujícího datového adresáře Zotera je nutné manuálně přesunout soubory ze stávajícího datového adresáře do nové lokace, jakmile bude %1$S uzavřen.
dataDir.selectedDirEmpty.useNewDir=Use the new directory? dataDir.selectedDirEmpty.useNewDir=Use the new directory?
dataDir.moveFilesToNewLocation=Be sure to move files from your existing Zotero data directory to the new location before reopening %1$S. dataDir.moveFilesToNewLocation=Be sure to move files from your existing Zotero data directory to the new location before reopening %1$S.
dataDir.incompatibleDbVersion.title=Incompatible Database Version dataDir.incompatibleDbVersion.title=Nekompatibilní verze databáze
dataDir.incompatibleDbVersion.text=The currently selected data directory is not compatible with Zotero Standalone, which can share a database only with Zotero for Firefox 2.1b3 or later.\n\nUpgrade to the latest version of Zotero for Firefox first or select a different data directory for use with Zotero Standalone. dataDir.incompatibleDbVersion.text=Aktuálně vybraný datový adresář není kompatibilní se Zotero Standalone, které může sdílet databázi pouze se Zoterem pro Firefox verze 2.1b3 a novějším.\n\nNejprve aktualizujte své Zotero pro Firefox na nejnovější verzi, nebo pro použítí se Zotero Standalone zvolte jiný datový adresář.
dataDir.standaloneMigration.title=Nalezená existující knihovna Zotera dataDir.standaloneMigration.title=Nalezená existující knihovna Zotera
dataDir.standaloneMigration.description=Toto je zřejmě první případ, kdy používáte %1$S. Přejete si, aby bylo vaše nastavení z %2$S importováno do %1$S a aby se použil existující datový adresář? dataDir.standaloneMigration.description=Toto je zřejmě první případ, kdy používáte %1$S. Přejete si, aby bylo vaše nastavení z %2$S importováno do %1$S a aby se použil existující datový adresář?
dataDir.standaloneMigration.multipleProfiles=%1$S bude sdílet svůj datový adresář s naposledy použitým profilem. dataDir.standaloneMigration.multipleProfiles=%1$S bude sdílet svůj datový adresář s naposledy použitým profilem.
@ -179,14 +186,14 @@ pane.tagSelector.delete.message=Jste si jisti, že chcete smazat tento štítek?
pane.tagSelector.numSelected.none=vybráno: 0 štítků pane.tagSelector.numSelected.none=vybráno: 0 štítků
pane.tagSelector.numSelected.singular=vybrán 1 štítek pane.tagSelector.numSelected.singular=vybrán 1 štítek
pane.tagSelector.numSelected.plural=vybráno: %S štítků pane.tagSelector.numSelected.plural=vybráno: %S štítků
pane.tagSelector.maxColoredTags=Only %S tags in each library can have colors assigned. pane.tagSelector.maxColoredTags=Barvy v každé knihovně může mít přiřazeno pouze %S štítků.
tagColorChooser.numberKeyInstructions=You can add this tag to selected items by pressing the $NUMBER key on the keyboard. tagColorChooser.numberKeyInstructions=Stisknutím klávesy $NUMBER můžete přidat tento štítek zvoleným položkám.
tagColorChooser.maxTags=Up to %S tags in each library can have colors assigned. tagColorChooser.maxTags=Barvy může mít přiřazeno až %S štítků v každé knihovně.
pane.items.loading=Nahrávám seznam položek... pane.items.loading=Nahrávám seznam položek...
pane.items.attach.link.uri.title=Attach Link to URI pane.items.attach.link.uri.title=Připojit odkaz k URI
pane.items.attach.link.uri=Enter a URI: pane.items.attach.link.uri=Vložte URI:
pane.items.trash.title=Přesunout do Koše pane.items.trash.title=Přesunout do Koše
pane.items.trash=Jste si jisti, že chcete přesunout vybranou položku do Koše? pane.items.trash=Jste si jisti, že chcete přesunout vybranou položku do Koše?
pane.items.trash.multiple=Jste si jisti, že chcete přesunout vybranou položku do Koše? pane.items.trash.multiple=Jste si jisti, že chcete přesunout vybranou položku do Koše?
@ -229,9 +236,9 @@ pane.item.unselected.plural=%S položek v tomto zobrazení
pane.item.duplicates.selectToMerge=Vyberte položky ke spojení pane.item.duplicates.selectToMerge=Vyberte položky ke spojení
pane.item.duplicates.mergeItems=Spojit %S položky pane.item.duplicates.mergeItems=Spojit %S položky
pane.item.duplicates.writeAccessRequired=Library write access is required to merge items. pane.item.duplicates.writeAccessRequired=Ke sloučení položek je potřeba právo zápisu do knihovny.
pane.item.duplicates.onlyTopLevel=Only top-level full items can be merged. pane.item.duplicates.onlyTopLevel=Sloučeny mohou být pouze položky na nejvyšší úrovni.
pane.item.duplicates.onlySameItemType=Merged items must all be of the same item type. pane.item.duplicates.onlySameItemType=Sloučené položky musí být všechny stejného typu.
pane.item.changeType.title=Změnit typ položky pane.item.changeType.title=Změnit typ položky
pane.item.changeType.text=Jste si jisti, že chcete změnit typ této položky?\n\nNásledující pole budou ztracena: pane.item.changeType.text=Jste si jisti, že chcete změnit typ této položky?\n\nNásledující pole budou ztracena:
@ -258,7 +265,7 @@ pane.item.attachments.count.singular=%S příloha:
pane.item.attachments.count.plural=%S příloh: pane.item.attachments.count.plural=%S příloh:
pane.item.attachments.select=Vyberte soubor pane.item.attachments.select=Vyberte soubor
pane.item.attachments.PDF.installTools.title=Nástroje pro PDF nejsou nainstalovány pane.item.attachments.PDF.installTools.title=Nástroje pro PDF nejsou nainstalovány
pane.item.attachments.PDF.installTools.text=To use this feature, you must first install the PDF tools in the Search pane of the Zotero preferences. pane.item.attachments.PDF.installTools.text=Pokud chcete používat této funkce, musíte nejdříve nainstalovat PDF nástroje v panelu Vyhledávání v Nastavení Zotera.
pane.item.attachments.filename=Název souboru pane.item.attachments.filename=Název souboru
pane.item.noteEditor.clickHere=klikněte zde pane.item.noteEditor.clickHere=klikněte zde
pane.item.tags.count.zero=%S štítků: pane.item.tags.count.zero=%S štítků:
@ -337,7 +344,7 @@ itemFields.callNumber=Signatura
itemFields.archiveLocation=Místo v archivu itemFields.archiveLocation=Místo v archivu
itemFields.distributor=Distributor itemFields.distributor=Distributor
itemFields.extra=Extra itemFields.extra=Extra
itemFields.journalAbbreviation=Zkratka časopisu itemFields.journalAbbreviation=Zkrácený název časopisu
itemFields.DOI=DOI itemFields.DOI=DOI
itemFields.accessDate=Přístup itemFields.accessDate=Přístup
itemFields.seriesTitle=Název série itemFields.seriesTitle=Název série
@ -512,16 +519,16 @@ zotero.preferences.openurl.resolversFound.singular=nalezen %S resolver
zotero.preferences.openurl.resolversFound.plural=nalezeno %S resolverů zotero.preferences.openurl.resolversFound.plural=nalezeno %S resolverů
zotero.preferences.sync.purgeStorage.title=Vyčistit soubory příloh na serverech Zotero? zotero.preferences.sync.purgeStorage.title=Vyčistit soubory příloh na serverech Zotero?
zotero.preferences.sync.purgeStorage.desc=If you plan to use WebDAV for file syncing and you previously synced attachment files in My Library to the Zotero servers, you can purge those files from the Zotero servers to give you more storage space for groups.\n\nYou can purge files at any time from your account settings on zotero.org. zotero.preferences.sync.purgeStorage.desc=Pokud plánujete použít WebDAV pro synchronizaci souborů a už jste dříve synchronizovali soubory příloh ze "Mé knihovny" na servery Zotera, můžete odstranit tyto soubory ze serveru abyste získali více úložného prostoru pro skupiny.\n\nSoubory můžete odstranit kdykoli pomocí z nastavení účtu na zotero.org
zotero.preferences.sync.purgeStorage.confirmButton=Purge Files Now zotero.preferences.sync.purgeStorage.confirmButton=Ihned odstranit soubory.
zotero.preferences.sync.purgeStorage.cancelButton=Do Not Purge zotero.preferences.sync.purgeStorage.cancelButton=Neodstraňovat
zotero.preferences.sync.reset.userInfoMissing=Před vyresetováním nastavení musíte zadat jméno a heslo v %S. zotero.preferences.sync.reset.userInfoMissing=Před vyresetováním nastavení musíte zadat jméno a heslo v %S.
zotero.preferences.sync.reset.restoreFromServer=All data in this copy of Zotero will be erased and replaced with data belonging to user '%S' on the Zotero server. zotero.preferences.sync.reset.restoreFromServer=Všechna data v této kopii Zotera budou smazána a nahrazena daty náležícím uživateli '%S' na Zotero serveru.
zotero.preferences.sync.reset.replaceLocalData=Replace Local Data zotero.preferences.sync.reset.replaceLocalData=Nahradit lokální data
zotero.preferences.sync.reset.restartToComplete=Firefox must be restarted to complete the restore process. zotero.preferences.sync.reset.restartToComplete=Firefox musí být restartován aby mohl být dokončen proces obnovy.
zotero.preferences.sync.reset.restoreToServer=All data belonging to user '%S' on the Zotero server will be erased and replaced with data from this copy of Zotero.\n\nDepending on the size of your library, there may be a delay before your data is available on the server. zotero.preferences.sync.reset.restoreToServer=Všechna data náležící uživateli '%S' na Zotero serveru budou smazána a nahrazena daty z této kopie Zotera.\n\nV závislosti na velikosti vaší knihovny může nějakou dobu trvat, než budou data dostupná na serveru.
zotero.preferences.sync.reset.replaceServerData=Replace Server Data zotero.preferences.sync.reset.replaceServerData=Nahradit data na serveru.
zotero.preferences.sync.reset.fileSyncHistory=All file sync history will be cleared.\n\nAny local attachment files that do not exist on the storage server will be uploaded on the next sync. zotero.preferences.sync.reset.fileSyncHistory=Veškerá historie synchronizace bude smazána.\n\nVšechny lokální soubory příloh, které neexistují na úložném serveru na něj budou nahrány při příští synchronizaci.
zotero.preferences.search.rebuildIndex=Znovu vytvořit celý index zotero.preferences.search.rebuildIndex=Znovu vytvořit celý index
zotero.preferences.search.rebuildWarning=Chcete znovu vytvořit celý index? To může chvíli trvat.\n\nPro indexování pouze těch položek, které nebyly indexovány, použijte %S. zotero.preferences.search.rebuildWarning=Chcete znovu vytvořit celý index? To může chvíli trvat.\n\nPro indexování pouze těch položek, které nebyly indexovány, použijte %S.
@ -559,9 +566,9 @@ zotero.preferences.advanced.resetTranslators.changesLost=Všechny nové nebo upr
zotero.preferences.advanced.resetStyles=Resetovat styly zotero.preferences.advanced.resetStyles=Resetovat styly
zotero.preferences.advanced.resetStyles.changesLost=Všechny nové nebo upravené styly budou ztraceny. zotero.preferences.advanced.resetStyles.changesLost=Všechny nové nebo upravené styly budou ztraceny.
zotero.preferences.advanced.debug.title=Debug Output Submitted zotero.preferences.advanced.debug.title=Ladící výstup odeslán.
zotero.preferences.advanced.debug.sent=Debug output has been sent to the Zotero server.\n\nThe Debug ID is D%S. zotero.preferences.advanced.debug.sent=Ladící výstup byl odeslán na Zotero server.\n\nID ladícího výstupu je D%S.
zotero.preferences.advanced.debug.error=An error occurred sending debug output. zotero.preferences.advanced.debug.error=Během zasílání ladícího výstupu došlo k chybě.
dragAndDrop.existingFiles=Následující soubory v cílovém adresáři již existují a nebyly zkopírovány: dragAndDrop.existingFiles=Následující soubory v cílovém adresáři již existují a nebyly zkopírovány:
dragAndDrop.filesNotFound=Následující soubory nebyly nalezeny a nemohly být zkopírovány: dragAndDrop.filesNotFound=Následující soubory nebyly nalezeny a nemohly být zkopírovány:
@ -633,7 +640,7 @@ fulltext.indexState.partial=Částečný
exportOptions.exportNotes=Exportovat poznámky exportOptions.exportNotes=Exportovat poznámky
exportOptions.exportFileData=Exportovat soubory exportOptions.exportFileData=Exportovat soubory
exportOptions.useJournalAbbreviation=Použí zkratku časopisu exportOptions.useJournalAbbreviation=Použít zkrácený název časopisu
charset.UTF8withoutBOM=Unicode (UTF-8 bez BOM) charset.UTF8withoutBOM=Unicode (UTF-8 bez BOM)
charset.autoDetect=(automaticky detekovat) charset.autoDetect=(automaticky detekovat)
@ -722,21 +729,21 @@ integration.citationChanged.description=Kliknutím na "Ano" zabráníte Zoteru a
integration.citationChanged.edit=Citace byla po vygenerování Zoterem ručně upravena. Editování smaže vaše úpravy. Přejete si pokračovat? integration.citationChanged.edit=Citace byla po vygenerování Zoterem ručně upravena. Editování smaže vaše úpravy. Přejete si pokračovat?
styles.install.title=instalovat Styl styles.install.title=instalovat Styl
styles.install.unexpectedError=An unexpected error occurred while installing "%1$S" styles.install.unexpectedError=Při instalaci "%1$S" došlo k neočekávané chybě
styles.installStyle=Instalovat styl "%1$S" z %2$S? styles.installStyle=Instalovat styl "%1$S" z %2$S?
styles.updateStyle=Aktualizovat existující styl "%1$S" stylem "%2$S" z %3$S? styles.updateStyle=Aktualizovat existující styl "%1$S" stylem "%2$S" z %3$S?
styles.installed=Styl "%S" byl úspěšně nainstalován. styles.installed=Styl "%S" byl úspěšně nainstalován.
styles.installError=%S zřejmě není platný soubor stylu. styles.installError=%S zřejmě není platný soubor stylu.
styles.validationWarning="%S" is not a valid CSL 1.0.1 style file, and may not work properly with Zotero.\n\nAre you sure you want to continue? styles.validationWarning="%S" není validní CSL 1.0.1 soubor stylu Zotero s ním nemusí být schopné pracovat správně.\n\nChcete přesto pokračovat?
styles.installSourceError=%1$S odkazuje na neplatný nebo neexistující CSL soubor %2$S. styles.installSourceError=%1$S odkazuje na neplatný nebo neexistující CSL soubor %2$S.
styles.deleteStyle=Jste si jisti, že chcete smazat styl "%1$S"? styles.deleteStyle=Jste si jisti, že chcete smazat styl "%1$S"?
styles.deleteStyles=Jste si jisti, že chcete smazat vybrané styly? styles.deleteStyles=Jste si jisti, že chcete smazat vybrané styly?
styles.abbreviations.title=Load Abbreviations styles.abbreviations.title=Nahrát zkrácené názvy časopisů
styles.abbreviations.parseError=The abbreviations file "%1$S" is not valid JSON. styles.abbreviations.parseError=Soubor zkrácených názvů časopisů "%1$S" není ve správném formátu JSON.
styles.abbreviations.missingInfo=The abbreviations file "%1$S" does not specify a complete info block. styles.abbreviations.missingInfo=Soubor zkrácených názvů časopisů "%1$S" nespecifikuje kompletní blok informací.
sync.sync=Sync sync.sync=Synchronizovat
sync.cancel=Zrušit synchronizaci sync.cancel=Zrušit synchronizaci
sync.openSyncPreferences=Otevřít nastavení synchronizace sync.openSyncPreferences=Otevřít nastavení synchronizace
sync.resetGroupAndSync=Resetovat Skupinu a synchronizovat sync.resetGroupAndSync=Resetovat Skupinu a synchronizovat
@ -746,12 +753,12 @@ sync.remoteObject=Vzdálený objekt
sync.mergedObject=Sloučený objekt sync.mergedObject=Sloučený objekt
sync.error.usernameNotSet=Uživatelské jméno není nastaveno sync.error.usernameNotSet=Uživatelské jméno není nastaveno
sync.error.usernameNotSet.text=You must enter your zotero.org username and password in the Zotero preferences to sync with the Zotero server. sync.error.usernameNotSet.text=Musíte zadat své uživatelské jméno a heslo ze zotero.org v Nastavení Zotera, pokud chcete provést synchronizaci s Zotero serverem.
sync.error.passwordNotSet=Heslo není nastaveno sync.error.passwordNotSet=Heslo není nastaveno
sync.error.invalidLogin=Neplatné uživatelské jméno nebo heslo sync.error.invalidLogin=Neplatné uživatelské jméno nebo heslo
sync.error.invalidLogin.text=The Zotero sync server did not accept your username and password.\n\nPlease check that you have entered your zotero.org login information correctly in the Zotero sync preferences. sync.error.invalidLogin.text=Synchronizační server Zotera nerozpoznal vaše uživatelské jméno a heslo.\n\nProsím, zkontrolujte, že jste v Nastavení synchronizace Zotera zadali správné údaje pro přihlášení k zotero.org.
sync.error.enterPassword=Prosím zadejte heslo. sync.error.enterPassword=Prosím zadejte heslo.
sync.error.loginManagerInaccessible=Zotero cannot access your login information. sync.error.loginManagerInaccessible=Zotero nemůže přistoupit k vašim přihlašovacím údajům.
sync.error.checkMasterPassword=If you are using a master password in %S, make sure you have entered it successfully. sync.error.checkMasterPassword=If you are using a master password in %S, make sure you have entered it successfully.
sync.error.corruptedLoginManager=This could also be due to a corrupted %1$S login manager database. To check, close %1$S, back up and delete signons.* from your %1$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.corruptedLoginManager=This could also be due to a corrupted %1$S login manager database. To check, close %1$S, back up and delete signons.* from your %1$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.loginManagerCorrupted1=Zotero cannot access your login information, possibly due to a corrupted %S login manager database. sync.error.loginManagerCorrupted1=Zotero cannot access your login information, possibly due to a corrupted %S login manager database.
@ -763,41 +770,41 @@ sync.error.groupWillBeReset=Pokud budete pokračovat, vaše kopie skupiny bude r
sync.error.copyChangedItems=Pokud chcete zkopírovat své soubory jinam, nebo požádat administrátora skupiny o práva pro zápis, zrušte synchronizaci. sync.error.copyChangedItems=Pokud chcete zkopírovat své soubory jinam, nebo požádat administrátora skupiny o práva pro zápis, zrušte synchronizaci.
sync.error.manualInterventionRequired=Automatická synchronizace způsobila konflikt, který vyžaduje ruční zásah uživatele. sync.error.manualInterventionRequired=Automatická synchronizace způsobila konflikt, který vyžaduje ruční zásah uživatele.
sync.error.clickSyncIcon=Klikněte na ikonu synchronizace pro provedení manuální synchronizace. sync.error.clickSyncIcon=Klikněte na ikonu synchronizace pro provedení manuální synchronizace.
sync.error.invalidClock=The system clock is set to an invalid time. You will need to correct this to sync with the Zotero server. sync.error.invalidClock=Systémový čas je nastaven na neplatný čas. Budete muset opravit tuto chybu, pokud chcete provést synchronizaci se serverem Zotera.
sync.error.sslConnectionError=SSL connection error sync.error.sslConnectionError=Chyba připojení přes SSL
sync.error.checkConnection=Error connecting to server. Check your Internet connection. sync.error.checkConnection=Chyba připojení k serveru. Zkontrolujte své připojení k Internetu.
sync.error.emptyResponseServer=Empty response from server. sync.error.emptyResponseServer=Prázdná odpověď serveru.
sync.error.invalidCharsFilename=The filename '%S' contains invalid characters.\n\nRename the file and try again. If you rename the file via the OS, you will need to relink it in Zotero. sync.error.invalidCharsFilename=Název souboru '%S' obsahuje neplatné znaky.\n\nPřejmenujte prosím soubor a zkuste to znovu. Pokud přejmenujete soubor prostřednictvím operačního systému, budete muset znovu vytvořit odkaz v Zoteru.
sync.lastSyncWithDifferentAccount=This Zotero database was last synced with a different zotero.org account ('%1$S') from the current one ('%2$S'). sync.lastSyncWithDifferentAccount=Databáze Zotera byla naposledy synchronizována s jiným zotero.org účtem ('%1$S') než je současný ('%2$S').
sync.localDataWillBeCombined=If you continue, local Zotero data will be combined with data from the '%S' account stored on the server. sync.localDataWillBeCombined=Pokud budete pokračovat, lokální data Zotera budou zkombinována s daty z účtu '%S' uloženými na serveru.
sync.localGroupsWillBeRemoved1=Local groups, including any with changed items, will also be removed. sync.localGroupsWillBeRemoved1=Lokální skupiny, včetně jakýchkoli změněných položek, budou také odstraněny.
sync.avoidCombiningData=To avoid combining or losing data, revert to the '%S' account or use the Reset options in the Sync pane of the Zotero preferences. sync.avoidCombiningData=Abyste se vyhnuli smíchání, nebo ztrátě dat, vraťte se k účtu '%S', nebo použijte možnost Reset v panelu Sync v nastavení Zotera.
sync.localGroupsWillBeRemoved2=If you continue, local groups, including any with changed items, will be removed and replaced with groups linked to the '%1$S' account.\n\nTo avoid losing local changes to groups, be sure you have synced with the '%2$S' account before syncing with the '%1$S' account. sync.localGroupsWillBeRemoved2=If you continue, local groups, including any with changed items, will be removed and replaced with groups linked to the '%1$S' account.\n\nTo avoid losing local changes to groups, be sure you have synced with the '%2$S' account before syncing with the '%1$S' account.
sync.conflict.autoChange.alert=One or more locally deleted Zotero %S have been modified remotely since the last sync. sync.conflict.autoChange.alert=One or more locally deleted Zotero %S have been modified remotely since the last sync.
sync.conflict.autoChange.log=A Zotero %S has changed both locally and remotely since the last sync: sync.conflict.autoChange.log=A Zotero %S has changed both locally and remotely since the last sync:
sync.conflict.remoteVersionsKept=The remote versions have been kept. sync.conflict.remoteVersionsKept=Byly zachovány vzdálené verze.
sync.conflict.remoteVersionKept=The remote version has been kept. sync.conflict.remoteVersionKept=Byla zachována vzdálená verze.
sync.conflict.localVersionsKept=The local versions have been kept. sync.conflict.localVersionsKept=Byly zachovány lokální verze.
sync.conflict.localVersionKept=The local version has been kept. sync.conflict.localVersionKept=Byla zachována lokální verze.
sync.conflict.recentVersionsKept=The most recent versions have been kept. sync.conflict.recentVersionsKept=Byly zachovány nejnovější verze.
sync.conflict.recentVersionKept=The most recent version, '%S', has been kept. sync.conflict.recentVersionKept=Byla zachována nejnovější verze - '%S'
sync.conflict.viewErrorConsole=View the %S Error Console for the full list of such changes. sync.conflict.viewErrorConsole=View the %S Error Console for the full list of such changes.
sync.conflict.localVersion=Local version: %S sync.conflict.localVersion=Lokální verze: %S
sync.conflict.remoteVersion=Remote version: %S sync.conflict.remoteVersion=Vzdálená verze: %S
sync.conflict.deleted=[deleted] sync.conflict.deleted=[smazáno]
sync.conflict.collectionItemMerge.alert=One or more Zotero items have been added to and/or removed from the same collection on multiple computers since the last sync. sync.conflict.collectionItemMerge.alert=Od poslední synchronizace byly jedna nebo více položek Zotera přidány nebo odebrány ze stejné kolekce na několika počítačích.
sync.conflict.collectionItemMerge.log=Zotero items in the collection '%S' have been added and/or removed on multiple computers since the last sync. The following items have been added to the collection: sync.conflict.collectionItemMerge.log=Od poslední synchronizace byly položky Zotera z kolekce '%S' byly přidány nebo odebrány na několika počítačích. Následující položky byly do kolekce přidány:
sync.conflict.tagItemMerge.alert=One or more Zotero tags have been added to and/or removed from items on multiple computers since the last sync. The different sets of tags have been combined. sync.conflict.tagItemMerge.alert=Od poslední synchronizace byly jeden nebo více štítků přidány nebo odebrány od položek na několika počítačích. Rozdílné skupiny štítků byly zkombinovány.
sync.conflict.tagItemMerge.log=The Zotero tag '%S' has been added to and/or removed from items on multiple computers since the last sync. sync.conflict.tagItemMerge.log=Od poslední synchronizace byl štítek Zotera '%S' přidán nebo odebrán od položek z několika počítačů.
sync.conflict.tag.addedToRemote=It has been added to the following remote items: sync.conflict.tag.addedToRemote=Byl přidán k následujícím vzdáleným položkám:
sync.conflict.tag.addedToLocal=It has been added to the following local items: sync.conflict.tag.addedToLocal=Byl přidán k následujícím lokálním položkám:
sync.conflict.fileChanged=The following file has been changed in multiple locations. sync.conflict.fileChanged=Následující soubor se změnil v několika lokacích.
sync.conflict.itemChanged=The following item has been changed in multiple locations. sync.conflict.itemChanged=Následující položka byla změněna v několika lokacích.
sync.conflict.chooseVersionToKeep=Choose the version you would like to keep, and then click %S. sync.conflict.chooseVersionToKeep=Vyberte verzi, kterou byste si přáli zachovat a poté stiskněte %S.
sync.conflict.chooseThisVersion=Choose this version sync.conflict.chooseThisVersion=Vybrat tuto verzi
sync.status.notYetSynced=Zatím nesynchronizováno sync.status.notYetSynced=Zatím nesynchronizováno
sync.status.lastSync=Poslední synchronizace: sync.status.lastSync=Poslední synchronizace:
@ -808,12 +815,17 @@ sync.status.uploadingData=Nahrávám data na synchronizační server
sync.status.uploadAccepted=Nahraná data přijata - čeká se na synchronizační server sync.status.uploadAccepted=Nahraná data přijata - čeká se na synchronizační server
sync.status.syncingFiles=Synchronizuji soubory sync.status.syncingFiles=Synchronizuji soubory
sync.storage.mbRemaining=%SMB remaining sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB zbývá
sync.storage.kbRemaining=%SKB zbývá sync.storage.kbRemaining=%SKB zbývá
sync.storage.filesRemaining=%1$S/%2$S soubory sync.storage.filesRemaining=%1$S/%2$S soubory
sync.storage.none=Žádný sync.storage.none=Žádný
sync.storage.downloads=Downloads: sync.storage.downloads=Stahování:
sync.storage.uploads=Uploads: sync.storage.uploads=Nahrávání:
sync.storage.localFile=Lokální soubor sync.storage.localFile=Lokální soubor
sync.storage.remoteFile=Vzdálený soubor sync.storage.remoteFile=Vzdálený soubor
sync.storage.savedFile=Uložený soubor sync.storage.savedFile=Uložený soubor
@ -821,7 +833,7 @@ sync.storage.serverConfigurationVerified=Konfigurace serveru ověřeno
sync.storage.fileSyncSetUp=Nastavení synchronizace bylo úspěšně nastaveno. sync.storage.fileSyncSetUp=Nastavení synchronizace bylo úspěšně nastaveno.
sync.storage.openAccountSettings=Otevřít nastavení účtu sync.storage.openAccountSettings=Otevřít nastavení účtu
sync.storage.error.default=A file sync error occurred. Please try syncing again.\n\nIf you receive this message repeatedly, restart %S and/or your computer and try again. If you continue to receive the message, submit an error report and post the Report ID to a new thread in the Zotero Forums. sync.storage.error.default=Při synchronizaci došlo k chybě. Prosím zkuste synchronizaci opakovat.\n\nPokud se vám tato zpráva zobrazuje opakovaně, restartujte %S a\nebo váš počítač a zkuste to znovu. Pokud by se zpráva zobrazovala i nadále, odešlete prosím chybové hlášení a napište ID zprávy do nového vlákna na Zotero fórech.
sync.storage.error.defaultRestart=A file sync error occurred. Please restart %S and/or your computer and try syncing again.\n\nIf you receive this message repeatedly, submit an error report and post the Report ID to a new thread in the Zotero Forums. sync.storage.error.defaultRestart=A file sync error occurred. Please restart %S and/or your computer and try syncing again.\n\nIf you receive this message repeatedly, submit an error report and post the Report ID to a new thread in the Zotero Forums.
sync.storage.error.serverCouldNotBeReached=Nepodařilo se dosáhnout serveru %S. sync.storage.error.serverCouldNotBeReached=Nepodařilo se dosáhnout serveru %S.
sync.storage.error.permissionDeniedAtAddress=Nemáte práva vytvořit Zotero adresář na následující adrese: sync.storage.error.permissionDeniedAtAddress=Nemáte práva vytvořit Zotero adresář na následující adrese:
@ -936,11 +948,12 @@ standalone.addonInstallationFailed.title=Instalace doplňku selhala.
standalone.addonInstallationFailed.body=Doplněk "%S" nemohl být nainstalován. Může být nekompatibilní s touto verzí Samostantého Zotera. standalone.addonInstallationFailed.body=Doplněk "%S" nemohl být nainstalován. Může být nekompatibilní s touto verzí Samostantého Zotera.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account.
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Exit
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Pokračovat
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account.
connector.error.title=Chyba připojení Zotera. connector.error.title=Chyba připojení Zotera.
connector.standaloneOpen=Není možné přistupovat k vaší databázi, protože je otevřeno Samostatné Zotero. K prohlížení vašich položek použijte prosím Samostatné Zotero. connector.standaloneOpen=Není možné přistupovat k vaší databázi, protože je otevřeno Samostatné Zotero. K prohlížení vašich položek použijte prosím Samostatné Zotero.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero rozpoznalo na této stránce citaci. Pro její uložení do knihovny Zotera, klikněte na tuto ikonu v adresní liště. firstRunGuidance.saveIcon=Zotero rozpoznalo na této stránce citaci. Pro její uložení do knihovny Zotera, klikněte na tuto ikonu v adresní liště.
firstRunGuidance.authorMenu=Zotero umožňuje zvolit i editory a překladatele. Volbou v tomto menu můžete změnit autora na editora či překladatele. firstRunGuidance.authorMenu=Zotero umožňuje zvolit i editory a překladatele. Volbou v tomto menu můžete změnit autora na editora či překladatele.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Rapporter om &quot;oversættere&quot; uden forbindelse"> <!ENTITY zotero.preferences.reportTranslationFailure "Rapporter om &quot;oversættere&quot; uden forbindelse">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Tillad Zoter.org at tilpasse indhold baseret på den aktuelle Zotero-version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Tillad Zoter.org at tilpasse indhold baseret på den aktuelle Zotero-version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Hvis den er slået til, vil den aktuelle Zotero-version blive medtaget ved HTTP-forespørgsler til zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Hvis den er slået til, vil den aktuelle Zotero-version blive medtaget ved HTTP-forespørgsler til zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Anvend Zotero til downloadede RIS/Refer-filer"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Tag automatisk et &quot;Snapshot&quot; når der oprettes Elementer for web-sider"> <!ENTITY zotero.preferences.automaticSnapshots "Tag automatisk et &quot;Snapshot&quot; når der oprettes Elementer for web-sider">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Vedhæft automatisk tilhørende PDF-filer og andre filer når Elementer gemmes"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Vedhæft automatisk tilhørende PDF-filer og andre filer når Elementer gemmes">
<!ENTITY zotero.preferences.automaticTags "Mærk automatisk Elementer med stikord og emne-grupper"> <!ENTITY zotero.preferences.automaticTags "Mærk automatisk Elementer med stikord og emne-grupper">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Opret konto"> <!ENTITY zotero.preferences.sync.createAccount "Opret konto">
<!ENTITY zotero.preferences.sync.lostPassword "Mistet adgangskode?"> <!ENTITY zotero.preferences.sync.lostPassword "Mistet adgangskode?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Synkroniser automatisk"> <!ENTITY zotero.preferences.sync.syncAutomatically "Synkroniser automatisk">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Om synkronisering"> <!ENTITY zotero.preferences.sync.about "Om synkronisering">
<!ENTITY zotero.preferences.sync.fileSyncing "Fil-synkronisering"> <!ENTITY zotero.preferences.sync.fileSyncing "Fil-synkronisering">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Tjek om der er en opdatering
general.actionCannotBeUndone=Denne handling kan ikke gøres om. general.actionCannotBeUndone=Denne handling kan ikke gøres om.
general.install=Installér general.install=Installér
general.updateAvailable=Der er en opdatering general.updateAvailable=Der er en opdatering
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Opgradering general.upgrade=Opgradering
general.yes=Ja general.yes=Ja
general.no=Nej general.no=Nej
general.notNow=Not Now
general.passed=Accepteret general.passed=Accepteret
general.failed=Afvist general.failed=Afvist
general.and=og general.and=og
general.etAl=et al.
general.accessDenied=Adgang nægtet general.accessDenied=Adgang nægtet
general.permissionDenied=Tilladelse nægtet general.permissionDenied=Tilladelse nægtet
general.character.singular=tegn general.character.singular=tegn
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=En Zotero-operation er ved at blive udført. general.operationInProgress=En Zotero-operation er ved at blive udført.
general.operationInProgress.waitUntilFinished=Vent venligst til den er færdig. general.operationInProgress.waitUntilFinished=Vent venligst til den er færdig.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Vent venligst til den e
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=Velkommen til Zotero! install.quickStartGuide.message.welcome=Velkommen til Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Fehlerhafte Übersetzer melden"> <!ENTITY zotero.preferences.reportTranslationFailure "Fehlerhafte Übersetzer melden">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Zotero.org erlauben, Inhalte auf Basis der aktuellen Zotero-Version anzupassen"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Zotero.org erlauben, Inhalte auf Basis der aktuellen Zotero-Version anzupassen">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Wenn aktiv, wird die aktuelle Zotero-Version bei HTTP-Anfragen zu zotero.org mit übertragen"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Wenn aktiv, wird die aktuelle Zotero-Version bei HTTP-Anfragen zu zotero.org mit übertragen">
<!ENTITY zotero.preferences.parseRISRefer "Zotero für heruntergeladene RIS/Refer-Dateien verwenden"> <!ENTITY zotero.preferences.parseRISRefer "Zotero für heruntergeladene BibTeX/RIS/Refer-Dateien verwenden">
<!ENTITY zotero.preferences.automaticSnapshots "Automatisch einen Schnappschuss erstellen, sobald ein Eintrag aus einer Webseite erstellt wird"> <!ENTITY zotero.preferences.automaticSnapshots "Automatisch einen Schnappschuss erstellen, sobald ein Eintrag aus einer Webseite erstellt wird">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automatisch zugehörige PDFs und andere Dateien beim Speichern von Einträgen anhängen"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Automatisch zugehörige PDFs und andere Dateien beim Speichern von Einträgen anhängen">
<!ENTITY zotero.preferences.automaticTags "Automatisch Tags aus Schlüsselwörtern und Schlagwörtern erstellen"> <!ENTITY zotero.preferences.automaticTags "Automatisch Tags aus Schlüsselwörtern und Schlagwörtern erstellen">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Account erstellen"> <!ENTITY zotero.preferences.sync.createAccount "Account erstellen">
<!ENTITY zotero.preferences.sync.lostPassword "Passwort vergessen?"> <!ENTITY zotero.preferences.sync.lostPassword "Passwort vergessen?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Automatisch synchronisieren"> <!ENTITY zotero.preferences.sync.syncAutomatically "Automatisch synchronisieren">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Volltext-Inhalt synchronisieren">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero kann den Volltext-Inhalt von Dateien in Ihrer Zotero-Bibliothek mit zotero.org und anderen verbundenen Geräten synchronisieren. Dies ermöglicht Ihnen, von überall Ihre Dateien zu durchsuchen. Der Volltext-Inhalt Ihrer Dateien wird nicht öffentlich zugänglich gemacht.">
<!ENTITY zotero.preferences.sync.about "Über Synchronisierung"> <!ENTITY zotero.preferences.sync.about "Über Synchronisierung">
<!ENTITY zotero.preferences.sync.fileSyncing "Datei-Synchronisierung"> <!ENTITY zotero.preferences.sync.fileSyncing "Datei-Synchronisierung">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">
@ -126,12 +128,12 @@
<!ENTITY zotero.preferences.prefpane.keys "Tastenkombinationen"> <!ENTITY zotero.preferences.prefpane.keys "Tastenkombinationen">
<!ENTITY zotero.preferences.keys.openZotero "Zotero-Panel öffnen/schließen"> <!ENTITY zotero.preferences.keys.openZotero "Zotero-Panel öffnen/schließen">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "In Zotero speichern (Adressleisten-Symbol)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "Vollbild-Modus an/aus"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Vollbild-Modus an/aus">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Fokus auf Bibliotheksspalte"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Fokus auf Bibliotheksspalte">
<!ENTITY zotero.preferences.keys.quicksearch "Schnellsuche"> <!ENTITY zotero.preferences.keys.quicksearch "Schnellsuche">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Neuen Eintrag erstellen">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Neue Notiz erstellen">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Tag-Selector an/aus"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Tag-Selector an/aus">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Ausgewählte Eintragszitationen in die Zwischenablage kopieren"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Ausgewählte Eintragszitationen in die Zwischenablage kopieren">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Ausgewählte Einträge in die Zwischenablage kopieren"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Ausgewählte Einträge in die Zwischenablage kopieren">

View file

@ -20,16 +20,20 @@ general.tryAgainLater=Bitte in wenigen Minuten erneut versuchen.
general.serverError=Ein Fehler ist aufgetreten. Bitte erneut versuchen. general.serverError=Ein Fehler ist aufgetreten. Bitte erneut versuchen.
general.restartFirefox=Bitte starten Sie %S neu. general.restartFirefox=Bitte starten Sie %S neu.
general.restartFirefoxAndTryAgain=Bitte starten Sie %S neu und versuchen Sie es erneut. general.restartFirefoxAndTryAgain=Bitte starten Sie %S neu und versuchen Sie es erneut.
general.checkForUpdate=Auf Updates überprüfen general.checkForUpdate=Auf Update überprüfen
general.actionCannotBeUndone=Diese Aktion kann nicht rückgängig gemacht werden. general.actionCannotBeUndone=Diese Aktion kann nicht rückgängig gemacht werden.
general.install=Installieren general.install=Installieren
general.updateAvailable=Update verfügbar general.updateAvailable=Update verfügbar
general.noUpdatesFound=Keine Updates gefunden
general.isUpToDate=%S ist auf dem neuesten Stand.
general.upgrade=Upgrade general.upgrade=Upgrade
general.yes=Ja general.yes=Ja
general.no=Nein general.no=Nein
general.notNow=Jetzt nicht
general.passed=Erfolgreich general.passed=Erfolgreich
general.failed=Fehlgeschlagen general.failed=Fehlgeschlagen
general.and=und general.and=und
general.etAl=et al.
general.accessDenied=Zugriff verweigert general.accessDenied=Zugriff verweigert
general.permissionDenied=Erlaubnis verweigert general.permissionDenied=Erlaubnis verweigert
general.character.singular=Zeichen general.character.singular=Zeichen
@ -48,6 +52,8 @@ general.useDefault=Standard benutzen
general.openDocumentation=Dokumentation öffnen general.openDocumentation=Dokumentation öffnen
general.numMore=%S mehr... general.numMore=%S mehr...
general.openPreferences=Einstellungen Öffnen general.openPreferences=Einstellungen Öffnen
general.keys.ctrlShift=Strg+Umschalt+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Zotero ist beschäftigt. general.operationInProgress=Zotero ist beschäftigt.
general.operationInProgress.waitUntilFinished=Bitte warten Sie, bis der Vorgang abgeschlossen ist. general.operationInProgress.waitUntilFinished=Bitte warten Sie, bis der Vorgang abgeschlossen ist.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Bitte warten Sie, bis d
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Schnelleinstieg install.quickStartGuide=Schnelleinstieg
install.quickStartGuide.message.welcome=Willkommen bei Zotero! install.quickStartGuide.message.welcome=Willkommen bei Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero kann nicht nicht auf Ihre Login-Informa
sync.error.loginManagerCorrupted2=Schließen Sie %S, legen Sie ein Backup an und löschen Sie signons.* aus Ihrem %S-Profilordner. Geben Sie dann Ihre Logindaten erneut im Sync-Reiter der Zotero-Einstellungen ein. sync.error.loginManagerCorrupted2=Schließen Sie %S, legen Sie ein Backup an und löschen Sie signons.* aus Ihrem %S-Profilordner. Geben Sie dann Ihre Logindaten erneut im Sync-Reiter der Zotero-Einstellungen ein.
sync.error.syncInProgress=Ein Sync-Vorgang läuft bereits. sync.error.syncInProgress=Ein Sync-Vorgang läuft bereits.
sync.error.syncInProgress.wait=Warten Sie, bis der aktuelle Sync-Vorgang abgeschlossen ist, oder starten Sie Firefox neu. sync.error.syncInProgress.wait=Warten Sie, bis der aktuelle Sync-Vorgang abgeschlossen ist, oder starten Sie Firefox neu.
sync.error.writeAccessLost=Sie haben keine Schreibberechtigung mehr für die Zotero-Gruppe '%S', und die Dateien, die Sie hinzugefügt oder bearbeitet haben, können nicht mit dem Server synchronisiert werden. sync.error.writeAccessLost=Sie haben keine Schreibberechtigung mehr für die Zotero-Gruppe '%S', und die Einträge, die Sie hinzugefügt oder bearbeitet haben, können nicht mit dem Server synchronisiert werden.
sync.error.groupWillBeReset=Wenn Sie fortfahren, wird Ihre Kopie der Gruppe zurückgesetzt auf den Stand auf dem Server und lokale Veränderungen und Dateien gehen verloren. sync.error.groupWillBeReset=Wenn Sie fortfahren, wird Ihre Kopie der Gruppe zurückgesetzt auf den Stand auf dem Server und lokale Veränderungen und Dateien gehen verloren.
sync.error.copyChangedItems=Wenn Sie Ihre Änderungen an einen anderen Ort kopieren oder sich vom Gruppenadministrator Schreibrechte erbitten wollen, brechen Sie die Synchronisierung jetzt ab. sync.error.copyChangedItems=Wenn Sie Ihre Änderungen an einen anderen Ort kopieren oder sich vom Gruppenadministrator Schreibrechte erbitten wollen, brechen Sie die Synchronisierung jetzt ab.
sync.error.manualInterventionRequired=Eine automatische Synchronisierung führte zu einem Konflikt, der manuelles Eingreifen notwendig macht. sync.error.manualInterventionRequired=Eine automatische Synchronisierung führte zu einem Konflikt, der manuelles Eingreifen notwendig macht.
@ -808,6 +815,11 @@ sync.status.uploadingData=Daten zum Sync-Server hochladen
sync.status.uploadAccepted=Upload akzeptiert \u2014 warte auf Sync-Server sync.status.uploadAccepted=Upload akzeptiert \u2014 warte auf Sync-Server
sync.status.syncingFiles=Synchronisiere Dateien sync.status.syncingFiles=Synchronisiere Dateien
sync.fulltext.upgradePrompt.title=Neu: Volltext-Synchronisierung
sync.fulltext.upgradePrompt.text=Zotero kann jetzt die Volltext-Inhalte der Dateien in Ihren Zotero-Bibliotheken mit zotero.org und anderen verbundenen Geräten synchronisieren. Dies ermöglicht Ihnen, Ihre Dateien zu durchsuchen, egal wo sie sind. Die Volltext-Inhalte Ihrer Dateien werden nicht öffentlich zugänglich gemacht.
sync.fulltext.upgradePrompt.changeLater=Sie können diese Einstellung später im Sync-Reiter der Zotero-Einstellungen ändern.
sync.fulltext.upgradePrompt.enable=Volltext-Synchronisierung verwenden
sync.storage.mbRemaining=%SMB verbleibend sync.storage.mbRemaining=%SMB verbleibend
sync.storage.kbRemaining=%SKB verbleibend sync.storage.kbRemaining=%SKB verbleibend
sync.storage.filesRemaining=%1$S/%2$S Dateien sync.storage.filesRemaining=%1$S/%2$S Dateien
@ -934,13 +946,14 @@ locate.manageLocateEngines=Lookup-Engines einrichten...
standalone.corruptInstallation=Ihre Installation von Zotero Standalone scheint aufgrund eines fehlgeschlagenen automatischen Updates beschädigt worden zu sein. Zotero funktioniert eventuell weiterhin, aber Sie sollten die aktuellste Version von Zotero Standalone von http://zotero.org/support/standalone so bald wie möglich herunterladen, um potentielle Probleme zu vermeiden. standalone.corruptInstallation=Ihre Installation von Zotero Standalone scheint aufgrund eines fehlgeschlagenen automatischen Updates beschädigt worden zu sein. Zotero funktioniert eventuell weiterhin, aber Sie sollten die aktuellste Version von Zotero Standalone von http://zotero.org/support/standalone so bald wie möglich herunterladen, um potentielle Probleme zu vermeiden.
standalone.addonInstallationFailed.title=Installation der Erweiterung fehlgeschlagen standalone.addonInstallationFailed.title=Installation der Erweiterung fehlgeschlagen
standalone.addonInstallationFailed.body=Die Erweiterung "%S" konnte nicht installiert werden. Sie ist eventuell inkompatibel mit dieser Version von Zotero Standalone. standalone.addonInstallationFailed.body=Die Erweiterung "%S" konnte nicht installiert werden. Sie ist eventuell inkompatibel mit dieser Version von Zotero Standalone.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=Sie führen anscheinend Zotero Standalone als Benutzer "root" aus. Dies ist nicht sicher und kann dazu führen, dass Zotero nicht funktioniert, wenn es von ihrem Benutzerkonto aus gestartet wird.\n\nWenn Sie ein automatisches Update installieren wollen, ändern Sie die Zugriffsrechte auf das Zotero-Programmverzeichnis so, dass ihr Benutzerkonto Schreibrechte auf das Verzeichnis hat.
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Abbrechen
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Weiter
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=Ein empfohlenes Update ist verfügbar, aber Sie besitzen nicht die notwendigen Rechte zur Installation. Für automatische Updates ändern Sie die Zugriffsrechte auf das Zotero-Programmverzeichnis so, dass ihr Benutzerkonto Schreibrechte auf das Verzeichnis hat.
connector.error.title=Zotero-Connector-Fehler connector.error.title=Zotero-Connector-Fehler
connector.standaloneOpen=Zugriff auf Ihre Datenbank nicht möglich, da Zotero Standalone im Moment läuft. Bitte betrachten Sie Ihre Einträge in Zotero Standalone. connector.standaloneOpen=Zugriff auf Ihre Datenbank nicht möglich, da Zotero Standalone im Moment läuft. Bitte betrachten Sie Ihre Einträge in Zotero Standalone.
connector.loadInProgress=Zotero Standalone wurde gestartet, aber es ist kein Zugriff möglich. Wenn ein Fehler beim Öffnen von Zotero Standalone auftritt, starten Sie Firefox erneut.
firstRunGuidance.saveIcon=Zotero erkennt einen Eintrag auf dieser Seite. Klicken Sie auf das Icon in der Addressleiste, um diesen Eintrag in Ihrer Zotero-Bibliothek zu speichern. firstRunGuidance.saveIcon=Zotero erkennt einen Eintrag auf dieser Seite. Klicken Sie auf das Icon in der Addressleiste, um diesen Eintrag in Ihrer Zotero-Bibliothek zu speichern.
firstRunGuidance.authorMenu=Zotero ermöglicht es Ihnen, auch Herausgeber und Übersetzer anzugeben. Sie können einen Autor zum Übersetzer machen, indem Sie in diesem Menü die entsprechende Auswahl treffen. firstRunGuidance.authorMenu=Zotero ermöglicht es Ihnen, auch Herausgeber und Übersetzer anzugeben. Sie können einen Autor zum Übersetzer machen, indem Sie in diesem Menü die entsprechende Auswahl treffen.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators"> <!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded RIS/Refer files"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages"> <!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items">
<!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings"> <!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Create Account"> <!ENTITY zotero.preferences.sync.createAccount "Create Account">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Lost Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.fileSyncing "File Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -20,16 +20,20 @@ general.tryAgainLater=Please try again in a few minutes.
general.serverError=The server returned an error. Please try again. general.serverError=The server returned an error. Please try again.
general.restartFirefox=Please restart Firefox. general.restartFirefox=Please restart Firefox.
general.restartFirefoxAndTryAgain=Please restart Firefox and try again. general.restartFirefoxAndTryAgain=Please restart Firefox and try again.
general.checkForUpdate=Check for update general.checkForUpdate=Check for Update
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=This action cannot be undone.
general.install=Install general.install=Install
general.updateAvailable=Update Available general.updateAvailable=Update Available
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Upgrade general.upgrade=Upgrade
general.yes=Yes general.yes=Yes
general.no=No general.no=No
general.notNow=Not Now
general.passed=Passed general.passed=Passed
general.failed=Failed general.failed=Failed
general.and=and general.and=and
general.etAl=et al.
general.accessDenied=Access Denied general.accessDenied=Access Denied
general.permissionDenied=Permission Denied general.permissionDenied=Permission Denied
general.character.singular=character general.character.singular=character
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero operation is currently in progress. general.operationInProgress=A Zotero operation is currently in progress.
general.operationInProgress.waitUntilFinished=Please wait until it has finished. general.operationInProgress.waitUntilFinished=Please wait until it has finished.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Please wait until it ha
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=Welcome to Zotero! install.quickStartGuide.message.welcome=Welcome to Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Create Account"> <!ENTITY zotero.preferences.sync.createAccount "Create Account">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Lost Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.fileSyncing "File Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -20,13 +20,16 @@ general.tryAgainLater = Please try again in a few minutes.
general.serverError = The server returned an error. Please try again. general.serverError = The server returned an error. Please try again.
general.restartFirefox = Please restart %S. general.restartFirefox = Please restart %S.
general.restartFirefoxAndTryAgain = Please restart %S and try again. general.restartFirefoxAndTryAgain = Please restart %S and try again.
general.checkForUpdate = Check for update general.checkForUpdate = Check for Update
general.actionCannotBeUndone = This action cannot be undone. general.actionCannotBeUndone = This action cannot be undone.
general.install = Install general.install = Install
general.updateAvailable = Update Available general.updateAvailable = Update Available
general.noUpdatesFound = No Updates Found
general.isUpToDate = %S is up to date.
general.upgrade = Upgrade general.upgrade = Upgrade
general.yes = Yes general.yes = Yes
general.no = No general.no = No
general.notNow = Not Now
general.passed = Passed general.passed = Passed
general.failed = Failed general.failed = Failed
general.and = and general.and = and
@ -59,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain = Please wait until it
punctuation.openingQMark = " punctuation.openingQMark = "
punctuation.closingQMark = " punctuation.closingQMark = "
punctuation.colon = : punctuation.colon = :
punctuation.ellipsis =
install.quickStartGuide = Zotero Quick Start Guide install.quickStartGuide = Zotero Quick Start Guide
install.quickStartGuide.message.welcome = Welcome to Zotero! install.quickStartGuide.message.welcome = Welcome to Zotero!
@ -756,12 +760,12 @@ sync.error.invalidLogin.text = The Zotero sync server did not accept your usern
sync.error.enterPassword = Please enter a password. sync.error.enterPassword = Please enter a password.
sync.error.loginManagerInaccessible = Zotero cannot access your login information. sync.error.loginManagerInaccessible = Zotero cannot access your login information.
sync.error.checkMasterPassword = If you are using a master password in %S, make sure you have entered it successfully. sync.error.checkMasterPassword = If you are using a master password in %S, make sure you have entered it successfully.
sync.error.corruptedLoginManager = This could also be due to a corrupted %1$S login manager database. To check, close %1$S, back up and delete signons.* from your %1$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.corruptedLoginManager = This could also be due to a corrupted %1$S login manager database. To check, close %1$S, remove signons.sqlite from your %1$S profile directory, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.loginManagerCorrupted1 = Zotero cannot access your login information, possibly due to a corrupted %S login manager database. sync.error.loginManagerCorrupted1 = Zotero cannot access your login information, possibly due to a corrupted %S login manager database.
sync.error.loginManagerCorrupted2 = Close %1$S, back up and delete signons.* from your %2$S profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2 = Close %1$S, remove signons.sqlite from your %2$S profile directory, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress = A sync operation is already in progress. sync.error.syncInProgress = A sync operation is already in progress.
sync.error.syncInProgress.wait = Wait for the previous sync to complete or restart %S. sync.error.syncInProgress.wait = Wait for the previous sync to complete or restart %S.
sync.error.writeAccessLost = You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost = You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset = If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset = If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems = If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems = If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired = Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired = Conflicts have suspended automatic syncing.
@ -811,6 +815,11 @@ sync.status.uploadingData = Uploading data to sync server
sync.status.uploadAccepted = Upload accepted \u2014 waiting for sync server sync.status.uploadAccepted = Upload accepted \u2014 waiting for sync server
sync.status.syncingFiles = Syncing files sync.status.syncingFiles = Syncing files
sync.fulltext.upgradePrompt.title = New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text = Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater = You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable = Use Full-Text Syncing
sync.storage.mbRemaining = %SMB remaining sync.storage.mbRemaining = %SMB remaining
sync.storage.kbRemaining = %SKB remaining sync.storage.kbRemaining = %SKB remaining
sync.storage.filesRemaining = %1$S/%2$S files sync.storage.filesRemaining = %1$S/%2$S files
@ -944,6 +953,7 @@ standalone.updateMessage = A recommended update is available, but you do not h
connector.error.title = Zotero Connector Error connector.error.title = Zotero Connector Error
connector.standaloneOpen = Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen = Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress = Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon = Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon = Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu = Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu = Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -22,12 +22,12 @@
<!ENTITY zotero.preferences.fontSize.notes "Tamaño de letra en las notas:"> <!ENTITY zotero.preferences.fontSize.notes "Tamaño de letra en las notas:">
<!ENTITY zotero.preferences.miscellaneous "Miscelánea"> <!ENTITY zotero.preferences.miscellaneous "Miscelánea">
<!ENTITY zotero.preferences.autoUpdate "Automatically check for updated translators and styles"> <!ENTITY zotero.preferences.autoUpdate "Automáticamente comprobar si hay traductores y estilos actualizados ">
<!ENTITY zotero.preferences.updateNow "Hacerlo ahora"> <!ENTITY zotero.preferences.updateNow "Hacerlo ahora">
<!ENTITY zotero.preferences.reportTranslationFailure "Informar de fallos en los traductores de página"> <!ENTITY zotero.preferences.reportTranslationFailure "Informar de fallos en los traductores de página">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permitir que zotero.org personalice contenido basándose en la versión actual de Zotero"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permitir que zotero.org personalice contenido basándose en la versión actual de Zotero">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si se activa, la versión actual de Zotero se añadirá a las peticiones HTTP a zotero.org"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si se activa, la versión actual de Zotero se añadirá a las peticiones HTTP a zotero.org">
<!ENTITY zotero.preferences.parseRISRefer "Usar Zotero para los archivos RIS/Refer descargados"> <!ENTITY zotero.preferences.parseRISRefer "Utilizar Zotero para los archivos descargados en formato BibTeX/RIS/Refer">
<!ENTITY zotero.preferences.automaticSnapshots "Tomar instantáneas automáticamente al crear elementos a partir de páginas Web"> <!ENTITY zotero.preferences.automaticSnapshots "Tomar instantáneas automáticamente al crear elementos a partir de páginas Web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Adjuntar automáticamente los archivos PDF y de otros tipos al guardar elementos"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Adjuntar automáticamente los archivos PDF y de otros tipos al guardar elementos">
<!ENTITY zotero.preferences.automaticTags "Marcar elementos automáticamente con palabras clave y cabeceras de asunto"> <!ENTITY zotero.preferences.automaticTags "Marcar elementos automáticamente con palabras clave y cabeceras de asunto">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Crear cuenta"> <!ENTITY zotero.preferences.sync.createAccount "Crear cuenta">
<!ENTITY zotero.preferences.sync.lostPassword "¿Olvidó su contraseña?"> <!ENTITY zotero.preferences.sync.lostPassword "¿Olvidó su contraseña?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sincronizar automáticamente"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sincronizar automáticamente">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Acerca de la sincronización"> <!ENTITY zotero.preferences.sync.about "Acerca de la sincronización">
<!ENTITY zotero.preferences.sync.fileSyncing "Sincronización de archivos"> <!ENTITY zotero.preferences.sync.fileSyncing "Sincronización de archivos">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">
@ -126,12 +128,12 @@
<!ENTITY zotero.preferences.prefpane.keys "Atajos de teclado"> <!ENTITY zotero.preferences.prefpane.keys "Atajos de teclado">
<!ENTITY zotero.preferences.keys.openZotero "Abrir/cerrar el panel de Zotero"> <!ENTITY zotero.preferences.keys.openZotero "Abrir/cerrar el panel de Zotero">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "Guardar en Zotero (ícono de la barra de direcciones)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "Conmutar el modo de pantalla completa"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Conmutar el modo de pantalla completa">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Enfocar el panel de bibliotecas"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Enfocar el panel de bibliotecas">
<!ENTITY zotero.preferences.keys.quicksearch "Búsqueda rápida"> <!ENTITY zotero.preferences.keys.quicksearch "Búsqueda rápida">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Crear un New Item">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Crear una Nueva nota">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Conmutar el selector de marcas"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Conmutar el selector de marcas">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copiar las citas para los ítems seleccionados al portapapeles"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copiar las citas para los ítems seleccionados al portapapeles">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copiar los ítems seleccionados al portapapeles"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copiar los ítems seleccionados al portapapeles">

View file

@ -54,7 +54,7 @@
<!ENTITY selectAllCmd.label "Seleccionar todo"> <!ENTITY selectAllCmd.label "Seleccionar todo">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A"> <!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "Preferencias">
<!ENTITY preferencesCmd.accesskey "O"> <!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "Preferencias"> <!ENTITY preferencesCmdUnix.label "Preferencias">
<!ENTITY preferencesCmdUnix.accesskey "n"> <!ENTITY preferencesCmdUnix.accesskey "n">

View file

@ -20,16 +20,20 @@ general.tryAgainLater=Por favor inténtalo en unos minutos.
general.serverError=El servidor devolvió un error. Por favor inténtalo de nuevo. general.serverError=El servidor devolvió un error. Por favor inténtalo de nuevo.
general.restartFirefox=Por favor reinicia %S. general.restartFirefox=Por favor reinicia %S.
general.restartFirefoxAndTryAgain=Por favor reinicia %S y prueba de nuevo. general.restartFirefoxAndTryAgain=Por favor reinicia %S y prueba de nuevo.
general.checkForUpdate=Comprobar si hay actualizaciones general.checkForUpdate=Buscar actualizaciones
general.actionCannotBeUndone=Esta acción no puede deshacerse. general.actionCannotBeUndone=Esta acción no puede deshacerse.
general.install=Instalar general.install=Instalar
general.updateAvailable=Actualización disponible general.updateAvailable=Actualización disponible
general.noUpdatesFound=No hay actualizaciones.
general.isUpToDate=%S está actualizado.
general.upgrade=Actualizar general.upgrade=Actualizar
general.yes= general.yes=
general.no=No general.no=No
general.notNow=no ahora
general.passed=Superado general.passed=Superado
general.failed=Fallido general.failed=Fallido
general.and=y general.and=y
general.etAl=et al.
general.accessDenied=Acceso denegado general.accessDenied=Acceso denegado
general.permissionDenied=Permiso denegado general.permissionDenied=Permiso denegado
general.character.singular=carácter general.character.singular=carácter
@ -48,6 +52,8 @@ general.useDefault=Usar predeterminado
general.openDocumentation=Abrir documentación general.openDocumentation=Abrir documentación
general.numMore=%S más… general.numMore=%S más…
general.openPreferences=Abrir preferencias general.openPreferences=Abrir preferencias
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Una operación de Zotero se encuentra en progreso. general.operationInProgress=Una operación de Zotero se encuentra en progreso.
general.operationInProgress.waitUntilFinished=Espera hasta que termine. general.operationInProgress.waitUntilFinished=Espera hasta que termine.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Espera hasta que termin
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Guía rápida install.quickStartGuide=Guía rápida
install.quickStartGuide.message.welcome=¡Bienvenido a Zotero! install.quickStartGuide.message.welcome=¡Bienvenido a Zotero!
@ -531,7 +538,7 @@ zotero.preferences.search.clearNonLinkedURLs=Vaciar todo excepto los enlaces web
zotero.preferences.search.indexUnindexed=Indizar los ítems nuevos zotero.preferences.search.indexUnindexed=Indizar los ítems nuevos
zotero.preferences.search.pdf.toolRegistered=%S está instalado zotero.preferences.search.pdf.toolRegistered=%S está instalado
zotero.preferences.search.pdf.toolNotRegistered=%S NO está instalado zotero.preferences.search.pdf.toolNotRegistered=%S NO está instalado
zotero.preferences.search.pdf.toolsRequired=El indizado de PDF require las utilidades %1$S y %2%S del proyecto %3$S. zotero.preferences.search.pdf.toolsRequired=El indizado de PDF require las utilidades %1$S y %2$S del proyecto %3$S.
zotero.preferences.search.pdf.automaticInstall=Zotero puede descargar e instalar automáticamente estas aplicaciones desde zotero.org en ciertas plataformas. zotero.preferences.search.pdf.automaticInstall=Zotero puede descargar e instalar automáticamente estas aplicaciones desde zotero.org en ciertas plataformas.
zotero.preferences.search.pdf.advancedUsers=Usuarios avanzados: véase el %S para instrucciones de instalación manual. zotero.preferences.search.pdf.advancedUsers=Usuarios avanzados: véase el %S para instrucciones de instalación manual.
zotero.preferences.search.pdf.documentationLink=documentación zotero.preferences.search.pdf.documentationLink=documentación
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero no puede acceder a su información de r
sync.error.loginManagerCorrupted2=Cierra %1$S, haz copia de seguridad y borra signons.* de tu perfil %2$S, y reintroduce tu información de inicio de sesión en Zotero en el panel Sincronización de las preferencias de Zotero. sync.error.loginManagerCorrupted2=Cierra %1$S, haz copia de seguridad y borra signons.* de tu perfil %2$S, y reintroduce tu información de inicio de sesión en Zotero en el panel Sincronización de las preferencias de Zotero.
sync.error.syncInProgress=Una operación de sincronización ya está en marcha. sync.error.syncInProgress=Una operación de sincronización ya está en marcha.
sync.error.syncInProgress.wait=Espera a que se complete la sincronización anterior o reinicia %S. sync.error.syncInProgress.wait=Espera a que se complete la sincronización anterior o reinicia %S.
sync.error.writeAccessLost=Ya no posees permiso para escribir en el grupo Zotero '%S', y los archivos que has agregado o editado no pueden ser sincronizados con el servidor. sync.error.writeAccessLost=Ya no posee derecho de escritura en el grupo Zotero '%S', y los ítems que agregó o editó no puede ser sincronizado con el servidor.
sync.error.groupWillBeReset=Si continúas, tu copia del grupo reajustará su estado en el servidor, y las modificaciones locales a los ítems y archivos se perderán. sync.error.groupWillBeReset=Si continúas, tu copia del grupo reajustará su estado en el servidor, y las modificaciones locales a los ítems y archivos se perderán.
sync.error.copyChangedItems=Si te gustaría tener la oportunidad de copiar los cambios en otra parte o solicitar acceso de escritura a un administrador de grupo, cancela la sincronización ahora. sync.error.copyChangedItems=Si te gustaría tener la oportunidad de copiar los cambios en otra parte o solicitar acceso de escritura a un administrador de grupo, cancela la sincronización ahora.
sync.error.manualInterventionRequired=Una sincronización automática resultó en un conflicto, lo cual requiere una intervención manual. sync.error.manualInterventionRequired=Una sincronización automática resultó en un conflicto, lo cual requiere una intervención manual.
@ -808,6 +815,11 @@ sync.status.uploadingData=Subiendo los datos al servidor de sincronización
sync.status.uploadAccepted=Subida aceptada — esperando al servidor de sincronización sync.status.uploadAccepted=Subida aceptada — esperando al servidor de sincronización
sync.status.syncingFiles=Sincronizando ficheros sync.status.syncingFiles=Sincronizando ficheros
sync.fulltext.upgradePrompt.title=Nuevo: sincronización del contenido de todo el texto
sync.fulltext.upgradePrompt.text=Zotero ahora puede sincronizar el contenido de todos los textos de sus archivos en sus bibliotecas de Zotero con zotero.org y otros dispositivos conectados, lo que le permite buscar fácilmente en sus archivos desde cualquier lugar. El contenido de texto de los archivos no será compartida públicamente.
sync.fulltext.upgradePrompt.changeLater=Puede cambiar esta configuración posteriormente desde el panel Sincronizar dentro de las preferencias de Zotero
sync.fulltext.upgradePrompt.enable=Usar sincronización de texto completo
sync.storage.mbRemaining=%SMB restantes sync.storage.mbRemaining=%SMB restantes
sync.storage.kbRemaining=%SKB restantes sync.storage.kbRemaining=%SKB restantes
sync.storage.filesRemaining=%1$S/%2$S archivos sync.storage.filesRemaining=%1$S/%2$S archivos
@ -934,13 +946,14 @@ locate.manageLocateEngines=Gestionar motores de búsqueda...
standalone.corruptInstallation=Tu instalación Zotero parece estar corrupta debido a una fallida auto-actualización. Aunque Zotero puede seguir funcionando, para evitar posibles errores, por favor, descarga la última versión de Zotero en http://zotero.org/support/standalone tan pronto como sea posible. standalone.corruptInstallation=Tu instalación Zotero parece estar corrupta debido a una fallida auto-actualización. Aunque Zotero puede seguir funcionando, para evitar posibles errores, por favor, descarga la última versión de Zotero en http://zotero.org/support/standalone tan pronto como sea posible.
standalone.addonInstallationFailed.title=Instalación de complemento fallida standalone.addonInstallationFailed.title=Instalación de complemento fallida
standalone.addonInstallationFailed.body=El complemento "%S" no puede ser instalado. Puede ser incompatible con esta versión de Zotero Standalone. standalone.addonInstallationFailed.body=El complemento "%S" no puede ser instalado. Puede ser incompatible con esta versión de Zotero Standalone.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=Parece que está utilizando Zotero como root. Esta situación es insegura y puede prevenir a Zotero de funcionar cuando es lanzado desde su cuenta de usuario.\n \n si deseo instalar una actualización automática, modifique la carpeta de programa Zotero de poseer derechos de escritura a su cuenta de usuario.
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Salir
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Continuar
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=Una actualización recomendada está disponible, pero no posee permisos para instalarla. Para actualizar automáticamente, modifique el directorio del programa Zotero para tener permiso de escritura a su cuenta de usuario.
connector.error.title=Error de conector Zotero connector.error.title=Error de conector Zotero
connector.standaloneOpen=No se puede acceder a tu base de datos debido a que Zotero Standalone está abierto. Por favor, mira tus ítems en Zotero Standalone. connector.standaloneOpen=No se puede acceder a tu base de datos debido a que Zotero Standalone está abierto. Por favor, mira tus ítems en Zotero Standalone.
connector.loadInProgress=Zotero autónomo fue lanzado, pero no está accesible. Si ha experimentado un error al abrir Zotero autónomo, reinicie Firefox.
firstRunGuidance.saveIcon=Zotero ha reconocido una referencia en esta página. Pulse este icono en la barra de direcciones para guardar la referencia en tu bibliografía de Zotero. firstRunGuidance.saveIcon=Zotero ha reconocido una referencia en esta página. Pulse este icono en la barra de direcciones para guardar la referencia en tu bibliografía de Zotero.
firstRunGuidance.authorMenu=Zotero te permite también especificar editores y traductores. Puedes cambiar el rol de autor a editor o traductor seleccionándolo desde este menú. firstRunGuidance.authorMenu=Zotero te permite también especificar editores y traductores. Puedes cambiar el rol de autor a editor o traductor seleccionándolo desde este menú.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Anda teada vigastest tõlkijatest"> <!ENTITY zotero.preferences.reportTranslationFailure "Anda teada vigastest tõlkijatest">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Lubada zotero.org modifitseerida sisu vastavalt Zotero versioonile"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Lubada zotero.org modifitseerida sisu vastavalt Zotero versioonile">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Kui valitud, siis praegune Zotero versioon lisatakse HTTP päringutele zotero.org-ist."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Kui valitud, siis praegune Zotero versioon lisatakse HTTP päringutele zotero.org-ist.">
<!ENTITY zotero.preferences.parseRISRefer "Kasutada Zoterot RIS/Refer failide avamiseks"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Teha momentülesvõtted kui luuakse kirjeid lehekülgedest"> <!ENTITY zotero.preferences.automaticSnapshots "Teha momentülesvõtted kui luuakse kirjeid lehekülgedest">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Kirje lisamisel salvestada automaatselt seotud PDF-id ja teised elemendid"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Kirje lisamisel salvestada automaatselt seotud PDF-id ja teised elemendid">
<!ENTITY zotero.preferences.automaticTags "Lisada automaatselt märksõnad ja teemapealkirjad lipikutesse"> <!ENTITY zotero.preferences.automaticTags "Lisada automaatselt märksõnad ja teemapealkirjad lipikutesse">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Loo kasutaja"> <!ENTITY zotero.preferences.sync.createAccount "Loo kasutaja">
<!ENTITY zotero.preferences.sync.lostPassword "Salasõna kadunud?"> <!ENTITY zotero.preferences.sync.lostPassword "Salasõna kadunud?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sünkroonida automaatselt"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sünkroonida automaatselt">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Sünkroonimise kohta"> <!ENTITY zotero.preferences.sync.about "Sünkroonimise kohta">
<!ENTITY zotero.preferences.sync.fileSyncing "Failide sünkroonimine"> <!ENTITY zotero.preferences.sync.fileSyncing "Failide sünkroonimine">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Uuenduste kontrollimine
general.actionCannotBeUndone=Seda ei saa tagasi võtta. general.actionCannotBeUndone=Seda ei saa tagasi võtta.
general.install=Paigaldus general.install=Paigaldus
general.updateAvailable=Uuendus saadaval general.updateAvailable=Uuendus saadaval
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Uuendada general.upgrade=Uuendada
general.yes=Jah general.yes=Jah
general.no=Ei general.no=Ei
general.notNow=Not Now
general.passed=Õnnestunud general.passed=Õnnestunud
general.failed=Ebaõnnestunud general.failed=Ebaõnnestunud
general.and=ja general.and=ja
general.etAl=et al.
general.accessDenied=Ligipääs keelatud general.accessDenied=Ligipääs keelatud
general.permissionDenied=Juurdepääs keelatud general.permissionDenied=Juurdepääs keelatud
general.character.singular=tähemärk general.character.singular=tähemärk
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Dokumentatsiooni avamine general.openDocumentation=Dokumentatsiooni avamine
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Zotero parajasti toimetab. general.operationInProgress=Zotero parajasti toimetab.
general.operationInProgress.waitUntilFinished=Palun oodake kuni see lõpeb. general.operationInProgress.waitUntilFinished=Palun oodake kuni see lõpeb.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Palun oodake kuni see l
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Lühiülevaade install.quickStartGuide=Lühiülevaade
install.quickStartGuide.message.welcome=Tere tulemast Zoterosse! install.quickStartGuide.message.welcome=Tere tulemast Zoterosse!
@ -808,6 +815,11 @@ sync.status.uploadingData=Andmete laadimine serverisse
sync.status.uploadAccepted=Suhtlus serveriga sync.status.uploadAccepted=Suhtlus serveriga
sync.status.syncingFiles=Andmete sünkroonimine sync.status.syncingFiles=Andmete sünkroonimine
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=jäänud on %SKB sync.storage.kbRemaining=jäänud on %SKB
sync.storage.filesRemaining=%1$S/%2$S faili sync.storage.filesRemaining=%1$S/%2$S faili
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero ühendaja viga connector.error.title=Zotero ühendaja viga
connector.standaloneOpen=Andmebaasiga ei õnnestu kontakteeruda, sest Autonoomne Zotero on parajasti avatud. Palun vaadake oma kirjeid seal. connector.standaloneOpen=Andmebaasiga ei õnnestu kontakteeruda, sest Autonoomne Zotero on parajasti avatud. Palun vaadake oma kirjeid seal.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero tunneb sellel lehel ära viite. Kirje salvestamiseks Zotero baasi vajutage sellele ikoonile brauseri aadressiribal. firstRunGuidance.saveIcon=Zotero tunneb sellel lehel ära viite. Kirje salvestamiseks Zotero baasi vajutage sellele ikoonile brauseri aadressiribal.
firstRunGuidance.authorMenu=Zotero võimaldab määrata ka toimetajaid ja tõlkijaid. Autori saab muuta toimetajaks või tõlkijaks sellest menüüst. firstRunGuidance.authorMenu=Zotero võimaldab määrata ka toimetajaid ja tõlkijaid. Autori saab muuta toimetajaks või tõlkijaks sellest menüüst.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators"> <!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded RIS/Refer files"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Gorde kaptura-irudiak web-orri batetik item bat sortzen duzuenetan"> <!ENTITY zotero.preferences.automaticSnapshots "Gorde kaptura-irudiak web-orri batetik item bat sortzen duzuenetan">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Itema sortzen duzunean, gorde erlaziodun PDF eta bestelako fitxategiak automatikoki "> <!ENTITY zotero.preferences.downloadAssociatedFiles "Itema sortzen duzunean, gorde erlaziodun PDF eta bestelako fitxategiak automatikoki ">
<!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings"> <!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Kontua sortu"> <!ENTITY zotero.preferences.sync.createAccount "Kontua sortu">
<!ENTITY zotero.preferences.sync.lostPassword "Pasahitza ahaztu zaizu?"> <!ENTITY zotero.preferences.sync.lostPassword "Pasahitza ahaztu zaizu?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sinkronizatu automatikoki"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sinkronizatu automatikoki">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "Fitxategiak sinkronizatzea"> <!ENTITY zotero.preferences.sync.fileSyncing "Fitxategiak sinkronizatzea">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Bilatu eguneraketak
general.actionCannotBeUndone=Ekintza hau ezin da atzera egin. general.actionCannotBeUndone=Ekintza hau ezin da atzera egin.
general.install=Instalatu general.install=Instalatu
general.updateAvailable=Eguneraketa eskuragarri general.updateAvailable=Eguneraketa eskuragarri
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Eguneraketa general.upgrade=Eguneraketa
general.yes=Bai general.yes=Bai
general.no=Ez general.no=Ez
general.notNow=Not Now
general.passed=Ongi general.passed=Ongi
general.failed=Huts general.failed=Huts
general.and=eta general.and=eta
general.etAl=et al.
general.accessDenied=Atzipena ukatuta general.accessDenied=Atzipena ukatuta
general.permissionDenied=Baimena ukatuta general.permissionDenied=Baimena ukatuta
general.character.singular=karaktere general.character.singular=karaktere
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Zotero lanean ari da. general.operationInProgress=Zotero lanean ari da.
general.operationInProgress.waitUntilFinished=Itxaren ezazu bukatu arte. general.operationInProgress.waitUntilFinished=Itxaren ezazu bukatu arte.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Itxaron ezazu bukatu ar
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide (ingeleraz) install.quickStartGuide=Quick Start Guide (ingeleraz)
install.quickStartGuide.message.welcome=Welcome to Zotero! install.quickStartGuide.message.welcome=Welcome to Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=Beste Sync ekintza bat burutzen ari da. sync.error.syncInProgress=Beste Sync ekintza bat burutzen ari da.
sync.error.syncInProgress.wait=Itxaron hura bukatu arte eta berrabiarazi Firefox. sync.error.syncInProgress.wait=Itxaron hura bukatu arte eta berrabiarazi Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Datuak zerbitzarira igotzen
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Fitxategiak sinkronizatzen ari... sync.status.syncingFiles=Fitxategiak sinkronizatzen ari...
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB falta dira sync.storage.kbRemaining=%SKB falta dira
sync.storage.filesRemaining=%1$S/%2$S fitxategi sync.storage.filesRemaining=%1$S/%2$S fitxategi
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "گزارش مترجم‌های مشکل‌دار"> <!ENTITY zotero.preferences.reportTranslationFailure "گزارش مترجم‌های مشکل‌دار">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "اجازه به zotero.org برای تنظیم محتوا با توجه به نگارش زوترو"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "اجازه به zotero.org برای تنظیم محتوا با توجه به نگارش زوترو">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "در صورت انتخاب این گزینه، نگارش زوترو در درخواست‌های HTTP به zotero.org گنجانده می‌شود."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "در صورت انتخاب این گزینه، نگارش زوترو در درخواست‌های HTTP به zotero.org گنجانده می‌شود.">
<!ENTITY zotero.preferences.parseRISRefer "استفاده از زوترو برای پرونده‌های RIS/Refer بارگیری شده"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "ساخت خودکار «تصویر لحظه‌ای» در زمان ذخیره صفحات وب"> <!ENTITY zotero.preferences.automaticSnapshots "ساخت خودکار «تصویر لحظه‌ای» در زمان ذخیره صفحات وب">
<!ENTITY zotero.preferences.downloadAssociatedFiles "پیوست خودکار پی‌دی‌اف‌ها و سایر پرونده‌های وابسته در زمان ذخیره آیتم‌ها"> <!ENTITY zotero.preferences.downloadAssociatedFiles "پیوست خودکار پی‌دی‌اف‌ها و سایر پرونده‌های وابسته در زمان ذخیره آیتم‌ها">
<!ENTITY zotero.preferences.automaticTags "برچسب زدن خودکار به آیتم‌ها با استفاده از کلمات کلیدی و موضوع‌ها"> <!ENTITY zotero.preferences.automaticTags "برچسب زدن خودکار به آیتم‌ها با استفاده از کلمات کلیدی و موضوع‌ها">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "ساخت حساب کاربری"> <!ENTITY zotero.preferences.sync.createAccount "ساخت حساب کاربری">
<!ENTITY zotero.preferences.sync.lostPassword "گذرواژه را فراموش کرده‌اید؟"> <!ENTITY zotero.preferences.sync.lostPassword "گذرواژه را فراموش کرده‌اید؟">
<!ENTITY zotero.preferences.sync.syncAutomatically "همزمان‌‌سازی خودکار"> <!ENTITY zotero.preferences.sync.syncAutomatically "همزمان‌‌سازی خودکار">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "درباره همزمان‌‌سازی"> <!ENTITY zotero.preferences.sync.about "درباره همزمان‌‌سازی">
<!ENTITY zotero.preferences.sync.fileSyncing "همزمان‌‌سازی پرونده‌ها"> <!ENTITY zotero.preferences.sync.fileSyncing "همزمان‌‌سازی پرونده‌ها">
<!ENTITY zotero.preferences.sync.fileSyncing.url "آدرس:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "آدرس:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=گشتن به دنبال روزآمد
general.actionCannotBeUndone=این عمل قابل بازگشت نیست. general.actionCannotBeUndone=این عمل قابل بازگشت نیست.
general.install=نصب general.install=نصب
general.updateAvailable=روزآمد موجود است general.updateAvailable=روزآمد موجود است
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=ارتقا general.upgrade=ارتقا
general.yes=بله general.yes=بله
general.no=خیر general.no=خیر
general.notNow=Not Now
general.passed=قبول شد general.passed=قبول شد
general.failed=رد شد general.failed=رد شد
general.and=و general.and=و
general.etAl=et al.
general.accessDenied=دسترسی رد شد general.accessDenied=دسترسی رد شد
general.permissionDenied=اجازه داده نشد general.permissionDenied=اجازه داده نشد
general.character.singular=نویسه general.character.singular=نویسه
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=زوترو در حال انجام کاری است. general.operationInProgress=زوترو در حال انجام کاری است.
general.operationInProgress.waitUntilFinished=لطفا تا زمان اتمام آن صبر کنید. general.operationInProgress.waitUntilFinished=لطفا تا زمان اتمام آن صبر کنید.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=لطفا تا اتما
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=راهنمای سریع زوترو install.quickStartGuide=راهنمای سریع زوترو
install.quickStartGuide.message.welcome=به زوترو خوش آمدید! install.quickStartGuide.message.welcome=به زوترو خوش آمدید!
@ -808,6 +815,11 @@ sync.status.uploadingData=در حال بارگذاری داده‌ها به کا
sync.status.uploadAccepted=بارگذاری پذیرفته شد. \u2014 در انتظار کارگزار همزمان‌‌سازی sync.status.uploadAccepted=بارگذاری پذیرفته شد. \u2014 در انتظار کارگزار همزمان‌‌سازی
sync.status.syncingFiles=در حال همزمان‌‌سازی پرونده‌ها sync.status.syncingFiles=در حال همزمان‌‌سازی پرونده‌ها
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB باقی مانده است sync.storage.kbRemaining=%SKB باقی مانده است
sync.storage.filesRemaining=پرونده‌های %1$S/%2$S sync.storage.filesRemaining=پرونده‌های %1$S/%2$S
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Ilmoita toimimattomista sivutulkeista"> <!ENTITY zotero.preferences.reportTranslationFailure "Ilmoita toimimattomista sivutulkeista">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Anna zotero.orgin muunnella sisältöään nykyisen Zotero-version perusteella"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Anna zotero.orgin muunnella sisältöään nykyisen Zotero-version perusteella">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Käytä Zoteroa ladatuille RIS/Refer-tiedostoille"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Ota tilannekuvat automaattisesti luotaessa nimikettä web-sivusta"> <!ENTITY zotero.preferences.automaticSnapshots "Ota tilannekuvat automaattisesti luotaessa nimikettä web-sivusta">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Liitä automaattisesti asiaankuuluvat PDF:t ja muut tiedostot"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Liitä automaattisesti asiaankuuluvat PDF:t ja muut tiedostot">
<!ENTITY zotero.preferences.automaticTags "Merkitse automaattisesti nimikkeisiin avainsanat ja otsikot"> <!ENTITY zotero.preferences.automaticTags "Merkitse automaattisesti nimikkeisiin avainsanat ja otsikot">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Luo käyttäjätili"> <!ENTITY zotero.preferences.sync.createAccount "Luo käyttäjätili">
<!ENTITY zotero.preferences.sync.lostPassword "Unohditko salasanan?"> <!ENTITY zotero.preferences.sync.lostPassword "Unohditko salasanan?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Synkronoi automaattisesti"> <!ENTITY zotero.preferences.sync.syncAutomatically "Synkronoi automaattisesti">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Tietoa synkronoinnista"> <!ENTITY zotero.preferences.sync.about "Tietoa synkronoinnista">
<!ENTITY zotero.preferences.sync.fileSyncing "Tiedostojen synkronointi"> <!ENTITY zotero.preferences.sync.fileSyncing "Tiedostojen synkronointi">
<!ENTITY zotero.preferences.sync.fileSyncing.url "Osoite:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "Osoite:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Tarkista päivitykset
general.actionCannotBeUndone=Tätä toimintoa ei voi perua. general.actionCannotBeUndone=Tätä toimintoa ei voi perua.
general.install=Asenna general.install=Asenna
general.updateAvailable=Päivitys on saatavana general.updateAvailable=Päivitys on saatavana
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Päivitä general.upgrade=Päivitä
general.yes=Kyllä general.yes=Kyllä
general.no=Ei general.no=Ei
general.notNow=Not Now
general.passed=Onnistui general.passed=Onnistui
general.failed=Epäonnistui general.failed=Epäonnistui
general.and=ja general.and=ja
general.etAl=et al.
general.accessDenied=Pääsy evätty general.accessDenied=Pääsy evätty
general.permissionDenied=Ei riittäviä oikeuksia general.permissionDenied=Ei riittäviä oikeuksia
general.character.singular=kirjain general.character.singular=kirjain
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Avaa käyttöohje general.openDocumentation=Avaa käyttöohje
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Zoteron toimenpide on käynnissä. general.operationInProgress=Zoteron toimenpide on käynnissä.
general.operationInProgress.waitUntilFinished=Odota, kunnes se valmis. general.operationInProgress.waitUntilFinished=Odota, kunnes se valmis.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Odota, kunnes se on val
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=Tervetuloa Zoteroon! install.quickStartGuide.message.welcome=Tervetuloa Zoteroon!
@ -808,6 +815,11 @@ sync.status.uploadingData=Siirretään tietoja synkronointipalvelimelle
sync.status.uploadAccepted=Tiedonsiirto hyväksytty \u2014 odotetaan synkronointipalvelinta sync.status.uploadAccepted=Tiedonsiirto hyväksytty \u2014 odotetaan synkronointipalvelinta
sync.status.syncingFiles=Synkronoidaan tiedostoja sync.status.syncingFiles=Synkronoidaan tiedostoja
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%S kt jäljellä sync.storage.kbRemaining=%S kt jäljellä
sync.storage.filesRemaining=%1$S/%2$S tiedostoa sync.storage.filesRemaining=%1$S/%2$S tiedostoa
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector -ongelma. connector.error.title=Zotero Connector -ongelma.
connector.standaloneOpen=Tietokantaasi ei saada yhteyttä, koska Zotero Standalone on tällä hetkellä auki. Käytä Zotero Standalonea nimikkeidesi tarkasteluun. connector.standaloneOpen=Tietokantaasi ei saada yhteyttä, koska Zotero Standalone on tällä hetkellä auki. Käytä Zotero Standalonea nimikkeidesi tarkasteluun.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero tunnistaa viitteen tällä sivulla. Paina osoitepalkin kuvaketta tallentaaksesi viitteen Zotero-kirjastoon. firstRunGuidance.saveIcon=Zotero tunnistaa viitteen tällä sivulla. Paina osoitepalkin kuvaketta tallentaaksesi viitteen Zotero-kirjastoon.
firstRunGuidance.authorMenu=Zoterossa voit myös määritellä teoksen toimittajat ja kääntäjät. Voit muuttaa kirjoittajan toimittajaksi tai kääntäjäksi tästä valikosta. firstRunGuidance.authorMenu=Zoterossa voit myös määritellä teoksen toimittajat ja kääntäjät. Voit muuttaa kirjoittajan toimittajaksi tai kääntäjäksi tästä valikosta.

View file

@ -22,12 +22,12 @@
<!ENTITY zotero.preferences.fontSize.notes "Taille des caractères des notes :"> <!ENTITY zotero.preferences.fontSize.notes "Taille des caractères des notes :">
<!ENTITY zotero.preferences.miscellaneous "Divers"> <!ENTITY zotero.preferences.miscellaneous "Divers">
<!ENTITY zotero.preferences.autoUpdate "Automatically check for updated translators and styles"> <!ENTITY zotero.preferences.autoUpdate "Vérifier automatiquement les mises à jour des convertisseurs et des styles">
<!ENTITY zotero.preferences.updateNow "Mettre à jour maintenant"> <!ENTITY zotero.preferences.updateNow "Mettre à jour maintenant">
<!ENTITY zotero.preferences.reportTranslationFailure "Signaler les convertisseurs défectueux"> <!ENTITY zotero.preferences.reportTranslationFailure "Signaler les convertisseurs défectueux">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Autoriser zotero.org à personnaliser le contenu en se basant sur la version actuelle de Zotero"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Autoriser zotero.org à personnaliser le contenu en se basant sur la version actuelle de Zotero">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si activé, le numéro de version de Zotero sera ajouté aux requêtes HTTP vers zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si activé, le numéro de version de Zotero sera ajouté aux requêtes HTTP vers zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Utiliser Zotero pour les fichiers RIS/Refer téléchargés"> <!ENTITY zotero.preferences.parseRISRefer "Utiliser Zotero pour les fichiers BibTex, RIS, Refer téléchargés">
<!ENTITY zotero.preferences.automaticSnapshots "Faire une capture automatique de la page lors de la création de documents à partir de pages Web"> <!ENTITY zotero.preferences.automaticSnapshots "Faire une capture automatique de la page lors de la création de documents à partir de pages Web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Joindre automatiquement les fichiers PDF associés lors de l'enregistrement d'un document"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Joindre automatiquement les fichiers PDF associés lors de l'enregistrement d'un document">
<!ENTITY zotero.preferences.automaticTags "Ajouter automatiquement aux documents des marqueurs grâce aux mots-clés et aux rubriques"> <!ENTITY zotero.preferences.automaticTags "Ajouter automatiquement aux documents des marqueurs grâce aux mots-clés et aux rubriques">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Créer un compte"> <!ENTITY zotero.preferences.sync.createAccount "Créer un compte">
<!ENTITY zotero.preferences.sync.lostPassword "Mot de passe oublié ?"> <!ENTITY zotero.preferences.sync.lostPassword "Mot de passe oublié ?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Synchroniser automatiquement"> <!ENTITY zotero.preferences.sync.syncAutomatically "Synchroniser automatiquement">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Synchroniser le texte intégral des pièces jointes indexées">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero peut synchroniser l'intégralité du texte des pièces jointes indexées (PDF et HTML) de vos bibliothèques Zotero avec zotero.org et, ainsi, avec vos autres appareils connectés. Cela vous permet de rechercher facilement dans le contenu de vos fichiers où que vous soyez. Le texte intégral de vos fichiers ne sera pas partagé publiquement.">
<!ENTITY zotero.preferences.sync.about "À propos de la synchronisation"> <!ENTITY zotero.preferences.sync.about "À propos de la synchronisation">
<!ENTITY zotero.preferences.sync.fileSyncing "Synchronisation des fichiers"> <!ENTITY zotero.preferences.sync.fileSyncing "Synchronisation des fichiers">
<!ENTITY zotero.preferences.sync.fileSyncing.url "Adresse (URL) :"> <!ENTITY zotero.preferences.sync.fileSyncing.url "Adresse (URL) :">
@ -81,7 +83,7 @@
<!ENTITY zotero.preferences.prefpane.search "Recherche"> <!ENTITY zotero.preferences.prefpane.search "Recherche">
<!ENTITY zotero.preferences.search.fulltextCache "Cache en texte intégral"> <!ENTITY zotero.preferences.search.fulltextCache "Index du texte intégral">
<!ENTITY zotero.preferences.search.pdfIndexing "Indexation des PDF"> <!ENTITY zotero.preferences.search.pdfIndexing "Indexation des PDF">
<!ENTITY zotero.preferences.search.indexStats "Statistiques d'indexation"> <!ENTITY zotero.preferences.search.indexStats "Statistiques d'indexation">
@ -126,12 +128,12 @@
<!ENTITY zotero.preferences.prefpane.keys "Raccourcis"> <!ENTITY zotero.preferences.prefpane.keys "Raccourcis">
<!ENTITY zotero.preferences.keys.openZotero "Ouvrir/fermer le panneau Zotero"> <!ENTITY zotero.preferences.keys.openZotero "Ouvrir/fermer le panneau Zotero">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "Enregistrer dans Zotero (icône de la barre d'adresse)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "Bascule du mode plein écran"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Bascule du mode plein écran">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Bascule vers le panneau Ma Bibliothèque"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Bascule vers le panneau Ma Bibliothèque">
<!ENTITY zotero.preferences.keys.quicksearch "Recherche rapide"> <!ENTITY zotero.preferences.keys.quicksearch "Recherche rapide">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Créer un nouveau document">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Créer une nouvelle note">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Bascule du sélecteur de marqueurs"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Bascule du sélecteur de marqueurs">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copier les citations du document sélectionné dans le presse-papiers"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copier les citations du document sélectionné dans le presse-papiers">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copier les documents sélectionnés dans le presse-papiers"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copier les documents sélectionnés dans le presse-papiers">

View file

@ -54,7 +54,7 @@
<!ENTITY selectAllCmd.label "Tout sélectionner"> <!ENTITY selectAllCmd.label "Tout sélectionner">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "T"> <!ENTITY selectAllCmd.accesskey "T">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "Préférences">
<!ENTITY preferencesCmd.accesskey "i"> <!ENTITY preferencesCmd.accesskey "i">
<!ENTITY preferencesCmdUnix.label "Préférences"> <!ENTITY preferencesCmdUnix.label "Préférences">
<!ENTITY preferencesCmdUnix.accesskey "f"> <!ENTITY preferencesCmdUnix.accesskey "f">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Rechercher des mises à jour
general.actionCannotBeUndone=Cette action ne peut pas être annulée general.actionCannotBeUndone=Cette action ne peut pas être annulée
general.install=Installer general.install=Installer
general.updateAvailable=Mise à jour disponible general.updateAvailable=Mise à jour disponible
general.noUpdatesFound=Aucune mise à jour trouvée
general.isUpToDate=%S est à jour.
general.upgrade=Mise à niveau general.upgrade=Mise à niveau
general.yes=Oui general.yes=Oui
general.no=Non general.no=Non
general.notNow=Pas maintenant
general.passed=Réussie general.passed=Réussie
general.failed=Échouée general.failed=Échouée
general.and=et general.and=et
general.etAl=et al.
general.accessDenied=Accès refusé general.accessDenied=Accès refusé
general.permissionDenied=Droit refusé general.permissionDenied=Droit refusé
general.character.singular=caractère general.character.singular=caractère
@ -48,6 +52,8 @@ general.useDefault=Utiliser l'emplacement par défaut
general.openDocumentation=Consulter la documentation general.openDocumentation=Consulter la documentation
general.numMore=%S autres… general.numMore=%S autres…
general.openPreferences=Ouvrir les Préférences general.openPreferences=Ouvrir les Préférences
general.keys.ctrlShift=Ctrl+Maj+
general.keys.cmdShift=Cmd+Maj+
general.operationInProgress=Une opération Zotero est actuellement en cours. general.operationInProgress=Une opération Zotero est actuellement en cours.
general.operationInProgress.waitUntilFinished=Veuillez attendre jusqu'à ce qu'elle soit terminée. general.operationInProgress.waitUntilFinished=Veuillez attendre jusqu'à ce qu'elle soit terminée.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Veuillez attendre jusqu
punctuation.openingQMark=«\u0020 punctuation.openingQMark=«\u0020
punctuation.closingQMark=\u0020» punctuation.closingQMark=\u0020»
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Guide rapide pour débuter install.quickStartGuide=Guide rapide pour débuter
install.quickStartGuide.message.welcome=Bienvenue dans Zotero ! install.quickStartGuide.message.welcome=Bienvenue dans Zotero !
@ -466,8 +473,8 @@ save.link.error=Une erreur s'est produite lors de l'enregistrement de ce lien.
save.error.cannotMakeChangesToCollection=Vous ne pouvez pas modifier la collection actuellement sélectionnée. save.error.cannotMakeChangesToCollection=Vous ne pouvez pas modifier la collection actuellement sélectionnée.
save.error.cannotAddFilesToCollection=Vous ne pouvez pas ajouter des fichiers à la collection actuellement sélectionnée. save.error.cannotAddFilesToCollection=Vous ne pouvez pas ajouter des fichiers à la collection actuellement sélectionnée.
ingester.saveToZotero=Enregistrer vers Zotero ingester.saveToZotero=Enregistrer dans Zotero
ingester.saveToZoteroUsing=Enregistrer vers Zotero en utilisant "%S" ingester.saveToZoteroUsing=Enregistrer dans Zotero en utilisant "%S"
ingester.scraping=Enregistrement du document en cours… ingester.scraping=Enregistrement du document en cours…
ingester.scrapingTo=Enregistrer dans ingester.scrapingTo=Enregistrer dans
ingester.scrapeComplete=Document enregistré ingester.scrapeComplete=Document enregistré
@ -548,8 +555,8 @@ zotero.preferences.search.pdf.toolsDownloadError=Une erreur est survenue en essa
zotero.preferences.search.pdf.tryAgainOrViewManualInstructions=Veuillez réessayer plus tard, ou consultez la documentation pour les instructions d'installation manuelle. zotero.preferences.search.pdf.tryAgainOrViewManualInstructions=Veuillez réessayer plus tard, ou consultez la documentation pour les instructions d'installation manuelle.
zotero.preferences.export.quickCopy.bibStyles=Styles bibliographiques zotero.preferences.export.quickCopy.bibStyles=Styles bibliographiques
zotero.preferences.export.quickCopy.exportFormats=Formats d'exportation zotero.preferences.export.quickCopy.exportFormats=Formats d'exportation
zotero.preferences.export.quickCopy.instructions=La copie rapide vous permet de copier les références sélectionnées vers le presse-papiers en appuyant sur les touches %S ou en glissant-déposant les références dans une zone de texte d'une page Web. zotero.preferences.export.quickCopy.instructions=La copie rapide vous permet de copier les références sélectionnées vers le presse-papiers en appuyant sur %S ou en glissant-déposant les références dans une zone de texte (d'une page Web ou d'un traitement de texte).
zotero.preferences.export.quickCopy.citationInstructions=Pour les styles bibliographiques, vous pouvez en outre copier les références sous forme de citations / notes de bas de page avec le raccourci clavier %S ou en maintenant la touche Maj enfoncée pendant que vous glissez-déposez les références. zotero.preferences.export.quickCopy.citationInstructions=En choisissant, ci-dessous, un style bibliographique comme format de sortie par défaut, les références copiées pourront aussi être mises en forme comme une citation dans le texte : grâce au raccourci clavier %S ou en maintenant la touche Majuscule enfoncée pendant que vous glissez-déposez les références.
zotero.preferences.styles.addStyle=Ajouter un style zotero.preferences.styles.addStyle=Ajouter un style
zotero.preferences.advanced.resetTranslatorsAndStyles=Réinitialiser les convertisseurs et les styles zotero.preferences.advanced.resetTranslatorsAndStyles=Réinitialiser les convertisseurs et les styles
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero ne peut pas accéder à vos information
sync.error.loginManagerCorrupted2=Fermez %1$S, sauvegardez signons.* puis supprimez-le de votre profil %2$S, et finalement saisissez à nouveau vos informations de connexion dans le panneau Synchronisation des Préférences de Zotero. sync.error.loginManagerCorrupted2=Fermez %1$S, sauvegardez signons.* puis supprimez-le de votre profil %2$S, et finalement saisissez à nouveau vos informations de connexion dans le panneau Synchronisation des Préférences de Zotero.
sync.error.syncInProgress=Une opération de synchronisation est déjà en cours. sync.error.syncInProgress=Une opération de synchronisation est déjà en cours.
sync.error.syncInProgress.wait=Attendez que la synchronisation précédente soit terminée ou redémarrez %S. sync.error.syncInProgress.wait=Attendez que la synchronisation précédente soit terminée ou redémarrez %S.
sync.error.writeAccessLost=Vous n'avez plus d'accès en écriture au groupe Zotero '%S', et les fichiers que vous avez ajoutés ou modifiés ne peuvent pas être synchronisés sur le serveur. sync.error.writeAccessLost=Vous n'avez plus d'accès en écriture au groupe Zotero '%S', et les documents que vous avez ajoutés ou modifiés ne peuvent pas être synchronisés avec le serveur.
sync.error.groupWillBeReset=Si vous poursuivez, votre copie du groupe sera réinitialisée à son état sur le serveur et les modifications apportées localement aux documents et fichiers seront perdues. sync.error.groupWillBeReset=Si vous poursuivez, votre copie du groupe sera réinitialisée à son état sur le serveur et les modifications apportées localement aux documents et fichiers seront perdues.
sync.error.copyChangedItems=Pour avoir une chance de copier vos modifications ailleurs ou pour demander un accès en écriture à un administrateur du groupe, annulez la synchronisation maintenant. sync.error.copyChangedItems=Pour avoir une chance de copier vos modifications ailleurs ou pour demander un accès en écriture à un administrateur du groupe, annulez la synchronisation maintenant.
sync.error.manualInterventionRequired=Des conflits ont interrompu la synchronisation automatique. sync.error.manualInterventionRequired=Des conflits ont interrompu la synchronisation automatique.
@ -808,6 +815,11 @@ sync.status.uploadingData=Mise en ligne des données vers le serveur de synchron
sync.status.uploadAccepted=Mise en ligne acceptée — en attente du serveur de synchronisation sync.status.uploadAccepted=Mise en ligne acceptée — en attente du serveur de synchronisation
sync.status.syncingFiles=Synchronisation des fichiers en cours sync.status.syncingFiles=Synchronisation des fichiers en cours
sync.fulltext.upgradePrompt.title=Nouveau : synchronisation du texte intégral
sync.fulltext.upgradePrompt.text=Zotero peut désormais synchroniser l'intégralité du texte des pièces jointes indexées (PDF et HTML) de vos bibliothèques Zotero avec zotero.org et, ainsi, avec vos autres appareils connectés. Cela vous permet de rechercher facilement dans le contenu de vos fichiers où que vous soyez. Le texte intégral de vos fichiers ne sera pas partagé publiquement.
sync.fulltext.upgradePrompt.changeLater=Vous pouvez modifier ce paramètre plus tard à partir du panneau Synchronisation des Préférences de Zotero.
sync.fulltext.upgradePrompt.enable=Synchroniser le texte intégral des pièces jointes indexées
sync.storage.mbRemaining=%SMo restant sync.storage.mbRemaining=%SMo restant
sync.storage.kbRemaining=%SKo restant sync.storage.kbRemaining=%SKo restant
sync.storage.filesRemaining=%1$S/%2$S fichiers sync.storage.filesRemaining=%1$S/%2$S fichiers
@ -934,13 +946,14 @@ locate.manageLocateEngines=Gérer les moteurs de recherche…
standalone.corruptInstallation=Votre installation de Zotero Standalone semble être corrompue à cause de l'échec d'une mise à jour automatique. Bien que Zotero puisse continuer à fonctionner, afin d'éviter des bogues potentiels, veuillez télécharger dès que possible la dernière version de Zotero Standalone depuis http://zotero.org/support/standalone standalone.corruptInstallation=Votre installation de Zotero Standalone semble être corrompue à cause de l'échec d'une mise à jour automatique. Bien que Zotero puisse continuer à fonctionner, afin d'éviter des bogues potentiels, veuillez télécharger dès que possible la dernière version de Zotero Standalone depuis http://zotero.org/support/standalone
standalone.addonInstallationFailed.title=Échec de l'installation de l'extension standalone.addonInstallationFailed.title=Échec de l'installation de l'extension
standalone.addonInstallationFailed.body=L'extension "%S" ne peut pas être installée. Elle est peut-être incompatible avec cette version de Zotero Standalone. standalone.addonInstallationFailed.body=L'extension "%S" ne peut pas être installée. Elle est peut-être incompatible avec cette version de Zotero Standalone.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=Il semble que vous exécutiez Zotero Standalone comme super-utilisateur root. C'est dangereux et peut empêcher Zotero de fonctionner lorsque vous le lancez depuis votre compte utilisateur.\n\nSi vous souhaitez installer une mise à jour automatique, modifiez les permissions du répertoire où est installé Zotero afin que votre compte utilisateur ait les droits en écriture.
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Quitter
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Continuer
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=Une mise à jour recommandée est disponible, mais vous n'avez pas la permission de l'installer. Pour mettre à jour automatiquement, modifiez les permissions du répertoire où est installé Zotero afin que votre compte utilisateur ait les droits en écriture.
connector.error.title=Erreur du connecteur Zotero connector.error.title=Erreur du connecteur Zotero
connector.standaloneOpen=Votre base de données est inaccessible car Zotero Standalone est actuellement ouvert. Veuillez visualiser vos documents dans Zotero Standalone. connector.standaloneOpen=Votre base de données est inaccessible car Zotero Standalone est actuellement ouvert. Veuillez visualiser vos documents dans Zotero Standalone.
connector.loadInProgress=Zotero Standalone a été démarré mais n'est pas accessible. Si vous avez rencontré une erreur en ouvrant Zotero Standalone, redémarrez Firefox.
firstRunGuidance.saveIcon=Zotero a détecté une référence sur cette page. Cliquez sur cette icône dans la barre d'adresse pour enregistrer cette référence dans votre bibliothèque Zotero. firstRunGuidance.saveIcon=Zotero a détecté une référence sur cette page. Cliquez sur cette icône dans la barre d'adresse pour enregistrer cette référence dans votre bibliothèque Zotero.
firstRunGuidance.authorMenu=Zotero vous permet également de préciser les éditeurs scientifiques, directeurs de publication et les traducteurs. Vous pouvez changer un auteur en éditeur ou en traducteur en cliquant sur le triangle à gauche de "Auteur". firstRunGuidance.authorMenu=Zotero vous permet également de préciser les éditeurs scientifiques, directeurs de publication et les traducteurs. Vous pouvez changer un auteur en éditeur ou en traducteur en cliquant sur le triangle à gauche de "Auteur".

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Informar de tradutores de sitio rotos"> <!ENTITY zotero.preferences.reportTranslationFailure "Informar de tradutores de sitio rotos">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permitir que zotero.org personalice o contido baseandose na versión actual"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permitir que zotero.org personalice o contido baseandose na versión actual">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Se está activado, a versión actual de Zotero será engadida ás solicitudes HTTP feitas a zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Se está activado, a versión actual de Zotero será engadida ás solicitudes HTTP feitas a zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Usar Zotero para ficheiros RIS/Refer descargados"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Cando se crean elementos a partir de páxinas web facer capturas automaticamente"> <!ENTITY zotero.preferences.automaticSnapshots "Cando se crean elementos a partir de páxinas web facer capturas automaticamente">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Anexar automaticamente os PDFs e outros ficheiros asociados ao gardar os elementos"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Anexar automaticamente os PDFs e outros ficheiros asociados ao gardar os elementos">
<!ENTITY zotero.preferences.automaticTags "Etiquetar automaticamente os elementos con palabras clave e epígrafes temáticos"> <!ENTITY zotero.preferences.automaticTags "Etiquetar automaticamente os elementos con palabras clave e epígrafes temáticos">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Crear unha conta"> <!ENTITY zotero.preferences.sync.createAccount "Crear unha conta">
<!ENTITY zotero.preferences.sync.lostPassword "Esqueceu o contrasinal?"> <!ENTITY zotero.preferences.sync.lostPassword "Esqueceu o contrasinal?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sincronización automática"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sincronización automática">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Acerca da sincronización"> <!ENTITY zotero.preferences.sync.about "Acerca da sincronización">
<!ENTITY zotero.preferences.sync.fileSyncing "Sincronizando o ficheiro"> <!ENTITY zotero.preferences.sync.fileSyncing "Sincronizando o ficheiro">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Comprobar as actualizacións
general.actionCannotBeUndone=Esta acción non se pode desfacer. general.actionCannotBeUndone=Esta acción non se pode desfacer.
general.install=Instalar general.install=Instalar
general.updateAvailable=Actualización dispoñible general.updateAvailable=Actualización dispoñible
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Actualizar general.upgrade=Actualizar
general.yes=Si general.yes=Si
general.no=Non general.no=Non
general.notNow=Not Now
general.passed=Conseguiuse general.passed=Conseguiuse
general.failed=Fallou general.failed=Fallou
general.and=e general.and=e
general.etAl=et al.
general.accessDenied=Acceso denegado general.accessDenied=Acceso denegado
general.permissionDenied=Permiso denegado general.permissionDenied=Permiso denegado
general.character.singular=carácter general.character.singular=carácter
@ -48,6 +52,8 @@ general.useDefault=Usar o predefinido
general.openDocumentation=Abrir a documentación general.openDocumentation=Abrir a documentación
general.numMore=%S máis... general.numMore=%S máis...
general.openPreferences=Abrir as preferencias general.openPreferences=Abrir as preferencias
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Está en marcha unha operación Zotero general.operationInProgress=Está en marcha unha operación Zotero
general.operationInProgress.waitUntilFinished=Agarde ata que teña acabado. general.operationInProgress.waitUntilFinished=Agarde ata que teña acabado.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Agarde ata que teña ac
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Guía de inicio rápido install.quickStartGuide=Guía de inicio rápido
install.quickStartGuide.message.welcome=Benvido a Zotero! install.quickStartGuide.message.welcome=Benvido a Zotero!
@ -808,6 +815,11 @@ sync.status.uploadingData=Enviando datos ao servidor de sincronización
sync.status.uploadAccepted=Carga aceptada \— esperando polo servidor de sincronización sync.status.uploadAccepted=Carga aceptada \— esperando polo servidor de sincronización
sync.status.syncingFiles=Sincronizando ficheiros sync.status.syncingFiles=Sincronizando ficheiros
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB pendentes sync.storage.mbRemaining=%SMB pendentes
sync.storage.kbRemaining=%SkB restantes sync.storage.kbRemaining=%SkB restantes
sync.storage.filesRemaining=ficheiros %1$S/%2$S sync.storage.filesRemaining=ficheiros %1$S/%2$S
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Erro do conector de Zotero connector.error.title=Erro do conector de Zotero
connector.standaloneOpen=A súa base de datos non se puido acceder xa que neste momento está aberto Zotero. Vexa os seus elementos empregando Zotero Standalone. connector.standaloneOpen=A súa base de datos non se puido acceder xa que neste momento está aberto Zotero. Vexa os seus elementos empregando Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero recoñece unha referencia nesta páxina. Faga clic na icona na dirección de barras para gardar esa referencia na súa biblioteca de Zotero. firstRunGuidance.saveIcon=Zotero recoñece unha referencia nesta páxina. Faga clic na icona na dirección de barras para gardar esa referencia na súa biblioteca de Zotero.
firstRunGuidance.authorMenu=Zotero permítelle ademais especificar os editores e tradutores. Escolléndoo neste menú pode asignar a un autor como editor ou tradutor. firstRunGuidance.authorMenu=Zotero permítelle ademais especificar os editores e tradutores. Escolléndoo neste menú pode asignar a un autor como editor ou tradutor.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "דווח על מתרגמי אתרים פגומים"> <!ENTITY zotero.preferences.reportTranslationFailure "דווח על מתרגמי אתרים פגומים">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "השתמש ב-Zotero להורדה של קבצי RIS/Refer"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages"> <!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items">
<!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings"> <!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "נוצר חשבון"> <!ENTITY zotero.preferences.sync.createAccount "נוצר חשבון">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Lost Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.fileSyncing "File Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing.url "קישור:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "קישור:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=בדוק אם יש עידכונים
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=This action cannot be undone.
general.install=התקנה general.install=התקנה
general.updateAvailable=עדכונים זמינים general.updateAvailable=עדכונים זמינים
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=שדרג general.upgrade=שדרג
general.yes=כן general.yes=כן
general.no=לא general.no=לא
general.notNow=Not Now
general.passed=עבר general.passed=עבר
general.failed=נכשל general.failed=נכשל
general.and=and general.and=and
general.etAl=et al.
general.accessDenied=גישה נדחתה general.accessDenied=גישה נדחתה
general.permissionDenied=Permission Denied general.permissionDenied=Permission Denied
general.character.singular=character general.character.singular=character
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero operation is currently in progress. general.operationInProgress=A Zotero operation is currently in progress.
general.operationInProgress.waitUntilFinished=Please wait until it has finished. general.operationInProgress.waitUntilFinished=Please wait until it has finished.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Please wait until it ha
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=!Zotero-ברוכים הבאים ל install.quickStartGuide.message.welcome=!Zotero-ברוכים הבאים ל
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators"> <!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded RIS/Refer files"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages"> <!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items">
<!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings"> <!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Create Account"> <!ENTITY zotero.preferences.sync.createAccount "Create Account">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Lost Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.fileSyncing "File Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -20,16 +20,20 @@ general.tryAgainLater=Please try again in a few minutes.
general.serverError=The server returned an error. Please try again. general.serverError=The server returned an error. Please try again.
general.restartFirefox=Please restart Firefox. general.restartFirefox=Please restart Firefox.
general.restartFirefoxAndTryAgain=Please restart Firefox and try again. general.restartFirefoxAndTryAgain=Please restart Firefox and try again.
general.checkForUpdate=Check for update general.checkForUpdate=Check for Update
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=This action cannot be undone.
general.install=Install general.install=Install
general.updateAvailable=Update Available general.updateAvailable=Update Available
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Upgrade general.upgrade=Upgrade
general.yes=Yes general.yes=Yes
general.no=No general.no=No
general.notNow=Not Now
general.passed=Passed general.passed=Passed
general.failed=Failed general.failed=Failed
general.and=and general.and=and
general.etAl=et al.
general.accessDenied=Access Denied general.accessDenied=Access Denied
general.permissionDenied=Permission Denied general.permissionDenied=Permission Denied
general.character.singular=character general.character.singular=character
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero operation is currently in progress. general.operationInProgress=A Zotero operation is currently in progress.
general.operationInProgress.waitUntilFinished=Please wait until it has finished. general.operationInProgress.waitUntilFinished=Please wait until it has finished.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Please wait until it ha
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Quick Start Guide
install.quickStartGuide.message.welcome=Welcome to Zotero! install.quickStartGuide.message.welcome=Welcome to Zotero!
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Hibás adatkonverterek jelentése"> <!ENTITY zotero.preferences.reportTranslationFailure "Hibás adatkonverterek jelentése">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "A Zotero verziójának megfelelő tartalmak mutatása a zotero.org oldalon"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "A Zotero verziójának megfelelő tartalmak mutatása a zotero.org oldalon">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Ha ez be van kapcsolva, a zotero.orgra küldött HTTP kérésekhez hozzáfűzi a Zotero verzióját."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Ha ez be van kapcsolva, a zotero.orgra küldött HTTP kérésekhez hozzáfűzi a Zotero verzióját.">
<!ENTITY zotero.preferences.parseRISRefer "A Zotero használata RIS/Refer fájlok letöltésére"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Weboldalon alapuló elem létrehozásakor automatikus pillanatfelvétel készítése"> <!ENTITY zotero.preferences.automaticSnapshots "Weboldalon alapuló elem létrehozásakor automatikus pillanatfelvétel készítése">
<!ENTITY zotero.preferences.downloadAssociatedFiles "A kapcsolódó PDF és más fájlok automatikus csatolása"> <!ENTITY zotero.preferences.downloadAssociatedFiles "A kapcsolódó PDF és más fájlok automatikus csatolása">
<!ENTITY zotero.preferences.automaticTags "Kulcsszavak és tárgyszavak automatikus hozzárendelése címkeként"> <!ENTITY zotero.preferences.automaticTags "Kulcsszavak és tárgyszavak automatikus hozzárendelése címkeként">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Új felhasználói fiók"> <!ENTITY zotero.preferences.sync.createAccount "Új felhasználói fiók">
<!ENTITY zotero.preferences.sync.lostPassword "Elveszett jelszó?"> <!ENTITY zotero.preferences.sync.lostPassword "Elveszett jelszó?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Automatikus szinkronizálás"> <!ENTITY zotero.preferences.sync.syncAutomatically "Automatikus szinkronizálás">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.about "About Syncing">
<!ENTITY zotero.preferences.sync.fileSyncing "Fájlok szinkronizálása"> <!ENTITY zotero.preferences.sync.fileSyncing "Fájlok szinkronizálása">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Frissítések keresése
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=This action cannot be undone.
general.install=Telepítés general.install=Telepítés
general.updateAvailable=Van elérhető frissítés general.updateAvailable=Van elérhető frissítés
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Frissítés general.upgrade=Frissítés
general.yes=Igen general.yes=Igen
general.no=Nem general.no=Nem
general.notNow=Not Now
general.passed=Sikeres general.passed=Sikeres
general.failed=Sikertelen general.failed=Sikertelen
general.and=és general.and=és
general.etAl=et al.
general.accessDenied=Access Denied general.accessDenied=Access Denied
general.permissionDenied=Hozzáférés megtagadva general.permissionDenied=Hozzáférés megtagadva
general.character.singular=karakter general.character.singular=karakter
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero dolgozik. general.operationInProgress=A Zotero dolgozik.
general.operationInProgress.waitUntilFinished=Kérjük várjon, amíg a művelet befejeződik. general.operationInProgress.waitUntilFinished=Kérjük várjon, amíg a művelet befejeződik.
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Kérjük várjon, amíg
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Használati útmutató install.quickStartGuide=Használati útmutató
install.quickStartGuide.message.welcome=Üdvözli a Zotero! install.quickStartGuide.message.welcome=Üdvözli a Zotero!
@ -808,6 +815,11 @@ sync.status.uploadingData=Adatok feltöltése a szinkronizációs szerverre
sync.status.uploadAccepted=A feltöltés elfogadva — várakozás a szinkronizációs szerverre sync.status.uploadAccepted=A feltöltés elfogadva — várakozás a szinkronizációs szerverre
sync.status.syncingFiles=Fájlok szinkronizálása sync.status.syncingFiles=Fájlok szinkronizálása
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Laporkan kerusakan translator situs"> <!ENTITY zotero.preferences.reportTranslationFailure "Laporkan kerusakan translator situs">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Izinkan zotero.org untuk menyusun konten berdasarkan versi Zotero sekarang"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Izinkan zotero.org untuk menyusun konten berdasarkan versi Zotero sekarang">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Jika dibolehkan, versi Zotero sekarang akan dimasukkan dalam permintaan HTTP kepada zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Jika dibolehkan, versi Zotero sekarang akan dimasukkan dalam permintaan HTTP kepada zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Gunakan Zotero untuk berkas-berkas RIS/Refer terunduh"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Ambil foto secara automatis ketika menyusun item dari laman web"> <!ENTITY zotero.preferences.automaticSnapshots "Ambil foto secara automatis ketika menyusun item dari laman web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Lampirkan PDF dan berkas terkait lainnya secara automatis saat menyimpan item"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Lampirkan PDF dan berkas terkait lainnya secara automatis saat menyimpan item">
<!ENTITY zotero.preferences.automaticTags "Berikan tag pada item dengan kata kunci dan bagian utama subjek secara automatis"> <!ENTITY zotero.preferences.automaticTags "Berikan tag pada item dengan kata kunci dan bagian utama subjek secara automatis">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Buat Akun"> <!ENTITY zotero.preferences.sync.createAccount "Buat Akun">
<!ENTITY zotero.preferences.sync.lostPassword "Kehilangan Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Kehilangan Password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "SInkronisasikan secara automatis"> <!ENTITY zotero.preferences.sync.syncAutomatically "SInkronisasikan secara automatis">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Tentang Sinkronisasi"> <!ENTITY zotero.preferences.sync.about "Tentang Sinkronisasi">
<!ENTITY zotero.preferences.sync.fileSyncing "Sinkronisasi Berkas"> <!ENTITY zotero.preferences.sync.fileSyncing "Sinkronisasi Berkas">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Periksa pemutakhiran
general.actionCannotBeUndone=Tindakan ini tidak dapat dibatalkan. general.actionCannotBeUndone=Tindakan ini tidak dapat dibatalkan.
general.install=Instal general.install=Instal
general.updateAvailable=Pemutakhiran Tersedia general.updateAvailable=Pemutakhiran Tersedia
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Upgrade general.upgrade=Upgrade
general.yes=Ya general.yes=Ya
general.no=Tidak general.no=Tidak
general.notNow=Not Now
general.passed=Berhasil general.passed=Berhasil
general.failed=Gagal general.failed=Gagal
general.and=dan general.and=dan
general.etAl=et al.
general.accessDenied=Akses Ditolak general.accessDenied=Akses Ditolak
general.permissionDenied=Izin Ditolak general.permissionDenied=Izin Ditolak
general.character.singular=karakter general.character.singular=karakter
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Buka Dokumentasi general.openDocumentation=Buka Dokumentasi
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Operasi Zotero sedang berjalan saat ini. general.operationInProgress=Operasi Zotero sedang berjalan saat ini.
general.operationInProgress.waitUntilFinished=Mohon tunggu sampai selesai general.operationInProgress.waitUntilFinished=Mohon tunggu sampai selesai
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Mohon tunggu sampai sel
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Panduan Cepat Memulai Zotero install.quickStartGuide=Panduan Cepat Memulai Zotero
install.quickStartGuide.message.welcome=Selamat datang di Zotero! install.quickStartGuide.message.welcome=Selamat datang di Zotero!
@ -808,6 +815,11 @@ sync.status.uploadingData=Mengunggah data ke dalam server sinkronisasi
sync.status.uploadAccepted=Unggahan diterima \u2014 menunggu untuk server sinkronisasi sync.status.uploadAccepted=Unggahan diterima \u2014 menunggu untuk server sinkronisasi
sync.status.syncingFiles=Menyinkronisasikan berkas sync.status.syncingFiles=Menyinkronisasikan berkas
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB tersisa sync.storage.kbRemaining=%SKB tersisa
sync.storage.filesRemaining=Berkas %1$S/%2$S sync.storage.filesRemaining=Berkas %1$S/%2$S
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Konektor Zotero Mengalami Kesalahan connector.error.title=Konektor Zotero Mengalami Kesalahan
connector.standaloneOpen=Database Anda tidak dapat diakses karena Zotero Standalone Anda sedang terbuka. Silakan lihat item-item Anda di dalam Zotero Standalone. connector.standaloneOpen=Database Anda tidak dapat diakses karena Zotero Standalone Anda sedang terbuka. Silakan lihat item-item Anda di dalam Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero dapat mengenali referensi yang terdapat pada halaman ini. Klik logo pada address bar untuk menyimpan referensi tersebut ke dalam perpustakaan Zotero Anda. firstRunGuidance.saveIcon=Zotero dapat mengenali referensi yang terdapat pada halaman ini. Klik logo pada address bar untuk menyimpan referensi tersebut ke dalam perpustakaan Zotero Anda.
firstRunGuidance.authorMenu=Zotero juga mengizinkan untuk Anda menentukan editor dan translator. Anda dapat mengubah penulis menjadi editor atau translator dengan cara memilih dari menu ini. firstRunGuidance.authorMenu=Zotero juga mengizinkan untuk Anda menentukan editor dan translator. Anda dapat mengubah penulis menjadi editor atau translator dengan cara memilih dari menu ini.

View file

@ -1,13 +1,13 @@
<!ENTITY zotero.version "útgáfa"> <!ENTITY zotero.version "útgáfa">
<!ENTITY zotero.createdby "Höfundar:"> <!ENTITY zotero.createdby "Höfundar:">
<!ENTITY zotero.director "Director:"> <!ENTITY zotero.director "Stjórnandi:">
<!ENTITY zotero.directors "Stjórnendur"> <!ENTITY zotero.directors "Stjórnendur:">
<!ENTITY zotero.developers "Þróunaraðilar"> <!ENTITY zotero.developers "Hönnuðir:">
<!ENTITY zotero.alumni "Alumni:"> <!ENTITY zotero.alumni "Fyrrum nemandi:">
<!ENTITY zotero.about.localizations "Localizations:"> <!ENTITY zotero.about.localizations "Staðir:">
<!ENTITY zotero.about.additionalSoftware "Third-Party Software and Standards:"> <!ENTITY zotero.about.additionalSoftware "Forrit þriðja aðila og staðlar:">
<!ENTITY zotero.executiveProducer "Framkvæmdastjóri:"> <!ENTITY zotero.executiveProducer "Framkvæmdastjóri:">
<!ENTITY zotero.thanks "Sérstakar þakkir:"> <!ENTITY zotero.thanks "Sérstakar þakkir:">
<!ENTITY zotero.about.close "Loka"> <!ENTITY zotero.about.close "Loka">
<!ENTITY zotero.moreCreditsAndAcknowledgements "More Credits &amp; Acknowledgements"> <!ENTITY zotero.moreCreditsAndAcknowledgements "Viðurkenningar">
<!ENTITY zotero.citationProcessing "Citation &amp; Bibliography Processing"> <!ENTITY zotero.citationProcessing "Tilvísunar- og heimildavinnsla">

View file

@ -1,207 +1,209 @@
<!ENTITY zotero.preferences.title "Zotero stillingar"> <!ENTITY zotero.preferences.title "Zotero stillingar">
<!ENTITY zotero.preferences.default "Default:"> <!ENTITY zotero.preferences.default "Sjálfgefið:">
<!ENTITY zotero.preferences.items "items"> <!ENTITY zotero.preferences.items "færslur">
<!ENTITY zotero.preferences.period "."> <!ENTITY zotero.preferences.period ".">
<!ENTITY zotero.preferences.settings "Settings"> <!ENTITY zotero.preferences.settings "Stillingar">
<!ENTITY zotero.preferences.prefpane.general "Almennt"> <!ENTITY zotero.preferences.prefpane.general "Almennt">
<!ENTITY zotero.preferences.userInterface "Notendaviðmót"> <!ENTITY zotero.preferences.userInterface "Notendaviðmót">
<!ENTITY zotero.preferences.showIn "Load Zotero in:"> <!ENTITY zotero.preferences.showIn "Hlaða Zotero í:">
<!ENTITY zotero.preferences.showIn.browserPane "Browser pane"> <!ENTITY zotero.preferences.showIn.browserPane "Nýjum vafraglugga">
<!ENTITY zotero.preferences.showIn.separateTab "Separate tab"> <!ENTITY zotero.preferences.showIn.separateTab "Nýjum flipa">
<!ENTITY zotero.preferences.showIn.appTab "App tab"> <!ENTITY zotero.preferences.showIn.appTab "Flipa í smáforriti">
<!ENTITY zotero.preferences.statusBarIcon "Teikn í stöðuglugga:"> <!ENTITY zotero.preferences.statusBarIcon "Teikn í stöðuglugga:">
<!ENTITY zotero.preferences.statusBarIcon.none "None"> <!ENTITY zotero.preferences.statusBarIcon.none "Engu">
<!ENTITY zotero.preferences.fontSize "Font size:"> <!ENTITY zotero.preferences.fontSize "Stærð leturs:">
<!ENTITY zotero.preferences.fontSize.small "Small"> <!ENTITY zotero.preferences.fontSize.small "Smátt">
<!ENTITY zotero.preferences.fontSize.medium "Medium"> <!ENTITY zotero.preferences.fontSize.medium "Meðalstórt">
<!ENTITY zotero.preferences.fontSize.large "Large"> <!ENTITY zotero.preferences.fontSize.large "Stórt">
<!ENTITY zotero.preferences.fontSize.xlarge "X-Large"> <!ENTITY zotero.preferences.fontSize.xlarge "X-Stærð">
<!ENTITY zotero.preferences.fontSize.notes "Note font size:"> <!ENTITY zotero.preferences.fontSize.notes "Gefið upp leturstærð:">
<!ENTITY zotero.preferences.miscellaneous "Miscellaneous"> <!ENTITY zotero.preferences.miscellaneous "Ýmislegt">
<!ENTITY zotero.preferences.autoUpdate "Automatically check for updated translators and styles"> <!ENTITY zotero.preferences.autoUpdate "Sjálfvirkt fylgjast með uppfærslum á þýðendum og leturstílum">
<!ENTITY zotero.preferences.updateNow "Uppfæra núna"> <!ENTITY zotero.preferences.updateNow "Uppfæra núna">
<!ENTITY zotero.preferences.reportTranslationFailure "Report broken site translators"> <!ENTITY zotero.preferences.reportTranslationFailure "Tilkynna rangar vísanir í þýðingar">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Allow zotero.org to customize content based on current Zotero version"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Heimila zotero.org að aðlaga innihald fengið frá þeirri útgáfu Zotero sem nú er í notkun">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "If enabled, the current Zotero version will be added to HTTP requests to zotero.org."> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Ef virkjað, þá mun sú útgáfa Zotero sem nú er í notkun verða tekin með í HTTP beiðnum til zotero.org.">
<!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded RIS/Refer files"> <!ENTITY zotero.preferences.parseRISRefer "Nota Zotero fyrir BibTex/RIS/Refer skrár sem hlaðið er niður">
<!ENTITY zotero.preferences.automaticSnapshots "Automatically take snapshots when creating items from web pages"> <!ENTITY zotero.preferences.automaticSnapshots "Taka sjálfkrafa mynd af skjá þegar vefsíðufærslur eru búnar til">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Automatically attach associated PDFs and other files when saving items"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Hengja sjálfkrafa PDF skjöl og önnur gögn við færslur þegar þær eru vistaðar">
<!ENTITY zotero.preferences.automaticTags "Automatically tag items with keywords and subject headings"> <!ENTITY zotero.preferences.automaticTags "Sjálfvirkt bæta við tögum í færslur í samræmi við lykilorð og fyrirsagnir þeirra">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPre "Automatically remove items in the trash deleted more than"> <!ENTITY zotero.preferences.trashAutoEmptyDaysPre "Sjálfvirkt fjarlæja færslur í ruslakörfu sem voru settar þar fyrir meira en">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPost "days ago"> <!ENTITY zotero.preferences.trashAutoEmptyDaysPost "dögum síðan">
<!ENTITY zotero.preferences.groups "Groups"> <!ENTITY zotero.preferences.groups "Hópar">
<!ENTITY zotero.preferences.groups.whenCopyingInclude "When copying items between libraries, include:"> <!ENTITY zotero.preferences.groups.whenCopyingInclude "Þegar færslur eru afritaðar frá einu safni til annars, þá skal einnig afrita:">
<!ENTITY zotero.preferences.groups.childNotes "child notes"> <!ENTITY zotero.preferences.groups.childNotes "undirathugasemdir">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files"> <!ENTITY zotero.preferences.groups.childFiles "undirskjámyndir og tengdar skrár">
<!ENTITY zotero.preferences.groups.childLinks "child links"> <!ENTITY zotero.preferences.groups.childLinks "undirslóðir">
<!ENTITY zotero.preferences.groups.tags "tags"> <!ENTITY zotero.preferences.groups.tags "tög">
<!ENTITY zotero.preferences.openurl.caption "OpenURL"> <!ENTITY zotero.preferences.openurl.caption "Opna slóð">
<!ENTITY zotero.preferences.openurl.search "Search for resolvers"> <!ENTITY zotero.preferences.openurl.search "Leita að auðkennum netþjóna">
<!ENTITY zotero.preferences.openurl.custom "Custom..."> <!ENTITY zotero.preferences.openurl.custom "Eigin stillingar...">
<!ENTITY zotero.preferences.openurl.server "Resolver:"> <!ENTITY zotero.preferences.openurl.server "Auðkennir:">
<!ENTITY zotero.preferences.openurl.version "Útgáfa:"> <!ENTITY zotero.preferences.openurl.version "Útgáfa:">
<!ENTITY zotero.preferences.prefpane.sync "Sync"> <!ENTITY zotero.preferences.prefpane.sync "Samhæfa">
<!ENTITY zotero.preferences.sync.username "Username:"> <!ENTITY zotero.preferences.sync.username "Notandanafn:">
<!ENTITY zotero.preferences.sync.password "Password:"> <!ENTITY zotero.preferences.sync.password "Lykilorð:">
<!ENTITY zotero.preferences.sync.syncServer "Zotero Sync Server"> <!ENTITY zotero.preferences.sync.syncServer "Zotero samhæfingarþjónn">
<!ENTITY zotero.preferences.sync.createAccount "Create Account"> <!ENTITY zotero.preferences.sync.createAccount "Nýr notandi">
<!ENTITY zotero.preferences.sync.lostPassword "Lost Password?"> <!ENTITY zotero.preferences.sync.lostPassword "Týnt lykilorð?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sync automatically"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sjamhæfa sjálfkrafa">
<!ENTITY zotero.preferences.sync.about "About Syncing"> <!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.fileSyncing "File Syncing"> <!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.about "Um samhæfingu">
<!ENTITY zotero.preferences.sync.fileSyncing.myLibrary "Sync attachment files in My Library using"> <!ENTITY zotero.preferences.sync.fileSyncing "Samhæfing skráa">
<!ENTITY zotero.preferences.sync.fileSyncing.groups "Sync attachment files in group libraries using Zotero storage"> <!ENTITY zotero.preferences.sync.fileSyncing.url "slóð:">
<!ENTITY zotero.preferences.sync.fileSyncing.download "Download files"> <!ENTITY zotero.preferences.sync.fileSyncing.myLibrary "Samhæfa viðhengi í Mínu safni með">
<!ENTITY zotero.preferences.sync.fileSyncing.download.atSyncTime "at sync time"> <!ENTITY zotero.preferences.sync.fileSyncing.groups "Samhæfa viðhengi í hópsöfnum með Zotero geymsluaðferð">
<!ENTITY zotero.preferences.sync.fileSyncing.download.onDemand "as needed"> <!ENTITY zotero.preferences.sync.fileSyncing.download "Hlaða niður skrám">
<!ENTITY zotero.preferences.sync.fileSyncing.tos1 "By using Zotero storage, you agree to become bound by its"> <!ENTITY zotero.preferences.sync.fileSyncing.download.atSyncTime "um leið og gagnasamhæfing verður">
<!ENTITY zotero.preferences.sync.fileSyncing.tos2 "terms and conditions"> <!ENTITY zotero.preferences.sync.fileSyncing.download.onDemand "eftir þörfum">
<!ENTITY zotero.preferences.sync.reset.warning1 "The following operations are for use only in rare, specific situations and should not be used for general troubleshooting. In many cases, resetting will cause additional problems. See "> <!ENTITY zotero.preferences.sync.fileSyncing.tos1 "Með notkun Zotero geymsluaðferðar samþykkir þú">
<!ENTITY zotero.preferences.sync.reset.warning2 "Sync Reset Options"> <!ENTITY zotero.preferences.sync.fileSyncing.tos2 "skilmála">
<!ENTITY zotero.preferences.sync.reset.warning3 " for more information."> <!ENTITY zotero.preferences.sync.reset.warning1 "Aðgerðir hér fyrir neðan eru einungis notaðar í sjaldgæfum og sérhæfðum tilvikum og ætti ekki að beita almennt. Í mörgum tilvikum mun endurræsing valda viðbótar vandræðum. Sjá ">
<!ENTITY zotero.preferences.sync.reset.fullSync "Full Sync with Zotero Server"> <!ENTITY zotero.preferences.sync.reset.warning2 "Stillingar vegna endurræsingar á samhæfingu">
<!ENTITY zotero.preferences.sync.reset.fullSync.desc "Merge local Zotero data with data from the sync server, ignoring sync history."> <!ENTITY zotero.preferences.sync.reset.warning3 "til frekari upplýsinga">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer "Restore from Zotero Server"> <!ENTITY zotero.preferences.sync.reset.fullSync "Alger samhæfing við Zotero netþjón">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer.desc "Erase all local Zotero data and restore from the sync server."> <!ENTITY zotero.preferences.sync.reset.fullSync.desc "Sameina staðbundin Zotero gögn með gögnum á samhæfingarþjóni, án tillit til fyrri samhæfingaraðgerða.">
<!ENTITY zotero.preferences.sync.reset.restoreToServer "Restore to Zotero Server"> <!ENTITY zotero.preferences.sync.reset.restoreFromServer "Endurheimta frá Zotero netþjóni">
<!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Erase all server data and overwrite with local Zotero data."> <!ENTITY zotero.preferences.sync.reset.restoreFromServer.desc "Eyða öllum staðbundnum Zotero gögnum og endurheimta frá samhæfingar netþjóni.">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Reset File Sync History"> <!ENTITY zotero.preferences.sync.reset.restoreToServer "Endurheimta í Zotero netþjón">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Force checking of the storage server for all local attachment files."> <!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Eyða öllum gögnum frá netþjóni og endurnýja með staðbundnum Zotero gögnum.">
<!ENTITY zotero.preferences.sync.reset "Reset"> <!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Endurræsa forsögu skráasamhæfingar">
<!ENTITY zotero.preferences.sync.reset.button "Reset..."> <!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Þvinga athugun á tilveru staðbundinna viðhengja á geymslusvæði netþjóns">
<!ENTITY zotero.preferences.sync.reset "Endurræsa">
<!ENTITY zotero.preferences.sync.reset.button "Endurræsa...">
<!ENTITY zotero.preferences.prefpane.search "Search"> <!ENTITY zotero.preferences.prefpane.search "Leita">
<!ENTITY zotero.preferences.search.fulltextCache "Full-Text Cache"> <!ENTITY zotero.preferences.search.fulltextCache "Geymslupláss fyrir textaskrár">
<!ENTITY zotero.preferences.search.pdfIndexing "PDF Indexing"> <!ENTITY zotero.preferences.search.pdfIndexing "PDF innihaldsskráning">
<!ENTITY zotero.preferences.search.indexStats "Index Statistics"> <!ENTITY zotero.preferences.search.indexStats "Tölfræði gagnaskráa">
<!ENTITY zotero.preferences.search.indexStats.indexed "Indexed:"> <!ENTITY zotero.preferences.search.indexStats.indexed "Skráð:">
<!ENTITY zotero.preferences.search.indexStats.partial "Partial:"> <!ENTITY zotero.preferences.search.indexStats.partial "Hlutskráð:">
<!ENTITY zotero.preferences.search.indexStats.unindexed "Unindexed:"> <!ENTITY zotero.preferences.search.indexStats.unindexed "Óskráð:">
<!ENTITY zotero.preferences.search.indexStats.words "Words:"> <!ENTITY zotero.preferences.search.indexStats.words "Orð:">
<!ENTITY zotero.preferences.fulltext.textMaxLength "Maximum characters to index per file:"> <!ENTITY zotero.preferences.fulltext.textMaxLength "Leyfilegur stafafjöldi til skráningar úr hverju skjali:">
<!ENTITY zotero.preferences.fulltext.pdfMaxPages "Maximum pages to index per file:"> <!ENTITY zotero.preferences.fulltext.pdfMaxPages "Leyfilegur síðufjöldi til skráningar úr hverju skjali:">
<!ENTITY zotero.preferences.prefpane.export "Export"> <!ENTITY zotero.preferences.prefpane.export "Flytja út">
<!ENTITY zotero.preferences.citationOptions.caption "Citation Options"> <!ENTITY zotero.preferences.citationOptions.caption "Tilvísunarstillingar">
<!ENTITY zotero.preferences.export.citePaperJournalArticleURL "Include URLs of paper articles in references"> <!ENTITY zotero.preferences.export.citePaperJournalArticleURL "Sýna vefslóð til ritverka í heimildaskrá">
<!ENTITY zotero.preferences.export.citePaperJournalArticleURL.description "When this option is disabled, Zotero includes URLs when citing journal, magazine, and newspaper articles only if the article does not have a page range specified."> <!ENTITY zotero.preferences.export.citePaperJournalArticleURL.description "Þegar þetta val er ekki virkjað, þá mun Zotero einungis birta vefslóð í fræðigreinar, tímaritsgreinar og dagblaðagreinar ef ekkert síðubil er tiltekið.">
<!ENTITY zotero.preferences.quickCopy.caption "Quick Copy"> <!ENTITY zotero.preferences.quickCopy.caption "Flýtiafrit">
<!ENTITY zotero.preferences.quickCopy.defaultOutputFormat "Default Output Format:"> <!ENTITY zotero.preferences.quickCopy.defaultOutputFormat "Sjálfgefið snið á útkeyrslum:">
<!ENTITY zotero.preferences.quickCopy.copyAsHTML "Copy as HTML"> <!ENTITY zotero.preferences.quickCopy.copyAsHTML "Afrita á HTML sniði">
<!ENTITY zotero.preferences.quickCopy.macWarning "Note: Rich-text formatting will be lost on Mac OS X."> <!ENTITY zotero.preferences.quickCopy.macWarning "Athugið: Upplýsingar um letursnið glatast í Mac OS X stýrikerfinu.">
<!ENTITY zotero.preferences.quickCopy.siteEditor.setings "Site-Specific Settings:"> <!ENTITY zotero.preferences.quickCopy.siteEditor.setings "Sértækar stillingar á vinnslustað:">
<!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath "Domain/Path"> <!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath "Lén/Slóð">
<!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath.example "(e.g. wikipedia.org)"> <!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath.example "(t.d. wikipedia.org)">
<!ENTITY zotero.preferences.quickCopy.siteEditor.outputFormat "Output Format"> <!ENTITY zotero.preferences.quickCopy.siteEditor.outputFormat "Útkeyrslusnið">
<!ENTITY zotero.preferences.quickCopy.dragLimit "Disable Quick Copy when dragging more than"> <!ENTITY zotero.preferences.quickCopy.dragLimit "Afvirkja Flýtiafrit þegar færðar eru meira en">
<!ENTITY zotero.preferences.prefpane.cite "Cite"> <!ENTITY zotero.preferences.prefpane.cite "Tilvísun">
<!ENTITY zotero.preferences.cite.styles "Styles"> <!ENTITY zotero.preferences.cite.styles "Leturstílar">
<!ENTITY zotero.preferences.cite.wordProcessors "Word Processors"> <!ENTITY zotero.preferences.cite.wordProcessors "Ritvinnslur">
<!ENTITY zotero.preferences.cite.wordProcessors.noWordProcessorPluginsInstalled "No word processor plug-ins are currently installed."> <!ENTITY zotero.preferences.cite.wordProcessors.noWordProcessorPluginsInstalled "Engin tenging við ritvinnslu hefur verið sett upp.">
<!ENTITY zotero.preferences.cite.wordProcessors.getPlugins "Get word processor plug-ins..."> <!ENTITY zotero.preferences.cite.wordProcessors.getPlugins "Koma á tengingu við ritvinnslu...">
<!ENTITY zotero.preferences.cite.wordProcessors.getPlugins.url "http://www.zotero.org/support/word_processor_plugin_installation_for_zotero_2.1"> <!ENTITY zotero.preferences.cite.wordProcessors.getPlugins.url "http://www.zotero.org/support/word_processor_plugin_installation_for_zotero_2.1">
<!ENTITY zotero.preferences.cite.wordProcessors.useClassicAddCitationDialog "Use classic Add Citation dialog"> <!ENTITY zotero.preferences.cite.wordProcessors.useClassicAddCitationDialog "Nota hefðbundið viðmót til að Bæta við tilvísun">
<!ENTITY zotero.preferences.cite.styles.styleManager "Style Manager"> <!ENTITY zotero.preferences.cite.styles.styleManager "Umsýsla leturstíla">
<!ENTITY zotero.preferences.cite.styles.styleManager.title "Title"> <!ENTITY zotero.preferences.cite.styles.styleManager.title "Titill">
<!ENTITY zotero.preferences.cite.styles.styleManager.updated "Updated"> <!ENTITY zotero.preferences.cite.styles.styleManager.updated "Uppfært">
<!ENTITY zotero.preferences.cite.styles.styleManager.csl "CSL"> <!ENTITY zotero.preferences.cite.styles.styleManager.csl "Tilvísunarmál - CSL">
<!ENTITY zotero.preferences.export.getAdditionalStyles "Get additional styles..."> <!ENTITY zotero.preferences.export.getAdditionalStyles "Ná í viðbótar leturstíla...">
<!ENTITY zotero.preferences.prefpane.keys "Flýtihnappar"> <!ENTITY zotero.preferences.prefpane.keys "Flýtihnappar">
<!ENTITY zotero.preferences.keys.openZotero "Open/Close Zotero Pane"> <!ENTITY zotero.preferences.keys.openZotero "Opna/Loka Zotero svæði">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "Vista í Zotero (tákn birt í vefslóðareit)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "Toggle Fullscreen Mode"> <!ENTITY zotero.preferences.keys.toggleFullscreen "Víxla úr og í Heilskjáarham">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "Focus Libraries Pane"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "Áhersla á safnaglugga">
<!ENTITY zotero.preferences.keys.quicksearch "Flýtileit"> <!ENTITY zotero.preferences.keys.quicksearch "Flýtileit">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "Ný færsla">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "Ný athugasemd">
<!ENTITY zotero.preferences.keys.toggleTagSelector "Toggle Tag Selector"> <!ENTITY zotero.preferences.keys.toggleTagSelector "Víxla úr og í Tagavali">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Copy Selected Item Citations to Clipboard"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "Afrita valdar tilvísunarfærslur í klemmuspjald">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Copy Selected Items to Clipboard"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "Afrita valdar færslur í klemmuspjald">
<!ENTITY zotero.preferences.keys.importFromClipboard "Import from Clipboard"> <!ENTITY zotero.preferences.keys.importFromClipboard "Færa inn frá klemmuspjaldi">
<!ENTITY zotero.preferences.keys.changesTakeEffect "Changes take effect in new windows only"> <!ENTITY zotero.preferences.keys.changesTakeEffect "Breytingarnar virkjast þegar nýr gluggi er opnaður">
<!ENTITY zotero.preferences.prefpane.proxies "Proxies"> <!ENTITY zotero.preferences.prefpane.proxies "Leppar">
<!ENTITY zotero.preferences.proxies.proxyOptions "Proxy Options"> <!ENTITY zotero.preferences.proxies.proxyOptions "Leppastillingar">
<!ENTITY zotero.preferences.proxies.desc_before_link "Zotero will transparently redirect requests through saved proxies. See the"> <!ENTITY zotero.preferences.proxies.desc_before_link "Zotero mun gagnsætt framvísa beiðnum til vistaðra leppa. Sjá">
<!ENTITY zotero.preferences.proxies.desc_link "proxy documentation"> <!ENTITY zotero.preferences.proxies.desc_link "fylgigögn um leppa">
<!ENTITY zotero.preferences.proxies.desc_after_link "for more information."> <!ENTITY zotero.preferences.proxies.desc_after_link "til frekari upplýsinga.">
<!ENTITY zotero.preferences.proxies.transparent "Transparently redirect requests through previously used proxies"> <!ENTITY zotero.preferences.proxies.transparent "Virkja framvísun leppa">
<!ENTITY zotero.preferences.proxies.autoRecognize "Automatically recognize proxied resources"> <!ENTITY zotero.preferences.proxies.autoRecognize "Sjálvirk auðkenning á leppagögnum">
<!ENTITY zotero.preferences.proxies.disableByDomain "Disable proxy redirection when my domain name contains "> <!ENTITY zotero.preferences.proxies.disableByDomain "Afvirkja framvísun leppa þegar mitt nafn á léni inniheldur">
<!ENTITY zotero.preferences.proxies.configured "Configured Proxies"> <!ENTITY zotero.preferences.proxies.configured "Stilltir leppar">
<!ENTITY zotero.preferences.proxies.hostname "Hostname"> <!ENTITY zotero.preferences.proxies.hostname "Nafn hýsitölvu">
<!ENTITY zotero.preferences.proxies.scheme "Scheme"> <!ENTITY zotero.preferences.proxies.scheme "Skipulag">
<!ENTITY zotero.preferences.proxies.multiSite "Multi-Site"> <!ENTITY zotero.preferences.proxies.multiSite "Fjöl-setur">
<!ENTITY zotero.preferences.proxies.autoAssociate "Automatically associate new hosts"> <!ENTITY zotero.preferences.proxies.autoAssociate "Sjálfvirkt tengjast nýjum hýsitölvum">
<!ENTITY zotero.preferences.proxies.variables "You may use the following variables in your proxy scheme:"> <!ENTITY zotero.preferences.proxies.variables "Þú mátt nota eftirtaldar breytur í leppaskipulagi:">
<!ENTITY zotero.preferences.proxies.h_variable "&#37;h - The hostname of the proxied site (e.g., www.zotero.org)"> <!ENTITY zotero.preferences.proxies.h_variable "&#37;h - Nafn hýsitölvu sem er leppuð (t.d. www.zotero.org)">
<!ENTITY zotero.preferences.proxies.p_variable "&#37;p - The path of the proxied page excluding the leading slash (e.g., about/index.html)"> <!ENTITY zotero.preferences.proxies.p_variable "&#37;p - Slóðin á leppuðu síðuna en án upphafsskástriks (t.d. about/index.html)">
<!ENTITY zotero.preferences.proxies.d_variable "&#37;d - The directory path (e.g., about/)"> <!ENTITY zotero.preferences.proxies.d_variable "&#37;d - Slóðin í möppuna (t.d. about/)">
<!ENTITY zotero.preferences.proxies.f_variable "&#37;f - The filename (e.g., index.html)"> <!ENTITY zotero.preferences.proxies.f_variable "&#37;f - Skráarheitið (t.d. index.html)">
<!ENTITY zotero.preferences.proxies.a_variable "&#37;a - Any string"> <!ENTITY zotero.preferences.proxies.a_variable "&#37;a - Hvaða textastrengur sem er">
<!ENTITY zotero.preferences.prefpane.advanced "Advanced"> <!ENTITY zotero.preferences.prefpane.advanced "Ítarlegt">
<!ENTITY zotero.preferences.advanced.filesAndFolders "Files and Folders"> <!ENTITY zotero.preferences.advanced.filesAndFolders "Skrár og möppur">
<!ENTITY zotero.preferences.prefpane.locate "Locate"> <!ENTITY zotero.preferences.prefpane.locate "Staðsetja">
<!ENTITY zotero.preferences.locate.locateEngineManager "Article Lookup Engine Manager"> <!ENTITY zotero.preferences.locate.locateEngineManager "Stýring á greinaleitarvél">
<!ENTITY zotero.preferences.locate.description "Description"> <!ENTITY zotero.preferences.locate.description "Lýsing">
<!ENTITY zotero.preferences.locate.name "Name"> <!ENTITY zotero.preferences.locate.name "Nafn">
<!ENTITY zotero.preferences.locate.locateEnginedescription "A Lookup Engine extends the capability of the Locate drop down in the Info pane. By enabling Lookup Engines in the list below they will be added to the drop down and can be used to locate resources from your library on the web."> <!ENTITY zotero.preferences.locate.locateEnginedescription "Leitarvél fjölgar mögulegum leitarleiðum í upplýsingaflipanum. Ef leitarvélar eru virkjaðar í listanum hér fyrir neðan bætast þær við í flettilistanum og hægt verður að nota þær til að leita á vefnum að gögnum sem tengjast þínu færslusafni.">
<!ENTITY zotero.preferences.locate.addDescription "To add a Lookup Engine that is not on the list, visit the desired search engine in your browser and select 'Add' from the Firefox Search Bar. When you reopen this preference pane you will have the option to enable the new Lookup Engine."> <!ENTITY zotero.preferences.locate.addDescription "To add a Lookup Engine that is not on the list, visit the desired search engine in your browser and select 'Add' from the Firefox Search Bar. When you reopen this preference pane you will have the option to enable the new Lookup Engine.">
<!ENTITY zotero.preferences.locate.restoreDefaults "Restore Defaults"> <!ENTITY zotero.preferences.locate.restoreDefaults "Endurheimta upphafsstillingar">
<!ENTITY zotero.preferences.charset "Character Encoding"> <!ENTITY zotero.preferences.charset "Leturtegund">
<!ENTITY zotero.preferences.charset.importCharset "Import Character Encoding"> <!ENTITY zotero.preferences.charset.importCharset "Flytja inn leturtegund">
<!ENTITY zotero.preferences.charset.displayExportOption "Display character encoding option on export"> <!ENTITY zotero.preferences.charset.displayExportOption "Sýna aðgerðir um leturtegund við útskrift færslna">
<!ENTITY zotero.preferences.dataDir "Storage Location"> <!ENTITY zotero.preferences.dataDir "Storage Location">
<!ENTITY zotero.preferences.dataDir.useProfile "Use profile directory"> <!ENTITY zotero.preferences.dataDir.useProfile "Nota forstillta möppu">
<!ENTITY zotero.preferences.dataDir.custom "Custom:"> <!ENTITY zotero.preferences.dataDir.custom "Egin stillingar:">
<!ENTITY zotero.preferences.dataDir.choose "Choose..."> <!ENTITY zotero.preferences.dataDir.choose "Veldu...">
<!ENTITY zotero.preferences.dataDir.reveal "Show Data Directory"> <!ENTITY zotero.preferences.dataDir.reveal "Sýna gagnamöppu">
<!ENTITY zotero.preferences.attachmentBaseDir.caption "Linked Attachment Base Directory"> <!ENTITY zotero.preferences.attachmentBaseDir.caption "Grunn mappa fyrir tengd viðhengi">
<!ENTITY zotero.preferences.attachmentBaseDir.message "Zotero will use relative paths for linked file attachments within the base directory, allowing you to access files on different computers as long as the file structure within the base directory remains the same."> <!ENTITY zotero.preferences.attachmentBaseDir.message "Zotero mun nota afstæðar slóðir fyrir tengd viðhengi innan grunnmöppu, sem leyfir þér að nálgast skrár á mismunandi tölvum svo framarlega sem skráauppbygging í grunnmöppu er ávallt hin sama.">
<!ENTITY zotero.preferences.attachmentBaseDir.basePath "Base directory:"> <!ENTITY zotero.preferences.attachmentBaseDir.basePath "Grunnmappa:">
<!ENTITY zotero.preferences.attachmentBaseDir.selectBasePath "Choose…"> <!ENTITY zotero.preferences.attachmentBaseDir.selectBasePath "Veldu...">
<!ENTITY zotero.preferences.attachmentBaseDir.resetBasePath "Revert to Absolute Paths…"> <!ENTITY zotero.preferences.attachmentBaseDir.resetBasePath "Endurheimta altækar möppur...">
<!ENTITY zotero.preferences.dbMaintenance "Database Maintenance"> <!ENTITY zotero.preferences.dbMaintenance "Viðhald gagnagrunns">
<!ENTITY zotero.preferences.dbMaintenance.integrityCheck "Check Database Integrity"> <!ENTITY zotero.preferences.dbMaintenance.integrityCheck "Ahuga ástand gagnagrunns">
<!ENTITY zotero.preferences.dbMaintenance.resetTranslatorsAndStyles "Reset Translators and Styles..."> <!ENTITY zotero.preferences.dbMaintenance.resetTranslatorsAndStyles "Endurræsa þýðingar og leturstíla...">
<!ENTITY zotero.preferences.dbMaintenance.resetTranslators "Reset Translators..."> <!ENTITY zotero.preferences.dbMaintenance.resetTranslators "Endurræsa þýðendur...">
<!ENTITY zotero.preferences.dbMaintenance.resetStyles "Reset Styles..."> <!ENTITY zotero.preferences.dbMaintenance.resetStyles "Endurræsa leturstíla...">
<!ENTITY zotero.preferences.debugOutputLogging "Debug Output Logging"> <!ENTITY zotero.preferences.debugOutputLogging "Kemba útkeyrslu eftirlitsskrár">
<!ENTITY zotero.preferences.debugOutputLogging.message "Debug output can help Zotero developers diagnose problems in Zotero. Debug logging will slow down Zotero, so you should generally leave it disabled unless a Zotero developer requests debug output."> <!ENTITY zotero.preferences.debugOutputLogging.message "Kembun á útkeyrslu getur hjálpað Zotero forriturum og hönnuðum að greina vandamál í Zotero. Aðgerðaskráning mun hægja á Zotero og því er best að afvirkja slíka skráningu nema forritunaraðili frá Zotero biðji um kembunar útkeyrslu.">
<!ENTITY zotero.preferences.debugOutputLogging.linesLogged "lines logged"> <!ENTITY zotero.preferences.debugOutputLogging.linesLogged "Skráðar línur">
<!ENTITY zotero.preferences.debugOutputLogging.enableAfterRestart "Enable after restart"> <!ENTITY zotero.preferences.debugOutputLogging.enableAfterRestart "Virkja eftir endurræsingu">
<!ENTITY zotero.preferences.debugOutputLogging.viewOutput "View Output"> <!ENTITY zotero.preferences.debugOutputLogging.viewOutput "Sýna útkeyrslu">
<!ENTITY zotero.preferences.debugOutputLogging.clearOutput "Clear Output"> <!ENTITY zotero.preferences.debugOutputLogging.clearOutput "Hreinsa útkeyrslu">
<!ENTITY zotero.preferences.debugOutputLogging.submitToServer "Submit to Zotero Server"> <!ENTITY zotero.preferences.debugOutputLogging.submitToServer "Senda til Zotero netþjóns">
<!ENTITY zotero.preferences.openAboutConfig "Open about:config"> <!ENTITY zotero.preferences.openAboutConfig "Opna um: stillingar">
<!ENTITY zotero.preferences.openCSLEdit "Open CSL Editor"> <!ENTITY zotero.preferences.openCSLEdit "Opna CSL ritil">
<!ENTITY zotero.preferences.openCSLPreview "Open CSL Preview"> <!ENTITY zotero.preferences.openCSLPreview "Opna CSL forskoðun">
<!ENTITY zotero.preferences.openAboutMemory "Open about:memory"> <!ENTITY zotero.preferences.openAboutMemory "Opna um: minni">

View file

@ -1,23 +1,23 @@
<!ENTITY zotero.search.name "Name:"> <!ENTITY zotero.search.name "Nafn:">
<!ENTITY zotero.search.joinMode.prefix "Match"> <!ENTITY zotero.search.joinMode.prefix "Leita að">
<!ENTITY zotero.search.joinMode.any "any"> <!ENTITY zotero.search.joinMode.any "einhverju">
<!ENTITY zotero.search.joinMode.all "all"> <!ENTITY zotero.search.joinMode.all "öllum">
<!ENTITY zotero.search.joinMode.suffix "of the following:"> <!ENTITY zotero.search.joinMode.suffix "eftirtaldra orða:">
<!ENTITY zotero.search.recursive.label "Search subcollections"> <!ENTITY zotero.search.recursive.label "Leita í undirsöfnum">
<!ENTITY zotero.search.noChildren "Only show top-level items"> <!ENTITY zotero.search.noChildren "Sýna eingöngu fyrstu kennileiti úr færslum">
<!ENTITY zotero.search.includeParentsAndChildren "Include parent and child items of matching items"> <!ENTITY zotero.search.includeParentsAndChildren "Taka með allar undirskrár í færslum sem finnast">
<!ENTITY zotero.search.textModes.phrase "Phrase"> <!ENTITY zotero.search.textModes.phrase "Setningaliður">
<!ENTITY zotero.search.textModes.phraseBinary "Phrase (incl. binary files)"> <!ENTITY zotero.search.textModes.phraseBinary "Setningaliður (með stafrænum skrám)">
<!ENTITY zotero.search.textModes.regexp "Regexp"> <!ENTITY zotero.search.textModes.regexp "Regexp">
<!ENTITY zotero.search.textModes.regexpCS "Regexp (case-sensitive)"> <!ENTITY zotero.search.textModes.regexpCS "Regexp (case-sensitive)">
<!ENTITY zotero.search.date.units.days "days"> <!ENTITY zotero.search.date.units.days "dagar">
<!ENTITY zotero.search.date.units.months "months"> <!ENTITY zotero.search.date.units.months "mánuðir">
<!ENTITY zotero.search.date.units.years "years"> <!ENTITY zotero.search.date.units.years "ár">
<!ENTITY zotero.search.search "Search"> <!ENTITY zotero.search.search "Leita">
<!ENTITY zotero.search.clear "Clear"> <!ENTITY zotero.search.clear "Hreinsa">
<!ENTITY zotero.search.saveSearch "Save Search"> <!ENTITY zotero.search.saveSearch "Vista leit">

View file

@ -1,16 +1,16 @@
<!ENTITY preferencesCmdMac.label "Preferences…"> <!ENTITY preferencesCmdMac.label "Kjörstillingar...">
<!ENTITY preferencesCmdMac.commandkey ","> <!ENTITY preferencesCmdMac.commandkey ",">
<!ENTITY servicesMenuMac.label "Services"> <!ENTITY servicesMenuMac.label "Þjónusta">
<!ENTITY hideThisAppCmdMac.label "Hide &brandShortName;"> <!ENTITY hideThisAppCmdMac.label "Fela &brandShortName;">
<!ENTITY hideThisAppCmdMac.commandkey "H"> <!ENTITY hideThisAppCmdMac.commandkey "H">
<!ENTITY hideOtherAppsCmdMac.label "Hide Others"> <!ENTITY hideOtherAppsCmdMac.label "Fela annað">
<!ENTITY hideOtherAppsCmdMac.commandkey "H"> <!ENTITY hideOtherAppsCmdMac.commandkey "H">
<!ENTITY showAllAppsCmdMac.label "Show All"> <!ENTITY showAllAppsCmdMac.label "Sýna allt">
<!ENTITY quitApplicationCmdMac.label "Quit Zotero"> <!ENTITY quitApplicationCmdMac.label "Hætta í Zotero">
<!ENTITY quitApplicationCmdMac.key "Q"> <!ENTITY quitApplicationCmdMac.key "Q">
<!ENTITY fileMenu.label "File"> <!ENTITY fileMenu.label "Skrá">
<!ENTITY fileMenu.accesskey "F"> <!ENTITY fileMenu.accesskey "F">
<!ENTITY saveCmd.label "Save…"> <!ENTITY saveCmd.label "Save…">
<!ENTITY saveCmd.key "S"> <!ENTITY saveCmd.key "S">
@ -20,45 +20,45 @@
<!ENTITY printCmd.label "Print…"> <!ENTITY printCmd.label "Print…">
<!ENTITY printCmd.key "P"> <!ENTITY printCmd.key "P">
<!ENTITY printCmd.accesskey "P"> <!ENTITY printCmd.accesskey "P">
<!ENTITY closeCmd.label "Close"> <!ENTITY closeCmd.label "Loka">
<!ENTITY closeCmd.key "W"> <!ENTITY closeCmd.key "W">
<!ENTITY closeCmd.accesskey "C"> <!ENTITY closeCmd.accesskey "C">
<!ENTITY quitApplicationCmdWin.label "Exit"> <!ENTITY quitApplicationCmdWin.label "Fara út">
<!ENTITY quitApplicationCmdWin.accesskey "x"> <!ENTITY quitApplicationCmdWin.accesskey "x">
<!ENTITY quitApplicationCmd.label "Quit"> <!ENTITY quitApplicationCmd.label "Hætta">
<!ENTITY quitApplicationCmd.accesskey "Q"> <!ENTITY quitApplicationCmd.accesskey "Q">
<!ENTITY editMenu.label "Edit"> <!ENTITY editMenu.label "Breyta">
<!ENTITY editMenu.accesskey "E"> <!ENTITY editMenu.accesskey "E">
<!ENTITY undoCmd.label "Undo"> <!ENTITY undoCmd.label "Afturkalla">
<!ENTITY undoCmd.key "Z"> <!ENTITY undoCmd.key "Z">
<!ENTITY undoCmd.accesskey "U"> <!ENTITY undoCmd.accesskey "U">
<!ENTITY redoCmd.label "Redo"> <!ENTITY redoCmd.label "Endurgera">
<!ENTITY redoCmd.key "Y"> <!ENTITY redoCmd.key "Y">
<!ENTITY redoCmd.accesskey "R"> <!ENTITY redoCmd.accesskey "R">
<!ENTITY cutCmd.label "Cut"> <!ENTITY cutCmd.label "Klippa">
<!ENTITY cutCmd.key "X"> <!ENTITY cutCmd.key "X">
<!ENTITY cutCmd.accesskey "t"> <!ENTITY cutCmd.accesskey "t">
<!ENTITY copyCmd.label "Copy"> <!ENTITY copyCmd.label "Afrita">
<!ENTITY copyCmd.key "C"> <!ENTITY copyCmd.key "C">
<!ENTITY copyCmd.accesskey "C"> <!ENTITY copyCmd.accesskey "C">
<!ENTITY copyCitationCmd.label "Copy Citation"> <!ENTITY copyCitationCmd.label "Aftrita tilvísun">
<!ENTITY copyBibliographyCmd.label "Copy Bibliography"> <!ENTITY copyBibliographyCmd.label "Afrita heimildaskrá">
<!ENTITY pasteCmd.label "Paste"> <!ENTITY pasteCmd.label "Líma">
<!ENTITY pasteCmd.key "V"> <!ENTITY pasteCmd.key "V">
<!ENTITY pasteCmd.accesskey "P"> <!ENTITY pasteCmd.accesskey "P">
<!ENTITY deleteCmd.label "Delete"> <!ENTITY deleteCmd.label "Eyða">
<!ENTITY deleteCmd.key "D"> <!ENTITY deleteCmd.key "D">
<!ENTITY deleteCmd.accesskey "D"> <!ENTITY deleteCmd.accesskey "D">
<!ENTITY selectAllCmd.label "Select All"> <!ENTITY selectAllCmd.label "Velja allt">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A"> <!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "Preferences">
<!ENTITY preferencesCmd.accesskey "O"> <!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "Preferences"> <!ENTITY preferencesCmdUnix.label "Kjörstillingar">
<!ENTITY preferencesCmdUnix.accesskey "n"> <!ENTITY preferencesCmdUnix.accesskey "n">
<!ENTITY findCmd.label "Find"> <!ENTITY findCmd.label "Finna">
<!ENTITY findCmd.accesskey "F"> <!ENTITY findCmd.accesskey "F">
<!ENTITY findCmd.commandkey "f"> <!ENTITY findCmd.commandkey "f">
<!ENTITY bidiSwitchPageDirectionItem.label "Switch Page Direction"> <!ENTITY bidiSwitchPageDirectionItem.label "Switch Page Direction">

View file

@ -1,21 +1,21 @@
general.title=Zotero Timeline general.title=Zotero tímasetningar
general.filter=Filter: general.filter=Síun:
general.highlight=Highlight: general.highlight=Auðkenna:
general.clearAll=Clear All general.clearAll=Hreinsa allt
general.jumpToYear=Jump to Year: general.jumpToYear=Velja ár:
general.firstBand=First Band: general.firstBand=Fyrsti dregill
general.secondBand=Second Band: general.secondBand=Annar dregill:
general.thirdBand=Third Band: general.thirdBand=Þriðji dregill:
general.dateType=Date Type: general.dateType=Tímasetning:
general.timelineHeight=Timeline Height: general.timelineHeight=Hæð tímalínu:
general.fitToScreen=Fit to Screen general.fitToScreen=Máta á skjáinn
interval.day=Day interval.day=Dagur
interval.month=Month interval.month=Mánuður
interval.year=Year interval.year=Ár
interval.decade=Decade interval.decade=Áratugur
interval.century=Century interval.century=Öld
interval.millennium=Millennium interval.millennium=Árþúsund
dateType.published=Date Published dateType.published=Færsludagsetning
dateType.modified=Date Modified dateType.modified=Breytingardagsetning

View file

@ -1,15 +1,15 @@
<!ENTITY zotero.general.optional "(Optional)"> <!ENTITY zotero.general.optional "(Valfrjálst)">
<!ENTITY zotero.general.note "Note:"> <!ENTITY zotero.general.note "Athugasemd:">
<!ENTITY zotero.general.selectAll "Select All"> <!ENTITY zotero.general.selectAll "Velja allt">
<!ENTITY zotero.general.deselectAll "Deselect All"> <!ENTITY zotero.general.deselectAll "Velja ekkert">
<!ENTITY zotero.general.edit "Edit"> <!ENTITY zotero.general.edit "Breyta">
<!ENTITY zotero.general.delete "Delete"> <!ENTITY zotero.general.delete "Eyða">
<!ENTITY zotero.errorReport.title "Zotero Error Report"> <!ENTITY zotero.errorReport.title "Zotero Error Report">
<!ENTITY zotero.errorReport.unrelatedMessages "The error log may include messages unrelated to Zotero."> <!ENTITY zotero.errorReport.unrelatedMessages "Villuskráin gæti innihaldið skilaboð sem ekki tengjast Zotero.">
<!ENTITY zotero.errorReport.submissionInProgress "Please wait while the error report is submitted."> <!ENTITY zotero.errorReport.submissionInProgress "Vinsamlegast bíðið á meðan villuskýrsla er send.">
<!ENTITY zotero.errorReport.submitted "Your error report has been submitted."> <!ENTITY zotero.errorReport.submitted "Villuskýrsla þín hefur verið send.">
<!ENTITY zotero.errorReport.reportID "Report ID:"> <!ENTITY zotero.errorReport.reportID "Auðkennisnúmer (ID) skýrslu:">
<!ENTITY zotero.errorReport.postToForums "Please post a message to the Zotero forums (forums.zotero.org) with this Report ID, a description of the problem, and any steps necessary to reproduce it."> <!ENTITY zotero.errorReport.postToForums "Please post a message to the Zotero forums (forums.zotero.org) with this Report ID, a description of the problem, and any steps necessary to reproduce it.">
<!ENTITY zotero.errorReport.notReviewed "Error reports are generally not reviewed unless referred to in the forums."> <!ENTITY zotero.errorReport.notReviewed "Error reports are generally not reviewed unless referred to in the forums.">
@ -174,8 +174,8 @@
<!ENTITY zotero.progress.title "Progress"> <!ENTITY zotero.progress.title "Progress">
<!ENTITY zotero.exportOptions.title "Export..."> <!ENTITY zotero.exportOptions.title "Flytja út...">
<!ENTITY zotero.exportOptions.format.label "Format:"> <!ENTITY zotero.exportOptions.format.label "Snið:">
<!ENTITY zotero.exportOptions.translatorOptions.label "Translator Options"> <!ENTITY zotero.exportOptions.translatorOptions.label "Translator Options">
<!ENTITY zotero.charset.label "Character Encoding"> <!ENTITY zotero.charset.label "Character Encoding">
@ -183,49 +183,49 @@
<!ENTITY zotero.citation.keepSorted.label "Keep Sources Sorted"> <!ENTITY zotero.citation.keepSorted.label "Keep Sources Sorted">
<!ENTITY zotero.citation.page "Page"> <!ENTITY zotero.citation.page "Blaðsíða">
<!ENTITY zotero.citation.paragraph "Paragraph"> <!ENTITY zotero.citation.paragraph "Málsgrein">
<!ENTITY zotero.citation.line "Line"> <!ENTITY zotero.citation.line "Lína">
<!ENTITY zotero.citation.suppressAuthor.label "Suppress Author"> <!ENTITY zotero.citation.suppressAuthor.label "Fela höfund">
<!ENTITY zotero.citation.prefix.label "Prefix:"> <!ENTITY zotero.citation.prefix.label "Forskeyti:">
<!ENTITY zotero.citation.suffix.label "Suffix:"> <!ENTITY zotero.citation.suffix.label "Viðskeyti:">
<!ENTITY zotero.citation.editorWarning.label "Warning: If you edit a citation in the editor it will no longer update to reflect changes in your database or the citation style."> <!ENTITY zotero.citation.editorWarning.label "Warning: If you edit a citation in the editor it will no longer update to reflect changes in your database or the citation style.">
<!ENTITY zotero.richText.italic.label "Italic"> <!ENTITY zotero.richText.italic.label "Skáletur">
<!ENTITY zotero.richText.bold.label "Bold"> <!ENTITY zotero.richText.bold.label "Feitletur">
<!ENTITY zotero.richText.underline.label "Underline"> <!ENTITY zotero.richText.underline.label "Undirstrikað">
<!ENTITY zotero.richText.superscript.label "Superscript"> <!ENTITY zotero.richText.superscript.label "Hávísir">
<!ENTITY zotero.richText.subscript.label "Subscript"> <!ENTITY zotero.richText.subscript.label "Lágvísir">
<!ENTITY zotero.annotate.toolbar.add.label "Add Annotation"> <!ENTITY zotero.annotate.toolbar.add.label "Bæta við áletrun">
<!ENTITY zotero.annotate.toolbar.collapse.label "Collapse All Annotations"> <!ENTITY zotero.annotate.toolbar.collapse.label "Fela allar áletranir">
<!ENTITY zotero.annotate.toolbar.expand.label "Expand All Annotations"> <!ENTITY zotero.annotate.toolbar.expand.label "Sýna allar áletranir">
<!ENTITY zotero.annotate.toolbar.highlight.label "Highlight Text"> <!ENTITY zotero.annotate.toolbar.highlight.label "Auðkenna texta">
<!ENTITY zotero.annotate.toolbar.unhighlight.label "Unhighlight Text"> <!ENTITY zotero.annotate.toolbar.unhighlight.label "Fjarlægja auðkenningu texta">
<!ENTITY zotero.integration.prefs.displayAs.label "Display Citations As:"> <!ENTITY zotero.integration.prefs.displayAs.label "Birta tilvísnair sem:">
<!ENTITY zotero.integration.prefs.footnotes.label "Footnotes"> <!ENTITY zotero.integration.prefs.footnotes.label "Neðanmálsgreinar">
<!ENTITY zotero.integration.prefs.endnotes.label "Endnotes"> <!ENTITY zotero.integration.prefs.endnotes.label "Aftanmálsgreinar">
<!ENTITY zotero.integration.prefs.formatUsing.label "Format Using:"> <!ENTITY zotero.integration.prefs.formatUsing.label "Forsnið samkvæmt:">
<!ENTITY zotero.integration.prefs.bookmarks.label "Bookmarks"> <!ENTITY zotero.integration.prefs.bookmarks.label "Bókamerki">
<!ENTITY zotero.integration.prefs.bookmarks.caption "Bookmarks are preserved across Microsoft Word and OpenOffice, but may be accidentally modified."> <!ENTITY zotero.integration.prefs.bookmarks.caption "Bookmarks are preserved across Microsoft Word and OpenOffice, but may be accidentally modified.">
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Automatically abbreviate journal titles"> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.label "Automatically abbreviate journal titles">
<!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "MEDLINE journal abbreviations will be automatically generated using journal titles. The “Journal Abbr” field will be ignored."> <!ENTITY zotero.integration.prefs.automaticJournalAbbeviations.caption "MEDLINE journal abbreviations will be automatically generated using journal titles. The “Journal Abbr” field will be ignored.">
<!ENTITY zotero.integration.prefs.storeReferences.label "Store references in document"> <!ENTITY zotero.integration.prefs.storeReferences.label "Vista tilvísanir í skjali">
<!ENTITY zotero.integration.prefs.storeReferences.caption "Storing references in your document slightly increases file size, but will allow you to share your document with others without using a Zotero group. Zotero 3.0 or later is required to update documents created with this option."> <!ENTITY zotero.integration.prefs.storeReferences.caption "Vistun tilvísana í skjali veldur lítilsháttar stækkun skjalanna, en leyfir þér að deila þínum skjölum með öðrum án þess að notar Zotero tól. Til að uppfæra skjöl sem voru búin til með þessari tilvísunaraðferð þarf að nota Zotero útgáfu 3.0 eða síðari útgáfur.">
<!ENTITY zotero.integration.showEditor.label "Show Editor"> <!ENTITY zotero.integration.showEditor.label "Sýna ritil">
<!ENTITY zotero.integration.classicView.label "Classic View"> <!ENTITY zotero.integration.classicView.label "Hefðbundin framsetning">
<!ENTITY zotero.integration.references.label "References in Bibliography"> <!ENTITY zotero.integration.references.label "Tilvitnanir í heimildaskrá">
<!ENTITY zotero.sync.button "Sync with Zotero Server"> <!ENTITY zotero.sync.button "Samhæfa Zotero netþjóni">
<!ENTITY zotero.sync.error "Sync Error"> <!ENTITY zotero.sync.error "Sæmhæfingarvilla">
<!ENTITY zotero.sync.storage.progress "Progress:"> <!ENTITY zotero.sync.storage.progress "Framgangur:">
<!ENTITY zotero.sync.storage.downloads "Downloads:"> <!ENTITY zotero.sync.storage.downloads "Downloads:">
<!ENTITY zotero.sync.storage.uploads "Uploads:"> <!ENTITY zotero.sync.storage.uploads "Uploads:">

View file

@ -1,46 +1,50 @@
extensions.zotero@chnm.gmu.edu.description=The Next-Generation Research Tool extensions.zotero@chnm.gmu.edu.description=Ný kynslóð rannsóknatækis
general.success=Success general.success=Tókst
general.error=Error general.error=Villa
general.warning=Warning general.warning=Viðvörun
general.dontShowWarningAgain=Don't show this warning again. general.dontShowWarningAgain=Ekki sýna þessa viðvörun aftur.
general.browserIsOffline=%S is currently in offline mode. general.browserIsOffline=%S er ekki skráður inn eins og er.
general.locate=Locate... general.locate=Finn...
general.restartRequired=Restart Required general.restartRequired=Endurræsingar er krafist
general.restartRequiredForChange=%S must be restarted for the change to take effect. general.restartRequiredForChange=%S verður að endurræsa svo breytingin verði virk.
general.restartRequiredForChanges=%S must be restarted for the changes to take effect. general.restartRequiredForChanges=%S verður að endurræsa svo breytingarnar verði virkar.
general.restartNow=Restart now general.restartNow=Endurræsa núna
general.restartLater=Restart later general.restartLater=Endurræsa síðar
general.restartApp=Restart %S general.restartApp=Restart %S
general.quitApp=Quit %S general.quitApp=Quit %S
general.errorHasOccurred=An error has occurred. general.errorHasOccurred=Villa hefur komið upp.
general.unknownErrorOccurred=An unknown error occurred. general.unknownErrorOccurred=Óþekkt villa hefur komið upp.
general.invalidResponseServer=Invalid response from server. general.invalidResponseServer=Invalid response from server.
general.tryAgainLater=Please try again in a few minutes. general.tryAgainLater=Please try again in a few minutes.
general.serverError=The server returned an error. Please try again. general.serverError=The server returned an error. Please try again.
general.restartFirefox=Please restart Firefox. general.restartFirefox=Vinsamlegast endurræsið %S
general.restartFirefoxAndTryAgain=Please restart Firefox and try again. general.restartFirefoxAndTryAgain=Vinsamlegast endurræsið %S og reynið aftur.
general.checkForUpdate=Check for update general.checkForUpdate=Athuga uppfærslur
general.actionCannotBeUndone=This action cannot be undone. general.actionCannotBeUndone=Ekki er hægt að taka þessa aðgerð til baka.
general.install=Install general.install=Setja upp
general.updateAvailable=Update Available general.updateAvailable=Uppfærsla er fáanleg
general.upgrade=Upgrade general.noUpdatesFound=No Updates Found
general.yes=Yes general.isUpToDate=%S is up to date.
general.no=No general.upgrade=Uppfæra
general.passed=Passed general.yes=
general.failed=Failed general.no=Nei
general.and=and general.notNow=Not Now
general.accessDenied=Access Denied general.passed=Virkaði
general.permissionDenied=Permission Denied general.failed=Brást
general.character.singular=character general.and=og
general.character.plural=characters general.etAl=og fl.
general.create=Create general.accessDenied=Aðgangi hafnað
general.permissionDenied=Aðgangsheimild hafnað
general.character.singular=letur
general.character.plural=letur
general.create=Skapa
general.delete=Delete general.delete=Delete
general.moreInformation=More Information general.moreInformation=More Information
general.seeForMoreInformation=See %S for more information. general.seeForMoreInformation=Sjá %S til frekari upplýsinga
general.enable=Enable general.enable=Virkja
general.disable=Disable general.disable=Lama
general.remove=Remove general.remove=Fjarlægja
general.reset=Reset general.reset=Reset
general.hide=Hide general.hide=Hide
general.quit=Quit general.quit=Quit
@ -48,38 +52,41 @@ general.useDefault=Use Default
general.openDocumentation=Open Documentation general.openDocumentation=Open Documentation
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=A Zotero operation is currently in progress. general.operationInProgress=Zotero aðgerð er í núna í vinnslu.
general.operationInProgress.waitUntilFinished=Please wait until it has finished. general.operationInProgress.waitUntilFinished=Vinsamlegast bíðið þar til henni er lokið.
general.operationInProgress.waitUntilFinishedAndTryAgain=Please wait until it has finished and try again. general.operationInProgress.waitUntilFinishedAndTryAgain=Vinsamlegast bíðið þar til henni er lokið og reynið aftur.
punctuation.openingQMark=" punctuation.openingQMark=
punctuation.closingQMark=" punctuation.closingQMark=
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Quick Start Guide install.quickStartGuide=Stuttar leiðbeiningar um Zotero
install.quickStartGuide.message.welcome=Welcome to Zotero! install.quickStartGuide.message.welcome=Velkomin í Zotero!
install.quickStartGuide.message.view=View the Quick Start Guide to learn how to begin collecting, managing, citing, and sharing your research sources. install.quickStartGuide.message.view=Skoðið Stuttar leiðbeiningar til að læra hvernig heimildum er bætti við, þær meðhöndlaðar, vísað í þær og hvernig þeim er deilt með öðrum.
install.quickStartGuide.message.thanks=Thanks for installing Zotero. install.quickStartGuide.message.thanks=Takk fyrir að setja upp Zotero.
upgrade.failed.title=Upgrade Failed upgrade.failed.title=Uppfærsla mistókst
upgrade.failed=Upgrading of the Zotero database failed: upgrade.failed=Uppfærsla á Zotero gagnagrunninum mistókst:
upgrade.advanceMessage=Press %S to upgrade now. upgrade.advanceMessage=Ýtið á %S til að uppfæra núna.
upgrade.dbUpdateRequired=The Zotero database must be updated. upgrade.dbUpdateRequired=Uppfæra þarf Zotero gagnagrunninn.
upgrade.integrityCheckFailed=Your Zotero database must be repaired before the upgrade can continue. upgrade.integrityCheckFailed=Það verður að laga Zotero gagnagrunninn áður en uppfærslan getur haldið áfram.
upgrade.loadDBRepairTool=Load Database Repair Tool upgrade.loadDBRepairTool=Hlaða inn tóli sem lagar gagnagrunninn
upgrade.couldNotMigrate=Zotero could not migrate all necessary files.\nPlease close any open attachment files and restart Firefox to try the upgrade again. upgrade.couldNotMigrate=Zotero could not migrate all necessary files.\nPlease close any open attachment files and restart Firefox to try the upgrade again.
upgrade.couldNotMigrate.restart=If you continue to receive this message, restart your computer. upgrade.couldNotMigrate.restart=Ef þú heldur áfram að fá þessi skilaboð skaltu endurræsa tölvuna þína.
errorReport.reportError=Report Error... errorReport.reportError=Tilkynna villu...
errorReport.reportErrors=Report Errors... errorReport.reportErrors=Tilkynna villur...
errorReport.reportInstructions=You can report this error by selecting "%S" from the Actions (gear) menu. errorReport.reportInstructions=Þú getur tilkynnt þessa villu með því að velja "%S" í tóla (tannhjóla) valseðlinum.
errorReport.followingErrors=The following errors have occurred since starting %S: errorReport.followingErrors=Þessar villur hafa átt sér stað frá því keyrsla %S hófst:
errorReport.advanceMessage=Press %S to send an error report to the Zotero developers. errorReport.advanceMessage=Ýttu á %S til að senda villuskilaboð til hönnuða Zotero.
errorReport.stepsToReproduce=Steps to Reproduce: errorReport.stepsToReproduce=Aðgerðir til endurtekningar:
errorReport.expectedResult=Expected result: errorReport.expectedResult=Væntanlegar niðurstöður:
errorReport.actualResult=Actual result: errorReport.actualResult=Fengnar niðurstöður:
errorReport.noNetworkConnection=No network connection errorReport.noNetworkConnection=Engin nettenging
errorReport.invalidResponseRepository=Invalid response from repository errorReport.invalidResponseRepository=Invalid response from repository
errorReport.repoCannotBeContacted=Repository cannot be contacted errorReport.repoCannotBeContacted=Repository cannot be contacted
@ -96,11 +103,11 @@ attachmentBasePath.clearBasePath.existingAttachments.singular=One existing attac
attachmentBasePath.clearBasePath.existingAttachments.plural=%S existing attachments within the old base directory will be converted to use absolute paths. attachmentBasePath.clearBasePath.existingAttachments.plural=%S existing attachments within the old base directory will be converted to use absolute paths.
attachmentBasePath.clearBasePath.button=Clear Base Directory Setting attachmentBasePath.clearBasePath.button=Clear Base Directory Setting
dataDir.notFound=The Zotero data directory could not be found. dataDir.notFound=Zotero gagnamappan fannst ekki.
dataDir.previousDir=Previous directory: dataDir.previousDir=Mappa ofar:
dataDir.useProfileDir=Use %S profile directory dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory dataDir.selectDir=Veldu Zotero gagnamöppu
dataDir.selectedDirNonEmpty.title=Directory Not Empty dataDir.selectedDirNonEmpty.title=Mappan er ekki tóm
dataDir.selectedDirNonEmpty.text=The directory you selected is not empty and does not appear to be a Zotero data directory.\n\nCreate Zotero files in this directory anyway? dataDir.selectedDirNonEmpty.text=The directory you selected is not empty and does not appear to be a Zotero data directory.\n\nCreate Zotero files in this directory anyway?
dataDir.selectedDirEmpty.title=Directory Empty dataDir.selectedDirEmpty.title=Directory Empty
dataDir.selectedDirEmpty.text=The directory you selected is empty. To move an existing Zotero data directory, you will need to manually move files from the existing data directory to the new location after %1$S has closed. dataDir.selectedDirEmpty.text=The directory you selected is empty. To move an existing Zotero data directory, you will need to manually move files from the existing data directory to the new location after %1$S has closed.
@ -109,54 +116,54 @@ dataDir.moveFilesToNewLocation=Be sure to move files from your existing Zotero d
dataDir.incompatibleDbVersion.title=Incompatible Database Version dataDir.incompatibleDbVersion.title=Incompatible Database Version
dataDir.incompatibleDbVersion.text=The currently selected data directory is not compatible with Zotero Standalone, which can share a database only with Zotero for Firefox 2.1b3 or later.\n\nUpgrade to the latest version of Zotero for Firefox first or select a different data directory for use with Zotero Standalone. dataDir.incompatibleDbVersion.text=The currently selected data directory is not compatible with Zotero Standalone, which can share a database only with Zotero for Firefox 2.1b3 or later.\n\nUpgrade to the latest version of Zotero for Firefox first or select a different data directory for use with Zotero Standalone.
dataDir.standaloneMigration.title=Existing Zotero Library Found dataDir.standaloneMigration.title=Existing Zotero Library Found
dataDir.standaloneMigration.description=This appears to be your first time using %1$S. Would you like %1$S to import settings from %2$S and use your existing data directory? dataDir.standaloneMigration.description=Þetta virðist vera í fyrsta sinn sem þú notar $1$S. Viltu leyfa %1$S að flytja inn stillingar frá %2$S og nota fyrirliggjandi gagnamöppu?
dataDir.standaloneMigration.multipleProfiles=%1$S will share its data directory with the most recently used profile. dataDir.standaloneMigration.multipleProfiles=%1$S mun deila gagnamöppu sinni með síðasta notanda.
dataDir.standaloneMigration.selectCustom=Custom Data Directory… dataDir.standaloneMigration.selectCustom=Sérvalin gagnamappa...
app.standalone=Zotero Standalone app.standalone=Zotero sjálfstætt
app.firefox=Zotero for Firefox app.firefox=Zotero fyrir Firefox
startupError=There was an error starting Zotero. startupError=Það kom upp villa við keyrslu á Zotero.
startupError.databaseInUse=Your Zotero database is currently in use. Only one instance of Zotero using the same database may be opened simultaneously at this time. startupError.databaseInUse=Zotero gagnagrunnurinn þinn er núna í notkun. Einungis einn aðili getur á hverjum tíma notað tiltekinn Zotero gagnagrunn.
startupError.closeStandalone=If Zotero Standalone is open, please close it and restart Firefox. startupError.closeStandalone=Ef sjálfstæða útgáfa Zotero er opin, lokið henni þá og endurræsið Firefox.
startupError.closeFirefox=If Firefox with the Zotero extension is open, please close it and restart Zotero Standalone. startupError.closeFirefox=Ef Firefox með Zotero viðbótinni er opið, vinsamlegast lokið því og endurræsið sjálfstæðu útgáfu Zotero.
startupError.databaseCannotBeOpened=The Zotero database cannot be opened. startupError.databaseCannotBeOpened=Ekki reyndist hægt að opna Zotero gagnagrunninn.
startupError.checkPermissions=Make sure you have read and write permissions to all files in the Zotero data directory. startupError.checkPermissions=Þú verður að tryggja að þú hafir hvoru tveggja les- og skrifaðgang að öllum skrám í Zotero gagnamöppunni.
startupError.zoteroVersionIsOlder=This version of Zotero is older than the version last used with your database. startupError.zoteroVersionIsOlder=Þessi útgáfa af Zotero er eldri en útgáfan sem síðast var notuð með gagnagrunni þínum.
startupError.zoteroVersionIsOlder.upgrade=Please upgrade to the latest version from zotero.org. startupError.zoteroVersionIsOlder.upgrade=Vinsamlegast uppfærðu í nýjustu útgáfuna frá zotero.org.
startupError.zoteroVersionIsOlder.current=Current version: %S startupError.zoteroVersionIsOlder.current=Núverandi útgáfa: %S
startupError.databaseUpgradeError=Database upgrade error startupError.databaseUpgradeError=Villa við uppfærslu á gagnagrunni
date.relative.secondsAgo.one=1 second ago date.relative.secondsAgo.one=Fyrir 1 sekúndu síðan
date.relative.secondsAgo.multiple=%S seconds ago date.relative.secondsAgo.multiple=Fyrir %S sekúndum síðan
date.relative.minutesAgo.one=1 minute ago date.relative.minutesAgo.one=Fyrir 1 mínútu síðan
date.relative.minutesAgo.multiple=%S minutes ago date.relative.minutesAgo.multiple=Fyrir %S mínútum síðan
date.relative.hoursAgo.one=1 hour ago date.relative.hoursAgo.one=Fyrir 1 klukkutíma síðan
date.relative.hoursAgo.multiple=%S hours ago date.relative.hoursAgo.multiple=Fyrir %S klukkutímum síðan
date.relative.daysAgo.one=1 day ago date.relative.daysAgo.one=Fyrir 1 degi síðan
date.relative.daysAgo.multiple=%S days ago date.relative.daysAgo.multiple=Fyrir %S dögum síðan
date.relative.yearsAgo.one=1 year ago date.relative.yearsAgo.one=Fyrir 1 ári síðan
date.relative.yearsAgo.multiple=%S years ago date.relative.yearsAgo.multiple=Fyrir %S árum síðan
pane.collections.delete.title=Delete Collection pane.collections.delete.title=Delete Collection
pane.collections.delete=Viltu örugglega eyða völd safni? pane.collections.delete=Viltu örugglega eyða völdu safni?
pane.collections.delete.keepItems=Items within this collection will not be deleted. pane.collections.delete.keepItems=Items within this collection will not be deleted.
pane.collections.deleteWithItems.title=Delete Collection and Items pane.collections.deleteWithItems.title=Delete Collection and Items
pane.collections.deleteWithItems=Are you sure you want to delete the selected collection and move all items within it to the Trash? pane.collections.deleteWithItems=Are you sure you want to delete the selected collection and move all items within it to the Trash?
pane.collections.deleteSearch.title=Delete Search pane.collections.deleteSearch.title=Delete Search
pane.collections.deleteSearch=Viltu örugglega eyða valdri leit? pane.collections.deleteSearch=Viltu örugglega eyða valdri leit?
pane.collections.emptyTrash=Are you sure you want to permanently remove items in the Trash? pane.collections.emptyTrash=Ertu viss um að þú viljir endanlega eyða færslum úr ruslakörfunni?
pane.collections.newCollection=New Collection pane.collections.newCollection=Nýtt safn
pane.collections.name=Nafn á safni: pane.collections.name=Nafn á safni:
pane.collections.newSavedSeach=New Saved Search pane.collections.newSavedSeach=Ný leit vistuð
pane.collections.savedSearchName=Enter a name for this saved search: pane.collections.savedSearchName=Nafn á leit til vistunar:
pane.collections.rename=Endurnefnt safn: pane.collections.rename=Endurnefnt safn:
pane.collections.library=Mitt safn pane.collections.library=Mitt safn
pane.collections.groupLibraries=Group Libraries pane.collections.groupLibraries=Group Libraries
pane.collections.trash=Trash pane.collections.trash=Rusl
pane.collections.untitled=Enginn titill pane.collections.untitled=Enginn titill
pane.collections.unfiled=Unfiled Items pane.collections.unfiled=Óflokkaðar færslu
pane.collections.duplicate=Duplicate Items pane.collections.duplicate=Duplicate Items
pane.collections.menu.rename.collection=Endurnefna safn pane.collections.menu.rename.collection=Endurnefna safn
@ -184,12 +191,12 @@ pane.tagSelector.maxColoredTags=Only %S tags in each library can have colors ass
tagColorChooser.numberKeyInstructions=You can add this tag to selected items by pressing the $NUMBER key on the keyboard. tagColorChooser.numberKeyInstructions=You can add this tag to selected items by pressing the $NUMBER key on the keyboard.
tagColorChooser.maxTags=Up to %S tags in each library can have colors assigned. tagColorChooser.maxTags=Up to %S tags in each library can have colors assigned.
pane.items.loading=Loading items list... pane.items.loading=Flyt inn færslur...
pane.items.attach.link.uri.title=Attach Link to URI pane.items.attach.link.uri.title=Attach Link to URI
pane.items.attach.link.uri=Enter a URI: pane.items.attach.link.uri=Enter a URI:
pane.items.trash.title=Move to Trash pane.items.trash.title=Færa í ruslið
pane.items.trash=Are you sure you want to move the selected item to the Trash? pane.items.trash=Ertu viss um að þú viljir flytja valda færslu í ruslið?
pane.items.trash.multiple=Are you sure you want to move the selected items to the Trash? pane.items.trash.multiple=Ertu viss um að þú viljir færa valdar færslur í ruslið?
pane.items.delete.title=Eyða pane.items.delete.title=Eyða
pane.items.delete=Viltu örugglega eyða valdri færslu? pane.items.delete=Viltu örugglega eyða valdri færslu?
pane.items.delete.multiple=Viltu örugglega eyða völdum færslum? pane.items.delete.multiple=Viltu örugglega eyða völdum færslum?
@ -203,23 +210,23 @@ pane.items.menu.createBib=Create Bibliography from Selected Item...
pane.items.menu.createBib.multiple=Create Bibliography from Selected Items... pane.items.menu.createBib.multiple=Create Bibliography from Selected Items...
pane.items.menu.generateReport=Generate Report from Selected Item... pane.items.menu.generateReport=Generate Report from Selected Item...
pane.items.menu.generateReport.multiple=Generate Report from Selected Items... pane.items.menu.generateReport.multiple=Generate Report from Selected Items...
pane.items.menu.reindexItem=Reindex Item pane.items.menu.reindexItem=Endurskrá færslu
pane.items.menu.reindexItem.multiple=Reindex Items pane.items.menu.reindexItem.multiple=Endurskrá færslur
pane.items.menu.recognizePDF=Retrieve Metadata for PDF pane.items.menu.recognizePDF=Sækja Meta gögn fyrir PDF skrá
pane.items.menu.recognizePDF.multiple=Retrieve Metadata for PDFs pane.items.menu.recognizePDF.multiple=Sækja Meta gögn fyrir PDF skrár
pane.items.menu.createParent=Create Parent Item pane.items.menu.createParent=Create Parent Item
pane.items.menu.createParent.multiple=Create Parent Items pane.items.menu.createParent.multiple=Create Parent Items
pane.items.menu.renameAttachments=Rename File from Parent Metadata pane.items.menu.renameAttachments=Endurnefna skrá í samræmi við lýsigögn sem fylgja skránni
pane.items.menu.renameAttachments.multiple=Rename Files from Parent Metadata pane.items.menu.renameAttachments.multiple=Endurnefna skrár í samræmi við lýsigögn sem fylgja skránum
pane.items.letter.oneParticipant=Letter to %S pane.items.letter.oneParticipant=Bréf til %S
pane.items.letter.twoParticipants=Letter to %S and %S pane.items.letter.twoParticipants=Bréf til %S og %S
pane.items.letter.threeParticipants=Letter to %S, %S, and %S pane.items.letter.threeParticipants=Bréf til %S, %S, og %S
pane.items.letter.manyParticipants=Letter to %S et al. pane.items.letter.manyParticipants=Bréf til %S og fl.
pane.items.interview.oneParticipant=Interview by %S pane.items.interview.oneParticipant=Viðtalið tók %S
pane.items.interview.twoParticipants=Interview by %S and %S pane.items.interview.twoParticipants=Viðtalið tóku %S og %S
pane.items.interview.threeParticipants=Interview by %S, %S, and %S pane.items.interview.threeParticipants=Viðtalið tóku %S, %S, og %S
pane.items.interview.manyParticipants=Interview by %S et al. pane.items.interview.manyParticipants=Viðtalið tóku %S og fl.
pane.item.selected.zero=Engar færslur valdar pane.item.selected.zero=Engar færslur valdar
pane.item.selected.multiple=%S færslur valdar pane.item.selected.multiple=%S færslur valdar
@ -233,26 +240,26 @@ pane.item.duplicates.writeAccessRequired=Library write access is required to mer
pane.item.duplicates.onlyTopLevel=Only top-level full items can be merged. pane.item.duplicates.onlyTopLevel=Only top-level full items can be merged.
pane.item.duplicates.onlySameItemType=Merged items must all be of the same item type. pane.item.duplicates.onlySameItemType=Merged items must all be of the same item type.
pane.item.changeType.title=Change Item Type pane.item.changeType.title=Breyta tegund færslu
pane.item.changeType.text=Are you sure you want to change the item type?\n\nThe following fields will be lost: pane.item.changeType.text=Are you sure you want to change the item type?\n\nThe following fields will be lost:
pane.item.defaultFirstName=firsta pane.item.defaultFirstName=fyrsta
pane.item.defaultLastName=síðasta pane.item.defaultLastName=síðasta
pane.item.defaultFullName=fullt nafn pane.item.defaultFullName=fullt nafn
pane.item.switchFieldMode.one=Switch to single field pane.item.switchFieldMode.one=Skipta yfir í eitt svæði
pane.item.switchFieldMode.two=Switch to two fields pane.item.switchFieldMode.two=Skipta yfir í tvö svæði
pane.item.creator.moveUp=Move Up pane.item.creator.moveUp=Move Up
pane.item.creator.moveDown=Move Down pane.item.creator.moveDown=Move Down
pane.item.notes.untitled=Untitled Note pane.item.notes.untitled=Athugasemd án titils
pane.item.notes.delete.confirm=Are you sure you want to delete this note? pane.item.notes.delete.confirm=Ertu viss um að þú viljir eyða þessari athugasemd?
pane.item.notes.count.zero=%S notes: pane.item.notes.count.zero=%S athugasemd:
pane.item.notes.count.singular=%S note: pane.item.notes.count.singular=%S athugasemd:
pane.item.notes.count.plural=%S notes: pane.item.notes.count.plural=%S athugasemdir:
pane.item.attachments.rename.title=Nýr titill: pane.item.attachments.rename.title=Nýr titill:
pane.item.attachments.rename.renameAssociatedFile=Rename associated file pane.item.attachments.rename.renameAssociatedFile=Endurnefna tengt skjal
pane.item.attachments.rename.error=An error occurred while renaming the file. pane.item.attachments.rename.error=Villa kom upp við að endurnefna skjalið.
pane.item.attachments.fileNotFound.title=File Not Found pane.item.attachments.fileNotFound.title=Skrá fannst ekki
pane.item.attachments.fileNotFound.text=The attached file could not be found.\n\nIt may have been moved or deleted outside of Zotero. pane.item.attachments.fileNotFound.text=The attached file could not be found.\n\nIt may have been moved or deleted outside of Zotero.
pane.item.attachments.delete.confirm=Are you sure you want to delete this attachment? pane.item.attachments.delete.confirm=Viltu örugglega eyða völdu viðhengi?
pane.item.attachments.count.zero=%S viðhengi: pane.item.attachments.count.zero=%S viðhengi:
pane.item.attachments.count.singular=%S viðhengi: pane.item.attachments.count.singular=%S viðhengi:
pane.item.attachments.count.plural=%S viðhengi: pane.item.attachments.count.plural=%S viðhengi:
@ -260,39 +267,39 @@ pane.item.attachments.select=Veldu skrá
pane.item.attachments.PDF.installTools.title=PDF Tools Not Installed pane.item.attachments.PDF.installTools.title=PDF Tools Not Installed
pane.item.attachments.PDF.installTools.text=To use this feature, you must first install the PDF tools in the Search pane of the Zotero preferences. pane.item.attachments.PDF.installTools.text=To use this feature, you must first install the PDF tools in the Search pane of the Zotero preferences.
pane.item.attachments.filename=Filename pane.item.attachments.filename=Filename
pane.item.noteEditor.clickHere=click here pane.item.noteEditor.clickHere=Smelldu hér
pane.item.tags.count.zero=%S tög: pane.item.tags.count.zero=%S tög:
pane.item.tags.count.singular=%S tag: pane.item.tags.count.singular=%S tag:
pane.item.tags.count.plural=%S tög: pane.item.tags.count.plural=%S tög:
pane.item.tags.icon.user=User-added tag pane.item.tags.icon.user=Tag frá notanda
pane.item.tags.icon.automatic=Automatically added tag pane.item.tags.icon.automatic=Sjálkfkrafa valið tag
pane.item.related.count.zero=%S tengt: pane.item.related.count.zero=%S tengt:
pane.item.related.count.singular=%S tengt: pane.item.related.count.singular=%S tengt:
pane.item.related.count.plural=%S tengt: pane.item.related.count.plural=%S tengd:
pane.item.parentItem=Parent Item: pane.item.parentItem=Móðurfærsla:
noteEditor.editNote=Edit Note noteEditor.editNote=Lagfæra athugasemd
itemTypes.note=Note itemTypes.note=Athugasemd
itemTypes.attachment=Viðhengi itemTypes.attachment=Viðhengi
itemTypes.book=Bók itemTypes.book=Bók
itemTypes.bookSection=Bókarhluti itemTypes.bookSection=Bókarhluti
itemTypes.journalArticle=Journal Article itemTypes.journalArticle=Fræðigrein í tímariti
itemTypes.magazineArticle=Tímaritsgrein itemTypes.magazineArticle=Tímaritsgrein
itemTypes.newspaperArticle=Grein í dagblaði itemTypes.newspaperArticle=Grein í dagblaði
itemTypes.thesis=Thesis itemTypes.thesis=Ritgerð
itemTypes.letter=Bréf itemTypes.letter=Bréf
itemTypes.manuscript=Handrit itemTypes.manuscript=Handrit
itemTypes.interview=Viðtal itemTypes.interview=Viðtal
itemTypes.film=Bíómynd itemTypes.film=Kvikmynd
itemTypes.artwork=Listaverk itemTypes.artwork=Listaverk
itemTypes.webpage=Vefur itemTypes.webpage=Vefsíða
itemTypes.report=Skýrsla itemTypes.report=Skýrsla
itemTypes.bill=Reikningur itemTypes.bill=Tilkynning
itemTypes.case=Case itemTypes.case=Mál
itemTypes.hearing=Réttarhöld itemTypes.hearing=Réttarhöld
itemTypes.patent=Einkaleyfi itemTypes.patent=Einkaleyfi
itemTypes.statute=Statute itemTypes.statute=Lög
itemTypes.email=Tölvupóstur itemTypes.email=Tölvupóstur
itemTypes.map=Kort itemTypes.map=Kort
itemTypes.blogPost=Bloggfærsla itemTypes.blogPost=Bloggfærsla
@ -305,125 +312,125 @@ itemTypes.tvBroadcast=Sjónvarpsútsending
itemTypes.radioBroadcast=Útvarpsútsending itemTypes.radioBroadcast=Útvarpsútsending
itemTypes.podcast=Hljóðvarp itemTypes.podcast=Hljóðvarp
itemTypes.computerProgram=Forrit itemTypes.computerProgram=Forrit
itemTypes.conferencePaper=Conference Paper itemTypes.conferencePaper=Ráðstefnugrein
itemTypes.document=Skjal itemTypes.document=Skjal
itemTypes.encyclopediaArticle=Encyclopedia Article itemTypes.encyclopediaArticle=Færsla í alfræðiriti
itemTypes.dictionaryEntry=Dictionary Entry itemTypes.dictionaryEntry=Færsla í orðabók
itemFields.itemType=Tegund itemFields.itemType=Tegund
itemFields.title=Titill itemFields.title=Titill
itemFields.dateAdded=Date Added itemFields.dateAdded=Dagsetning viðbótar
itemFields.dateModified=Breytt itemFields.dateModified=Breytt
itemFields.source=Source itemFields.source=Upprunaleg heimild
itemFields.notes=Athugasemdir itemFields.notes=Athugasemdir
itemFields.tags=Tög itemFields.tags=Tög
itemFields.attachments=Viðhengi itemFields.attachments=Viðhengi
itemFields.related=Tengt itemFields.related=Tengt
itemFields.url=URL itemFields.url=Slóð
itemFields.rights=Rights itemFields.rights=Réttur
itemFields.series=Series itemFields.series=Ritröð
itemFields.volume=Volume itemFields.volume=Bindi
itemFields.issue=Hefti itemFields.issue=Hefti
itemFields.edition=Útgáfa itemFields.edition=Útgáfa
itemFields.place=Staðsetning itemFields.place=Staðsetning
itemFields.publisher=Útgefandi itemFields.publisher=Útgefandi
itemFields.pages=Blaðsíður itemFields.pages=Blaðsíður
itemFields.ISBN=ISBN itemFields.ISBN=ISBN
itemFields.publicationTitle=Publication itemFields.publicationTitle=Útgáfa
itemFields.ISSN=ISSN itemFields.ISSN=ISSN
itemFields.date=Dagsetning itemFields.date=Dagsetning
itemFields.section=Hluti itemFields.section=Hluti
itemFields.callNumber=Call Number itemFields.callNumber=Hillumerking
itemFields.archiveLocation=Loc. in Archive itemFields.archiveLocation=Staðsetning í safni
itemFields.distributor=Dreifingaraðili itemFields.distributor=Dreifingaraðili
itemFields.extra=Extra itemFields.extra=Viðbót
itemFields.journalAbbreviation=Journal Abbr itemFields.journalAbbreviation=Skammstöfun fræðarits
itemFields.DOI=DOI itemFields.DOI=DOI
itemFields.accessDate=Sótt itemFields.accessDate=Sótt
itemFields.seriesTitle=Series Title itemFields.seriesTitle=Titill ritraðar
itemFields.seriesText=Series Text itemFields.seriesText=Nafn eintaks í ritröð
itemFields.seriesNumber=Series Number itemFields.seriesNumber=Númer ritraðar
itemFields.institution=Stofnun itemFields.institution=Stofnun
itemFields.reportType=Tegund skýrslu itemFields.reportType=Tegund skýrslu
itemFields.code=Kóði itemFields.code=Kóði
itemFields.session=Session itemFields.session=Seta
itemFields.legislativeBody=Legislative Body itemFields.legislativeBody=Lagastofnun
itemFields.history=Saga itemFields.history=Saga
itemFields.reporter=Blaðamaður itemFields.reporter=Blaðamaður
itemFields.court=Court itemFields.court=Réttur
itemFields.numberOfVolumes=# of Volumes itemFields.numberOfVolumes=Fjöldi binda
itemFields.committee=Nefnd itemFields.committee=Nefnd
itemFields.assignee=Assignee itemFields.assignee=Málstaki
itemFields.patentNumber=Einkaleyfi nr. itemFields.patentNumber=Einkaleyfi nr.
itemFields.priorityNumbers=Priority Numbers itemFields.priorityNumbers=Forgangsnúmer
itemFields.issueDate=Issue Date itemFields.issueDate=Útgáfudagsetning
itemFields.references=References itemFields.references=Tilvísanir
itemFields.legalStatus=Legal Status itemFields.legalStatus=Lagaleg staða
itemFields.codeNumber=Code Number itemFields.codeNumber=Kóðanúmer
itemFields.artworkMedium=Medium itemFields.artworkMedium=Miðill
itemFields.number=Númer itemFields.number=Númer
itemFields.artworkSize=Stærð verks itemFields.artworkSize=Stærð verks
itemFields.libraryCatalog=Library Catalog itemFields.libraryCatalog=Gagnaskrá
itemFields.videoRecordingFormat=Format itemFields.videoRecordingFormat=Upptökusnið
itemFields.interviewMedium=Miðill itemFields.interviewMedium=Miðill
itemFields.letterType=Tegund itemFields.letterType=Tegund leturs
itemFields.manuscriptType=Tegund itemFields.manuscriptType=Tegund ritverks
itemFields.mapType=Tegund itemFields.mapType=Tegund korts
itemFields.scale=Skali itemFields.scale=Skali
itemFields.thesisType=Tegund itemFields.thesisType=Tegund
itemFields.websiteType=Tegund vefs itemFields.websiteType=Tegund vefs
itemFields.audioRecordingFormat=Format itemFields.audioRecordingFormat=Hljóðupptökusnið
itemFields.label=Label itemFields.label=Merki
itemFields.presentationType=Tegund itemFields.presentationType=Tegund
itemFields.meetingName=Heiti fundar itemFields.meetingName=Heiti fundar
itemFields.studio=Stúdíó itemFields.studio=Stúdíó
itemFields.runningTime=Lengd itemFields.runningTime=Lengd
itemFields.network=Network itemFields.network=Gagnanet
itemFields.postType=Post Type itemFields.postType=Póstsnið
itemFields.audioFileType=Skráartegund itemFields.audioFileType=Skráartegund
itemFields.version=Útgáfa itemFields.version=Útgáfa
itemFields.system=Kerfi itemFields.system=Kerfi
itemFields.company=Fyrirtæki itemFields.company=Fyrirtæki
itemFields.conferenceName=Heiti ráðstefnu itemFields.conferenceName=Heiti ráðstefnu
itemFields.encyclopediaTitle=Encyclopedia Title itemFields.encyclopediaTitle=Nafn alfræðirits
itemFields.dictionaryTitle=Dictionary Title itemFields.dictionaryTitle=Nafn orðabókar
itemFields.language=Language itemFields.language=Tungumál
itemFields.programmingLanguage=Language itemFields.programmingLanguage=Forritunarmál
itemFields.university=University itemFields.university=Háskóli
itemFields.abstractNote=Abstract itemFields.abstractNote=Ágrip
itemFields.websiteTitle=Website Title itemFields.websiteTitle=Titill vefsíðu
itemFields.reportNumber=Report Number itemFields.reportNumber=Skýrslunúmer
itemFields.billNumber=Bill Number itemFields.billNumber=Tilkynningarnúmer
itemFields.codeVolume=Code Volume itemFields.codeVolume=Magn kóða
itemFields.codePages=Code Pages itemFields.codePages=Síður kóða
itemFields.dateDecided=Date Decided itemFields.dateDecided=Dagsetning ákvörðunar
itemFields.reporterVolume=Reporter Volume itemFields.reporterVolume=Fjöldi blaðamanna
itemFields.firstPage=First Page itemFields.firstPage=Fyrsta síða
itemFields.documentNumber=Document Number itemFields.documentNumber=Skjalanúmer
itemFields.dateEnacted=Date Enacted itemFields.dateEnacted=Virkjunardagsetning
itemFields.publicLawNumber=Public Law Number itemFields.publicLawNumber=Lög númer
itemFields.country=Country itemFields.country=Land
itemFields.applicationNumber=Application Number itemFields.applicationNumber=Umsókn númer
itemFields.forumTitle=Forum/Listserv Title itemFields.forumTitle=Titill Málþings\netsvæðis
itemFields.episodeNumber=Episode Number itemFields.episodeNumber=Þáttur númer
itemFields.blogTitle=Blog Title itemFields.blogTitle=Titill á Bloggi
itemFields.medium=Medium itemFields.medium=Miðill
itemFields.caseName=Case Name itemFields.caseName=Nafn máls
itemFields.nameOfAct=Name of Act itemFields.nameOfAct=Nafn laga
itemFields.subject=Subject itemFields.subject=Efni
itemFields.proceedingsTitle=Proceedings Title itemFields.proceedingsTitle=Titill málstofu
itemFields.bookTitle=Book Title itemFields.bookTitle=Titill bókar
itemFields.shortTitle=Short Title itemFields.shortTitle=Stuttur titill
itemFields.docketNumber=Docket Number itemFields.docketNumber=Málsnúmer
itemFields.numPages=# of Pages itemFields.numPages=# síður
itemFields.programTitle=Program Title itemFields.programTitle=Titill forrits
itemFields.issuingAuthority=Issuing Authority itemFields.issuingAuthority=Útgefandi
itemFields.filingDate=Filing Date itemFields.filingDate=Dagsetning skráningar
itemFields.genre=Genre itemFields.genre=Tegund
itemFields.archive=Archive itemFields.archive=Safnvista
creatorTypes.author=Höfundur creatorTypes.author=Höfundur
creatorTypes.contributor=Contributor creatorTypes.contributor=Aðili að verki
creatorTypes.editor=Ritstjóri creatorTypes.editor=Ritstjóri
creatorTypes.translator=Þýðandi creatorTypes.translator=Þýðandi
creatorTypes.seriesEditor=Ritstjóri ritraðar creatorTypes.seriesEditor=Ritstjóri ritraðar
@ -435,67 +442,67 @@ creatorTypes.producer=Framleiðandi
creatorTypes.castMember=Leikari creatorTypes.castMember=Leikari
creatorTypes.sponsor=Stuðningsaðili creatorTypes.sponsor=Stuðningsaðili
creatorTypes.counsel=Ráðgjöf creatorTypes.counsel=Ráðgjöf
creatorTypes.inventor=Inventor creatorTypes.inventor=Uppfinningamaður
creatorTypes.attorneyAgent=Attorney/Agent creatorTypes.attorneyAgent=Lögfræðingur/fulltrúi
creatorTypes.recipient=Recipient creatorTypes.recipient=Viðtakandi
creatorTypes.performer=Leikari creatorTypes.performer=Leikari
creatorTypes.composer=Höfundur creatorTypes.composer=Höfundur
creatorTypes.wordsBy=Textahöfundur creatorTypes.wordsBy=Textahöfundur
creatorTypes.cartographer=Cartographer creatorTypes.cartographer=Kortagerð
creatorTypes.programmer=Forritari creatorTypes.programmer=Forritari
creatorTypes.artist=Listamaður creatorTypes.artist=Listamaður
creatorTypes.commenter=Commenter creatorTypes.commenter=Athugasemdir
creatorTypes.presenter=Kynnandi creatorTypes.presenter=Kynnandi
creatorTypes.guest=Gestur creatorTypes.guest=Gestur
creatorTypes.podcaster=Podcaster creatorTypes.podcaster=Hlaðvörpun
creatorTypes.reviewedAuthor=Reviewed Author creatorTypes.reviewedAuthor=Yfirlestrarhöfundur
creatorTypes.cosponsor=Cosponsor creatorTypes.cosponsor=Stuðningsþátttakandi
creatorTypes.bookAuthor=Book Author creatorTypes.bookAuthor=Höfundur bókar
fileTypes.webpage=Web Page fileTypes.webpage=Vefsíða
fileTypes.image=Image fileTypes.image=Mynd
fileTypes.pdf=PDF fileTypes.pdf=PDF
fileTypes.audio=Audio fileTypes.audio=Hljóð
fileTypes.video=Video fileTypes.video=Kvikmynd
fileTypes.presentation=Presentation fileTypes.presentation=Kynning
fileTypes.document=Document fileTypes.document=Skjal
save.attachment=Saving Snapshot... save.attachment=Saving Snapshot...
save.link=Saving Link... save.link=Saving Link...
save.link.error=An error occurred while saving this link. save.link.error=Villa átti sér stað við vistun þessarar slóðar
save.error.cannotMakeChangesToCollection=You cannot make changes to the currently selected collection. save.error.cannotMakeChangesToCollection=You cannot make changes to the currently selected collection.
save.error.cannotAddFilesToCollection=You cannot add files to the currently selected collection. save.error.cannotAddFilesToCollection=You cannot add files to the currently selected collection.
ingester.saveToZotero=Save to Zotero ingester.saveToZotero=Vista í Zotero
ingester.saveToZoteroUsing=Save to Zotero using "%S" ingester.saveToZoteroUsing=Vista í Zotero með "%S"
ingester.scraping=Vista færslu... ingester.scraping=Vista færslu...
ingester.scrapingTo=Saving to ingester.scrapingTo=Saving to
ingester.scrapeComplete=Færsla vistuð ingester.scrapeComplete=Færsla vistuð
ingester.scrapeError=Gat ekki vistað færslu. ingester.scrapeError=Gat ekki vistað færslu.
ingester.scrapeErrorDescription=An error occurred while saving this item. Check %S for more information. ingester.scrapeErrorDescription=Villa átti sér stað við vistun þessarar færslu. Skoðaðu %S til frekari upplýsinga.
ingester.scrapeErrorDescription.linkText=Known Translator Issues ingester.scrapeErrorDescription.linkText=Þekkt þýðingavandamál
ingester.scrapeErrorDescription.previousError=The saving process failed due to a previous Zotero error. ingester.scrapeErrorDescription.previousError=Vistunarferlið mistókst vegna fyrri villu í Zotero.
ingester.importReferRISDialog.title=Zotero RIS/Refer Import ingester.importReferRISDialog.title=Zotero RIS/Refer innflutningur
ingester.importReferRISDialog.text=Do you want to import items from "%1$S" into Zotero?\n\nYou can disable automatic RIS/Refer import in the Zotero preferences. ingester.importReferRISDialog.text=Do you want to import items from "%1$S" into Zotero?\n\nYou can disable automatic RIS/Refer import in the Zotero preferences.
ingester.importReferRISDialog.checkMsg=Always allow for this site ingester.importReferRISDialog.checkMsg=Leyfa alltaf þessu vefsetri
ingester.importFile.title=Import File ingester.importFile.title=Flytja inn skrá
ingester.importFile.text=Do you want to import the file "%S"? ingester.importFile.text=Do you want to import the file "%S"?
ingester.importFile.intoNewCollection=Import into new collection ingester.importFile.intoNewCollection=Import into new collection
ingester.lookup.performing=Performing Lookup… ingester.lookup.performing=Framkvæmi leit...
ingester.lookup.error=An error occurred while performing lookup for this item. ingester.lookup.error=Villa átti sér stað við leit á þessari færslu.
db.dbCorrupted=The Zotero database '%S' appears to have become corrupted. db.dbCorrupted=Zotero gagnagrunnur '%S' virðist vera skemmdur.
db.dbCorrupted.restart=Please restart Firefox to attempt an automatic restore from the last backup. db.dbCorrupted.restart=Please restart Firefox to attempt an automatic restore from the last backup.
db.dbCorruptedNoBackup=The Zotero database '%S' appears to have become corrupted, and no automatic backup is available.\n\nA new database file has been created. The damaged file was saved in your Zotero directory. db.dbCorruptedNoBackup=The Zotero database '%S' appears to have become corrupted, and no automatic backup is available.\n\nA new database file has been created. The damaged file was saved in your Zotero directory.
db.dbRestored=The Zotero database '%1$S' appears to have become corrupted.\n\nYour data was restored from the last automatic backup made on %2$S at %3$S. The damaged file was saved in your Zotero directory. db.dbRestored=The Zotero database '%1$S' appears to have become corrupted.\n\nYour data was restored from the last automatic backup made on %2$S at %3$S. The damaged file was saved in your Zotero directory.
db.dbRestoreFailed=The Zotero database '%S' appears to have become corrupted, and an attempt to restore from the last automatic backup failed.\n\nA new database file has been created. The damaged file was saved in your Zotero directory. db.dbRestoreFailed=The Zotero database '%S' appears to have become corrupted, and an attempt to restore from the last automatic backup failed.\n\nA new database file has been created. The damaged file was saved in your Zotero directory.
db.integrityCheck.passed=No errors were found in the database. db.integrityCheck.passed=Engar villur fundust í gagnagrunninum.
db.integrityCheck.failed=Errors were found in your Zotero database. db.integrityCheck.failed=Errors were found in your Zotero database.
db.integrityCheck.dbRepairTool=You can use the database repair tool at http://zotero.org/utils/dbfix to attempt to correct these errors. db.integrityCheck.dbRepairTool=Þú getur reynt að laga villur í gagnagrunni með tóli sem hægt er að nálgast á http://zotero.org/utils/dbfix.
db.integrityCheck.repairAttempt=Zotero can attempt to correct these errors. db.integrityCheck.repairAttempt=Zotero can attempt to correct these errors.
db.integrityCheck.appRestartNeeded=%S will need to be restarted. db.integrityCheck.appRestartNeeded=%S will need to be restarted.
db.integrityCheck.fixAndRestart=Fix Errors and Restart %S db.integrityCheck.fixAndRestart=Fix Errors and Restart %S
@ -504,12 +511,12 @@ db.integrityCheck.errorsNotFixed=Zotero was unable to correct all the errors in
db.integrityCheck.reportInForums=You can report this problem in the Zotero Forums. db.integrityCheck.reportInForums=You can report this problem in the Zotero Forums.
zotero.preferences.update.updated=Uppfært zotero.preferences.update.updated=Uppfært
zotero.preferences.update.upToDate=Up to date zotero.preferences.update.upToDate=Uppfært
zotero.preferences.update.error=Villa zotero.preferences.update.error=Villa
zotero.preferences.launchNonNativeFiles=Open PDFs and other files within %S when possible zotero.preferences.launchNonNativeFiles=Open PDFs and other files within %S when possible
zotero.preferences.openurl.resolversFound.zero=%S resolvers found zotero.preferences.openurl.resolversFound.zero=%S nafngreining fannst
zotero.preferences.openurl.resolversFound.singular=%S resolver found zotero.preferences.openurl.resolversFound.singular=%S nafngreining fannst
zotero.preferences.openurl.resolversFound.plural=%S resolvers found zotero.preferences.openurl.resolversFound.plural=%S nafngreiningar fundust
zotero.preferences.sync.purgeStorage.title=Purge Attachment Files on Zotero Servers? zotero.preferences.sync.purgeStorage.title=Purge Attachment Files on Zotero Servers?
zotero.preferences.sync.purgeStorage.desc=If you plan to use WebDAV for file syncing and you previously synced attachment files in My Library to the Zotero servers, you can purge those files from the Zotero servers to give you more storage space for groups.\n\nYou can purge files at any time from your account settings on zotero.org. zotero.preferences.sync.purgeStorage.desc=If you plan to use WebDAV for file syncing and you previously synced attachment files in My Library to the Zotero servers, you can purge those files from the Zotero servers to give you more storage space for groups.\n\nYou can purge files at any time from your account settings on zotero.org.
@ -523,15 +530,15 @@ zotero.preferences.sync.reset.restoreToServer=All data belonging to user '%S' on
zotero.preferences.sync.reset.replaceServerData=Replace Server Data zotero.preferences.sync.reset.replaceServerData=Replace Server Data
zotero.preferences.sync.reset.fileSyncHistory=All file sync history will be cleared.\n\nAny local attachment files that do not exist on the storage server will be uploaded on the next sync. zotero.preferences.sync.reset.fileSyncHistory=All file sync history will be cleared.\n\nAny local attachment files that do not exist on the storage server will be uploaded on the next sync.
zotero.preferences.search.rebuildIndex=Rebuild Index zotero.preferences.search.rebuildIndex=Endurgera færsluskrá
zotero.preferences.search.rebuildWarning=Do you want to rebuild the entire index? This may take a while.\n\nTo index only items that haven't been indexed, use %S. zotero.preferences.search.rebuildWarning=Do you want to rebuild the entire index? This may take a while.\n\nTo index only items that haven't been indexed, use %S.
zotero.preferences.search.clearIndex=Clear Index zotero.preferences.search.clearIndex=Hreinsa færsluskrá
zotero.preferences.search.clearWarning=After clearing the index, attachment content will no longer be searchable.\n\nWeb link attachments cannot be reindexed without revisiting the page. To leave web links indexed, choose %S. zotero.preferences.search.clearWarning=After clearing the index, attachment content will no longer be searchable.\n\nWeb link attachments cannot be reindexed without revisiting the page. To leave web links indexed, choose %S.
zotero.preferences.search.clearNonLinkedURLs=Clear All Except Web Links zotero.preferences.search.clearNonLinkedURLs=Clear All Except Web Links
zotero.preferences.search.indexUnindexed=Index Unindexed Items zotero.preferences.search.indexUnindexed=Skrá óskráðar færslur
zotero.preferences.search.pdf.toolRegistered=%S is installed zotero.preferences.search.pdf.toolRegistered=%S is installed
zotero.preferences.search.pdf.toolNotRegistered=%S is NOT installed zotero.preferences.search.pdf.toolNotRegistered=%S is NOT installed
zotero.preferences.search.pdf.toolsRequired=PDF indexing requires the %1$S and %2$S utilities from the %3$S project. zotero.preferences.search.pdf.toolsRequired=Skráning PDF skjala krefst %1$S og %2$S hjálparforrita úr %3$S verkefninu.
zotero.preferences.search.pdf.automaticInstall=Zotero can automatically download and install these applications from zotero.org for certain platforms. zotero.preferences.search.pdf.automaticInstall=Zotero can automatically download and install these applications from zotero.org for certain platforms.
zotero.preferences.search.pdf.advancedUsers=Advanced users may wish to view the %S for manual installation instructions. zotero.preferences.search.pdf.advancedUsers=Advanced users may wish to view the %S for manual installation instructions.
zotero.preferences.search.pdf.documentationLink=documentation zotero.preferences.search.pdf.documentationLink=documentation
@ -549,7 +556,7 @@ zotero.preferences.search.pdf.tryAgainOrViewManualInstructions=Please try again
zotero.preferences.export.quickCopy.bibStyles=Bibliographic Styles zotero.preferences.export.quickCopy.bibStyles=Bibliographic Styles
zotero.preferences.export.quickCopy.exportFormats=Export Formats zotero.preferences.export.quickCopy.exportFormats=Export Formats
zotero.preferences.export.quickCopy.instructions=Quick Copy allows you to copy selected items to the clipboard by pressing %S or dragging items into a text box on a web page. zotero.preferences.export.quickCopy.instructions=Quick Copy allows you to copy selected items to the clipboard by pressing %S or dragging items into a text box on a web page.
zotero.preferences.export.quickCopy.citationInstructions=For bibliography styles, you can copy citations or footnotes by pressing %S or holding down Shift before dragging items. zotero.preferences.export.quickCopy.citationInstructions=í heimildaskrá er hægt að afrita tilvísanir eða neðanmálstexta með því að ýta á %S og halda niðri Shift taka á meðan færslur er dregnar.
zotero.preferences.styles.addStyle=Add Style zotero.preferences.styles.addStyle=Add Style
zotero.preferences.advanced.resetTranslatorsAndStyles=Reset Translators and Styles zotero.preferences.advanced.resetTranslatorsAndStyles=Reset Translators and Styles
@ -606,7 +613,7 @@ searchConditions.savedSearch=Saved Search
searchConditions.itemTypeID=Tegund færslu searchConditions.itemTypeID=Tegund færslu
searchConditions.tag=Tag searchConditions.tag=Tag
searchConditions.note=Athugasemd searchConditions.note=Athugasemd
searchConditions.childNote=Child Note searchConditions.childNote=Undirathugasemd
searchConditions.creator=Höfundur searchConditions.creator=Höfundur
searchConditions.type=Type searchConditions.type=Type
searchConditions.thesisType=Tegund ritgerðar searchConditions.thesisType=Tegund ritgerðar
@ -619,7 +626,7 @@ searchConditions.interviewMedium=Interview Medium
searchConditions.manuscriptType=Tegund handrits searchConditions.manuscriptType=Tegund handrits
searchConditions.presentationType=Tegund kynningar searchConditions.presentationType=Tegund kynningar
searchConditions.mapType=Tegund korts searchConditions.mapType=Tegund korts
searchConditions.medium=Medium searchConditions.medium=Miðill
searchConditions.artworkMedium=Artwork Medium searchConditions.artworkMedium=Artwork Medium
searchConditions.dateModified=Date Modified searchConditions.dateModified=Date Modified
searchConditions.fulltextContent=Innihald viðhengis searchConditions.fulltextContent=Innihald viðhengis
@ -650,11 +657,11 @@ citation.singleSource=Single Source...
citation.showEditor=Show Editor... citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor... citation.hideEditor=Hide Editor...
citation.citations=Citations citation.citations=Citations
citation.notes=Notes citation.notes=Athugasemd
report.title.default=Zotero skýrsla report.title.default=Zotero skýrsla
report.parentItem=Parent Item: report.parentItem=Parent Item:
report.notes=Notes: report.notes=Athugasemd:
report.tags=Tags: report.tags=Tags:
annotations.confirmClose.title=Are you sure you want to close this annotation? annotations.confirmClose.title=Are you sure you want to close this annotation?
@ -758,7 +765,7 @@ sync.error.loginManagerCorrupted1=Zotero cannot access your login information, p
sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences. sync.error.loginManagerCorrupted2=Close Firefox, back up and delete signons.* from your Firefox profile, and re-enter your Zotero login information in the Sync pane of the Zotero preferences.
sync.error.syncInProgress=A sync operation is already in progress. sync.error.syncInProgress=A sync operation is already in progress.
sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox. sync.error.syncInProgress.wait=Wait for the previous sync to complete or restart Firefox.
sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and files you've added or edited cannot be synced to the server. sync.error.writeAccessLost=You no longer have write access to the Zotero group '%S', and items you've added or edited cannot be synced to the server.
sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost. sync.error.groupWillBeReset=If you continue, your copy of the group will be reset to its state on the server, and local modifications to items and files will be lost.
sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now. sync.error.copyChangedItems=If you would like a chance to copy your changes elsewhere or to request write access from a group administrator, cancel the sync now.
sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing. sync.error.manualInterventionRequired=Conflicts have suspended automatic syncing.
@ -808,6 +815,11 @@ sync.status.uploadingData=Uploading data to sync server
sync.status.uploadAccepted=Upload accepted — waiting for sync server sync.status.uploadAccepted=Upload accepted — waiting for sync server
sync.status.syncingFiles=Syncing files sync.status.syncingFiles=Syncing files
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB remaining sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files sync.storage.filesRemaining=%1$S/%2$S files
@ -849,7 +861,7 @@ sync.storage.error.webdav.loadURLForMoreInfo=Load your WebDAV URL in the browser
sync.storage.error.webdav.seeCertOverrideDocumentation=See the certificate override documentation for more information. sync.storage.error.webdav.seeCertOverrideDocumentation=See the certificate override documentation for more information.
sync.storage.error.webdav.loadURL=Load WebDAV URL sync.storage.error.webdav.loadURL=Load WebDAV URL
sync.storage.error.webdav.fileMissingAfterUpload=A potential problem was found with your WebDAV server.\n\nAn uploaded file was not immediately available for download. There may be a short delay between when you upload files and when they become available, particularly if you are using a cloud storage service.\n\nIf Zotero file syncing appears to work normally, you can ignore this message. If you have trouble, please post to the Zotero Forums. sync.storage.error.webdav.fileMissingAfterUpload=A potential problem was found with your WebDAV server.\n\nAn uploaded file was not immediately available for download. There may be a short delay between when you upload files and when they become available, particularly if you are using a cloud storage service.\n\nIf Zotero file syncing appears to work normally, you can ignore this message. If you have trouble, please post to the Zotero Forums.
sync.storage.error.webdav.nonexistentFileNotMissing=Your WebDAV server is claiming that a nonexistent file exists. Contact your WebDAV server administrator for assistance. sync.storage.error.webdav.nonexistentFileNotMissing=WebDAV netþjónninn heldur því fram að skrá sem ekki er til, sé til. Hafðu samband við WebDAV kerfisstjórann þinn til að fá aðstoð við lausn á þessum vanda.
sync.storage.error.webdav.serverConfig.title=WebDAV Server Configuration Error sync.storage.error.webdav.serverConfig.title=WebDAV Server Configuration Error
sync.storage.error.webdav.serverConfig=Your WebDAV server returned an internal error. sync.storage.error.webdav.serverConfig=Your WebDAV server returned an internal error.
@ -904,7 +916,7 @@ file.accessError.cannotBe=cannot be
file.accessError.created=created file.accessError.created=created
file.accessError.updated=updated file.accessError.updated=updated
file.accessError.deleted=deleted file.accessError.deleted=deleted
file.accessError.message.windows=Check that the file is not currently in use, that its permissions allow write access, and that it has a valid filename. file.accessError.message.windows=Athugaðu hvort skráin er núna í notkun, hvort hún hafi skrifheimildir og hvort hún hafi rétt skráarnafn.
file.accessError.message.other=Check that the file is not currently in use and that its permissions allow write access. file.accessError.message.other=Check that the file is not currently in use and that its permissions allow write access.
file.accessError.restart=Restarting your computer or disabling security software may also help. file.accessError.restart=Restarting your computer or disabling security software may also help.
file.accessError.showParentDir=Show Parent Directory file.accessError.showParentDir=Show Parent Directory
@ -928,19 +940,20 @@ locate.internalViewer.tooltip=Open file in this application
locate.showFile.label=Show File locate.showFile.label=Show File
locate.showFile.tooltip=Open the directory in which this file resides locate.showFile.tooltip=Open the directory in which this file resides
locate.libraryLookup.label=Library Lookup locate.libraryLookup.label=Library Lookup
locate.libraryLookup.tooltip=Look up this item using the selected OpenURL resolver locate.libraryLookup.tooltip=Leita að þessari færslu með þeim OpenURL nafngreini sem er valinn
locate.manageLocateEngines=Manage Lookup Engines... locate.manageLocateEngines=Manage Lookup Engines...
standalone.corruptInstallation=Your Zotero Standalone installation appears to be corrupted due to a failed auto-update. While Zotero may continue to function, to avoid potential bugs, please download the latest version of Zotero Standalone from http://zotero.org/support/standalone as soon as possible. standalone.corruptInstallation=Your Zotero Standalone installation appears to be corrupted due to a failed auto-update. While Zotero may continue to function, to avoid potential bugs, please download the latest version of Zotero Standalone from http://zotero.org/support/standalone as soon as possible.
standalone.addonInstallationFailed.title=Add-on Installation Failed standalone.addonInstallationFailed.title=Add-on Installation Failed
standalone.addonInstallationFailed.body=The add-on "%S" could not be installed. It may be incompatible with this version of Zotero Standalone. standalone.addonInstallationFailed.body=The add-on "%S" could not be installed. It may be incompatible with this version of Zotero Standalone.
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=Þú virðist vera að keyra Zotero sem rótarnotandi. Þá er kerfisöryggi ógnað og gæti komið í veg fyrir virkni Zotero þegar það er næst virkjað af notendareikningi.\n\nEf þú vilt láta Zotero uppfærast sjálfkrafa, leyfðu þá þér sem notanda að skrifa í möppuna þar sem Zotero forritið er staðsett.\n
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=Fara út
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=Halda áfram
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=Uppfærsla sem mælt er með hefur nú borist en þú hefur ekki heimild til þess að uppfæra. Til að sjálfvirk uppfærsla geti átt sér stað, breyttu þá skrifheimildum í möppunni þar sem Zotero forritið er geymt, svo þú getir skrifað í þá möppu.
connector.error.title=Zotero Connector Error connector.error.title=Zotero Connector Error
connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone. connector.standaloneOpen=Your database cannot be accessed because Zotero Standalone is currently open. Please view your items in Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library. firstRunGuidance.saveIcon=Zotero has found a reference on this page. Click this icon in the address bar to save the reference to your Zotero library.
firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu. firstRunGuidance.authorMenu=Zotero lets you specify editors and translators, too. You can turn an author into an editor or translator by selecting from this menu.

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "Segnala motori di ricerca non funzionanti"> <!ENTITY zotero.preferences.reportTranslationFailure "Segnala motori di ricerca non funzionanti">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permetti al sito zotero.org di personalizzare i contenuti in base alla versione installata di Zotero"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "Permetti al sito zotero.org di personalizzare i contenuti in base alla versione installata di Zotero">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Se l'opzione è attiva, la versione di Zotero sarà inclusa nelle richieste HTTP inviate a zotero.org"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Se l'opzione è attiva, la versione di Zotero sarà inclusa nelle richieste HTTP inviate a zotero.org">
<!ENTITY zotero.preferences.parseRISRefer "Scarica i file RIS/Refer con Zotero"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "Scatta un&apos;istantanea degli elementi estratti dalle pagine web"> <!ENTITY zotero.preferences.automaticSnapshots "Scatta un&apos;istantanea degli elementi estratti dalle pagine web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Allega automaticamente file PDF o di altro tipo durante il salvataggio degli elementi"> <!ENTITY zotero.preferences.downloadAssociatedFiles "Allega automaticamente file PDF o di altro tipo durante il salvataggio degli elementi">
<!ENTITY zotero.preferences.automaticTags "Identifica automaticamente gli elementi attraverso parole chiave e oggetto"> <!ENTITY zotero.preferences.automaticTags "Identifica automaticamente gli elementi attraverso parole chiave e oggetto">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "Crea un account"> <!ENTITY zotero.preferences.sync.createAccount "Crea un account">
<!ENTITY zotero.preferences.sync.lostPassword "Hai perso la password?"> <!ENTITY zotero.preferences.sync.lostPassword "Hai perso la password?">
<!ENTITY zotero.preferences.sync.syncAutomatically "Sincronizza automaticamente"> <!ENTITY zotero.preferences.sync.syncAutomatically "Sincronizza automaticamente">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "Informazioni sulla sincronizzazione"> <!ENTITY zotero.preferences.sync.about "Informazioni sulla sincronizzazione">
<!ENTITY zotero.preferences.sync.fileSyncing "Sincronizzazione dei file"> <!ENTITY zotero.preferences.sync.fileSyncing "Sincronizzazione dei file">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=Controlla aggiornamenti
general.actionCannotBeUndone=Questa azione non può essere annullata general.actionCannotBeUndone=Questa azione non può essere annullata
general.install=Installa general.install=Installa
general.updateAvailable=Aggiornamenti disponibili general.updateAvailable=Aggiornamenti disponibili
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=Aggiorna general.upgrade=Aggiorna
general.yes= general.yes=
general.no=No general.no=No
general.notNow=Not Now
general.passed=Esito positivo general.passed=Esito positivo
general.failed=Esito negativo general.failed=Esito negativo
general.and=e general.and=e
general.etAl=et al.
general.accessDenied=Accesso negato general.accessDenied=Accesso negato
general.permissionDenied=Permesso negato general.permissionDenied=Permesso negato
general.character.singular=carattere general.character.singular=carattere
@ -48,6 +52,8 @@ general.useDefault=Use Default
general.openDocumentation=Apri la documentazione general.openDocumentation=Apri la documentazione
general.numMore=%S more… general.numMore=%S more…
general.openPreferences=Open Preferences general.openPreferences=Open Preferences
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=Un processo di Zotero è in esecuzione general.operationInProgress=Un processo di Zotero è in esecuzione
general.operationInProgress.waitUntilFinished=Attendere sino al completamento general.operationInProgress.waitUntilFinished=Attendere sino al completamento
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Attendere sino al compl
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Cenni preliminari install.quickStartGuide=Cenni preliminari
install.quickStartGuide.message.welcome=Benvenuti su Zotero. install.quickStartGuide.message.welcome=Benvenuti su Zotero.
@ -808,6 +815,11 @@ sync.status.uploadingData=Trasferimento dei dati al server di sincronizzazione
sync.status.uploadAccepted=Trasferimento accettato \u2014 in attesa del server di sincronizzazione sync.status.uploadAccepted=Trasferimento accettato \u2014 in attesa del server di sincronizzazione
sync.status.syncingFiles=Sincronizzazione dei file sync.status.syncingFiles=Sincronizzazione dei file
sync.fulltext.upgradePrompt.title=New: Full-Text Content Syncing
sync.fulltext.upgradePrompt.text=Zotero can now sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.
sync.fulltext.upgradePrompt.changeLater=You can change this setting later from the Sync pane of the Zotero preferences.
sync.fulltext.upgradePrompt.enable=Use Full-Text Syncing
sync.storage.mbRemaining=%SMB remaining sync.storage.mbRemaining=%SMB remaining
sync.storage.kbRemaining=%SKB rimanenti sync.storage.kbRemaining=%SKB rimanenti
sync.storage.filesRemaining=%1$S/%2$S file sync.storage.filesRemaining=%1$S/%2$S file
@ -941,6 +953,7 @@ standalone.updateMessage=A recommended update is available, but you do not have
connector.error.title=Errore di Zotero Connector connector.error.title=Errore di Zotero Connector
connector.standaloneOpen=Non è possibile accedere al database perché Zotero Standalone è attualmente in esecuzione. Consultare i propri dati con Zotero Standalone. connector.standaloneOpen=Non è possibile accedere al database perché Zotero Standalone è attualmente in esecuzione. Consultare i propri dati con Zotero Standalone.
connector.loadInProgress=Zotero Standalone was launched but is not accessible. If you experienced an error opening Zotero Standalone, restart Firefox.
firstRunGuidance.saveIcon=Zotero ha individuato un riferimento bibliografico su questa pagina. Fare click sull'icona nella barra dell'indirizzo per salvare il riferimento nella propria libreria di Zotero. firstRunGuidance.saveIcon=Zotero ha individuato un riferimento bibliografico su questa pagina. Fare click sull'icona nella barra dell'indirizzo per salvare il riferimento nella propria libreria di Zotero.
firstRunGuidance.authorMenu=Zotero consente di specificare anche i curatori e i traduttori. È possibile convertire un autore in un curatore o traduttore selezionando da questo menu. firstRunGuidance.authorMenu=Zotero consente di specificare anche i curatori e i traduttori. È possibile convertire un autore in un curatore o traduttore selezionando da questo menu.

View file

@ -22,12 +22,12 @@
<!ENTITY zotero.preferences.fontSize.notes "メモの文字サイズ:"> <!ENTITY zotero.preferences.fontSize.notes "メモの文字サイズ:">
<!ENTITY zotero.preferences.miscellaneous "各種設定"> <!ENTITY zotero.preferences.miscellaneous "各種設定">
<!ENTITY zotero.preferences.autoUpdate "Automatically check for updated translators and styles"> <!ENTITY zotero.preferences.autoUpdate "トランスレータとスタイルの更新を自動的に確認する。">
<!ENTITY zotero.preferences.updateNow "今すぐ更新"> <!ENTITY zotero.preferences.updateNow "今すぐ更新">
<!ENTITY zotero.preferences.reportTranslationFailure "壊れたサイト・トランスレータを報告する"> <!ENTITY zotero.preferences.reportTranslationFailure "壊れたサイト・トランスレータを報告する">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "現行の Zotero のバージョンに基づいて zotero.org が内容をカスタマイズすることを許可する"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "現行の Zotero のバージョンに基づいて zotero.org が内容をカスタマイズすることを許可する">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "有効化されると、現在の Zotero バージョン情報が zotero.org への HTTP リクエストへ含まれます。"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "有効化されると、現在の Zotero バージョン情報が zotero.org への HTTP リクエストへ含まれます。">
<!ENTITY zotero.preferences.parseRISRefer "ダウンロードされた RIS/Refer ファイルに Zotero を使用"> <!ENTITY zotero.preferences.parseRISRefer "ダウンロード済みの BibTeX/RIS/Refer ファイルに対して Zotero を使用する">
<!ENTITY zotero.preferences.automaticSnapshots "ウェブページからアイテムを作成するときに自動的にスナップショットを作成する"> <!ENTITY zotero.preferences.automaticSnapshots "ウェブページからアイテムを作成するときに自動的にスナップショットを作成する">
<!ENTITY zotero.preferences.downloadAssociatedFiles "アイテムを作成するときに自動的に関連 PDF や他のファイルを添付する"> <!ENTITY zotero.preferences.downloadAssociatedFiles "アイテムを作成するときに自動的に関連 PDF や他のファイルを添付する">
<!ENTITY zotero.preferences.automaticTags "キーワードと件名標目を含むアイテムに自動的にタグを付ける"> <!ENTITY zotero.preferences.automaticTags "キーワードと件名標目を含むアイテムに自動的にタグを付ける">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "アカウントを作成"> <!ENTITY zotero.preferences.sync.createAccount "アカウントを作成">
<!ENTITY zotero.preferences.sync.lostPassword "パスワードを忘れましたか?"> <!ENTITY zotero.preferences.sync.lostPassword "パスワードを忘れましたか?">
<!ENTITY zotero.preferences.sync.syncAutomatically "自動的に同期"> <!ENTITY zotero.preferences.sync.syncAutomatically "自動的に同期">
<!ENTITY zotero.preferences.sync.syncFullTextContent "全文を同期する">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero はあなたの Zotero ライブラリに含まれるファイルの全文をを zotero.org や他のリンクした機器と同期させることができます。これにより、どこでも簡単にあなたのファイルを探すことができるようになります。あなたのファイルの全文が公開されることはありません。">
<!ENTITY zotero.preferences.sync.about "同期(シンク)について"> <!ENTITY zotero.preferences.sync.about "同期(シンク)について">
<!ENTITY zotero.preferences.sync.fileSyncing "ファイルの同期"> <!ENTITY zotero.preferences.sync.fileSyncing "ファイルの同期">
<!ENTITY zotero.preferences.sync.fileSyncing.url "URL:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "URL:">
@ -126,12 +128,12 @@
<!ENTITY zotero.preferences.prefpane.keys "ショートカットキー"> <!ENTITY zotero.preferences.prefpane.keys "ショートカットキー">
<!ENTITY zotero.preferences.keys.openZotero "Zotero 画面を開く/閉じる"> <!ENTITY zotero.preferences.keys.openZotero "Zotero 画面を開く/閉じる">
<!ENTITY zotero.preferences.keys.saveToZotero "Save to Zotero (address bar icon)"> <!ENTITY zotero.preferences.keys.saveToZotero "Zotero に保存する (アドレスバーのアイコン)">
<!ENTITY zotero.preferences.keys.toggleFullscreen "全画面表示の切り替え"> <!ENTITY zotero.preferences.keys.toggleFullscreen "全画面表示の切り替え">
<!ENTITY zotero.preferences.keys.focusLibrariesPane "ライブラリ画面へ"> <!ENTITY zotero.preferences.keys.focusLibrariesPane "ライブラリ画面へ">
<!ENTITY zotero.preferences.keys.quicksearch "簡易検索"> <!ENTITY zotero.preferences.keys.quicksearch "簡易検索">
<!ENTITY zotero.preferences.keys.newItem "Create a New Item"> <!ENTITY zotero.preferences.keys.newItem "新しいアイテムを作成する">
<!ENTITY zotero.preferences.keys.newNote "Create a New Note"> <!ENTITY zotero.preferences.keys.newNote "新しいメモを作成する">
<!ENTITY zotero.preferences.keys.toggleTagSelector "タグ選択ボックスを表示する/隠す"> <!ENTITY zotero.preferences.keys.toggleTagSelector "タグ選択ボックスを表示する/隠す">
<!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "選択されたアイテムの出典表記をクリップボードにコピー"> <!ENTITY zotero.preferences.keys.copySelectedItemCitationsToClipboard "選択されたアイテムの出典表記をクリップボードにコピー">
<!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "選択されたアイテムの参考文献目録をクリップボードにコピー"> <!ENTITY zotero.preferences.keys.copySelectedItemsToClipboard "選択されたアイテムの参考文献目録をクリップボードにコピー">

View file

@ -54,7 +54,7 @@
<!ENTITY selectAllCmd.label "すべてを選択"> <!ENTITY selectAllCmd.label "すべてを選択">
<!ENTITY selectAllCmd.key "A"> <!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A"> <!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Preferences"> <!ENTITY preferencesCmd.label "環境設定">
<!ENTITY preferencesCmd.accesskey "O"> <!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "環境設定..."> <!ENTITY preferencesCmdUnix.label "環境設定...">
<!ENTITY preferencesCmdUnix.accesskey "n"> <!ENTITY preferencesCmdUnix.accesskey "n">

View file

@ -24,12 +24,16 @@ general.checkForUpdate=更新の確認
general.actionCannotBeUndone=この操作を実行すると、元に戻すことができません。 general.actionCannotBeUndone=この操作を実行すると、元に戻すことができません。
general.install=インストールする general.install=インストールする
general.updateAvailable=更新が公開されています general.updateAvailable=更新が公開されています
general.noUpdatesFound=No Updates Found
general.isUpToDate=%S is up to date.
general.upgrade=更新をインストールする general.upgrade=更新をインストールする
general.yes=はい general.yes=はい
general.no=いいえ general.no=いいえ
general.notNow=後で
general.passed=実行されました general.passed=実行されました
general.failed=失敗しました general.failed=失敗しました
general.and= general.and=
general.etAl=et al.
general.accessDenied=アクセスが拒否されました。 general.accessDenied=アクセスが拒否されました。
general.permissionDenied=権限が拒否されました。 general.permissionDenied=権限が拒否されました。
general.character.singular=文字 general.character.singular=文字
@ -48,6 +52,8 @@ general.useDefault=既定値を使用
general.openDocumentation=ヘルプを開く general.openDocumentation=ヘルプを開く
general.numMore=さらに%S個... general.numMore=さらに%S個...
general.openPreferences=環境設定を開く general.openPreferences=環境設定を開く
general.keys.ctrlShift=Ctrl+Shift+
general.keys.cmdShift=Cmd+Shift+
general.operationInProgress=既に Zotero 処理が進行中です。 general.operationInProgress=既に Zotero 処理が進行中です。
general.operationInProgress.waitUntilFinished=完了するまでお待ちください。 general.operationInProgress.waitUntilFinished=完了するまでお待ちください。
@ -56,6 +62,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=完了してから、
punctuation.openingQMark=" punctuation.openingQMark="
punctuation.closingQMark=" punctuation.closingQMark="
punctuation.colon=: punctuation.colon=:
punctuation.ellipsis=
install.quickStartGuide=Zotero かんたん操作案内 install.quickStartGuide=Zotero かんたん操作案内
install.quickStartGuide.message.welcome=Zotero にようこそ! install.quickStartGuide.message.welcome=Zotero にようこそ!
@ -808,6 +815,11 @@ sync.status.uploadingData=同期サーバへデータを送信中
sync.status.uploadAccepted=アップロードが認められました \u2014 同期サーバを待っています sync.status.uploadAccepted=アップロードが認められました \u2014 同期サーバを待っています
sync.status.syncingFiles=ファイルを同期しています sync.status.syncingFiles=ファイルを同期しています
sync.fulltext.upgradePrompt.title=新: 全文を同期する
sync.fulltext.upgradePrompt.text=Zotero はあなたの Zotero ライブラリに含まれるファイルの全文を zotero.org や、他のリンクされた機器と同期させることができます。これにより、どこでも簡単にファイルを探すことができるようになります。あなたのファイルの全文が、公開されることはありません。
sync.fulltext.upgradePrompt.changeLater=後で、Zotero 環境設定の「同期」画面から、この設定を変更できます。
sync.fulltext.upgradePrompt.enable=全文同期を使用する
sync.storage.mbRemaining=%SMB が残っています sync.storage.mbRemaining=%SMB が残っています
sync.storage.kbRemaining=残り %SKB sync.storage.kbRemaining=残り %SKB
sync.storage.filesRemaining=%1$S/%2$S 個のファイル sync.storage.filesRemaining=%1$S/%2$S 個のファイル
@ -934,13 +946,14 @@ locate.manageLocateEngines=所在確認エンジンの管理...
standalone.corruptInstallation=インストール済みのスタンドアローン版 Zotero は自動更新の失敗により損傷した模様です。Firefox 版 Zotero はそれでも機能しますが、潜在的なバグを避けるために最新版のスタンドアローン版 Zotero を http://zotero.org/support/standalone から直ちにダウンロードして下さい。 standalone.corruptInstallation=インストール済みのスタンドアローン版 Zotero は自動更新の失敗により損傷した模様です。Firefox 版 Zotero はそれでも機能しますが、潜在的なバグを避けるために最新版のスタンドアローン版 Zotero を http://zotero.org/support/standalone から直ちにダウンロードして下さい。
standalone.addonInstallationFailed.title=アドオンのインストールに失敗しました standalone.addonInstallationFailed.title=アドオンのインストールに失敗しました
standalone.addonInstallationFailed.body=アドオン "%S" をインストールすることができませんでした。このバージョンのスタンドアローン版 Zotero とは互換性がない恐れがあります。 standalone.addonInstallationFailed.body=アドオン "%S" をインストールすることができませんでした。このバージョンのスタンドアローン版 Zotero とは互換性がない恐れがあります。
standalone.rootWarning=You appear to be running Zotero Standalone as root. This is insecure and may prevent Zotero from functioning when launched from your user account.\n\nIf you wish to install an automatic update, modify the Zotero program directory to be writeable by your user account. standalone.rootWarning=スタンドアローン版 Zotero を root ユーザーとして実行しているようです。これは安全性に問題があり、あなたのユーザーアカウントから Zotero を立ち上げた際に Zotero が機能しなくなる恐れがあります。\n\n自動的に更新をインストールするためには、Zotero プログラムディレクトリがあなたのユーザーアカウントから書き込み可能になるよう修正してください。
standalone.rootWarning.exit=Exit standalone.rootWarning.exit=終了
standalone.rootWarning.continue=Continue standalone.rootWarning.continue=続ける
standalone.updateMessage=A recommended update is available, but you do not have permission to install it. To update automatically, modify the Zotero program directory to be writeable by your user account. standalone.updateMessage=推奨の更新が利用可能ですが、インストールするための権限がありません。自動的に更新するためには、Zotero ディレクトリをあなたのユーザーアカウントから書き込み可能に修正してください。
connector.error.title=Zotero コネクタのエラー connector.error.title=Zotero コネクタのエラー
connector.standaloneOpen=スタンドアローン版 Zotero が現在立ち上がっているため、 あなたのデータベースにアクセスすることができません。アイテムはスタンドアローン版 Zotero の中で閲覧してください。 connector.standaloneOpen=スタンドアローン版 Zotero が現在立ち上がっているため、 あなたのデータベースにアクセスすることができません。アイテムはスタンドアローン版 Zotero の中で閲覧してください。
connector.loadInProgress=スタンドアローン版 Zotero が起動されましたが、アクセスできません。もしスタンドアローン版 Zotero を開くときにエラーが生じた場合は、Firefox を再起動して下さい。
firstRunGuidance.saveIcon=Zotero はこのページの文献を認識することができます。この文献をあなたの Zotero ライブラリへ保存するには、アドレスバーのアイコンをクリックしてください。 firstRunGuidance.saveIcon=Zotero はこのページの文献を認識することができます。この文献をあなたの Zotero ライブラリへ保存するには、アドレスバーのアイコンをクリックしてください。
firstRunGuidance.authorMenu=Zotero では、編集者と翻訳者についても指定することができます。このメニューから選択することによって、作者を編集者または翻訳者へと切り替えることができます。 firstRunGuidance.authorMenu=Zotero では、編集者と翻訳者についても指定することができます。このメニューから選択することによって、作者を編集者または翻訳者へと切り替えることができます。

View file

@ -27,7 +27,7 @@
<!ENTITY zotero.preferences.reportTranslationFailure "រាយការណ៍កូដចម្លងគេហទំព័រខូច"> <!ENTITY zotero.preferences.reportTranslationFailure "រាយការណ៍កូដចម្លងគេហទំព័រខូច">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "ទុកឲ zotero.org ផ្លាស់ប្តូរខ្លឹមសារដោយអនុលោមទៅតាមកំណែហ្ស៊ូតេរ៉ូថ្មី"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader "ទុកឲ zotero.org ផ្លាស់ប្តូរខ្លឹមសារដោយអនុលោមទៅតាមកំណែហ្ស៊ូតេរ៉ូថ្មី">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "ប្រសិនបើអាច កំណែហ្ស៊ូតេរ៉ូថ្មីនឹងត្រូវបញ្ចូលនៅក្នុងសំណើអេចធីធីភី​ទៅកាន់ zotero.org។"> <!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "ប្រសិនបើអាច កំណែហ្ស៊ូតេរ៉ូថ្មីនឹងត្រូវបញ្ចូលនៅក្នុងសំណើអេចធីធីភី​ទៅកាន់ zotero.org។">
<!ENTITY zotero.preferences.parseRISRefer "ប្រើហ្ស៊ូតេរ៉ូសម្រាប់ទាញយកឯកសារយោង/អ៊ែរអាយអេស"> <!ENTITY zotero.preferences.parseRISRefer "Use Zotero for downloaded BibTeX/RIS/Refer files">
<!ENTITY zotero.preferences.automaticSnapshots "ថតយកអត្ថបទចេញពីគេហទំព័រដោយស្វ័យប្រវត្តិ"> <!ENTITY zotero.preferences.automaticSnapshots "ថតយកអត្ថបទចេញពីគេហទំព័រដោយស្វ័យប្រវត្តិ">
<!ENTITY zotero.preferences.downloadAssociatedFiles "ភ្ជាប់មកជាមួយដោយស្វ័យប្រវត្តិនូវឯកសារភីឌីអែហ្វ និង ឯកសារដទៃទៀត ខណៈពេលទាញរក្សាឯកសារទុក"> <!ENTITY zotero.preferences.downloadAssociatedFiles "ភ្ជាប់មកជាមួយដោយស្វ័យប្រវត្តិនូវឯកសារភីឌីអែហ្វ និង ឯកសារដទៃទៀត ខណៈពេលទាញរក្សាឯកសារទុក">
<!ENTITY zotero.preferences.automaticTags "ដាក់ស្លាកឯកសារដោយប្រើពាក្យគន្លឹះ និង ចំណងជើងអត្ថបទដោយស្វ័យ​ប្រវត្តិ"> <!ENTITY zotero.preferences.automaticTags "ដាក់ស្លាកឯកសារដោយប្រើពាក្យគន្លឹះ និង ចំណងជើងអត្ថបទដោយស្វ័យ​ប្រវត្តិ">
@ -55,6 +55,8 @@
<!ENTITY zotero.preferences.sync.createAccount "បង្កើតគណនី"> <!ENTITY zotero.preferences.sync.createAccount "បង្កើតគណនី">
<!ENTITY zotero.preferences.sync.lostPassword "ភ្លេចលេខសម្ងាត់?"> <!ENTITY zotero.preferences.sync.lostPassword "ភ្លេចលេខសម្ងាត់?">
<!ENTITY zotero.preferences.sync.syncAutomatically "ធ្វើសមកាលកម្មដោយស្វ័យប្រវត្តិ"> <!ENTITY zotero.preferences.sync.syncAutomatically "ធ្វើសមកាលកម្មដោយស្វ័យប្រវត្តិ">
<!ENTITY zotero.preferences.sync.syncFullTextContent "Sync full-text content">
<!ENTITY zotero.preferences.sync.syncFullTextContent.desc "Zotero can sync the full-text content of files in your Zotero libraries with zotero.org and other linked devices, allowing you to easily search for your files wherever you are. The full-text content of your files will not be shared publicly.">
<!ENTITY zotero.preferences.sync.about "អំពីសមកាលកម្ម"> <!ENTITY zotero.preferences.sync.about "អំពីសមកាលកម្ម">
<!ENTITY zotero.preferences.sync.fileSyncing "ឯកសារកំពុងធ្វើសមកាលកម្ម"> <!ENTITY zotero.preferences.sync.fileSyncing "ឯកសារកំពុងធ្វើសមកាលកម្ម">
<!ENTITY zotero.preferences.sync.fileSyncing.url "គេហទំព័រ:"> <!ENTITY zotero.preferences.sync.fileSyncing.url "គេហទំព័រ:">

Some files were not shown because too many files have changed in this diff Show more