Merge branch '3.0'

Conflicts:
	chrome/content/zotero/xpcom/http.js
	chrome/content/zotero/xpcom/translation/translate_firefox.js
This commit is contained in:
Simon Kornblith 2012-11-06 00:50:11 -05:00
commit b3237ae5e5
140 changed files with 1143 additions and 855 deletions

View file

@ -64,6 +64,7 @@ To add a new preference:
<preference id="pref-groups-copyChildNotes" name="extensions.zotero.groups.copyChildNotes" type="bool"/>
<preference id="pref-groups-copyChildFileAttachments" name="extensions.zotero.groups.copyChildFileAttachments" type="bool"/>
<preference id="pref-groups-copyChildLinks" name="extensions.zotero.groups.copyChildLinks" type="bool"/>
<preference id="pref-groups-copyTags" name="extensions.zotero.groups.copyTags" type="bool"/>
</preferences>
<groupbox id="zotero-prefpane-general-groupbox">
@ -148,6 +149,7 @@ To add a new preference:
<checkbox label="&zotero.preferences.groups.childNotes;" preference="pref-groups-copyChildNotes"/>
<checkbox label="&zotero.preferences.groups.childFiles;" preference="pref-groups-copyChildFileAttachments"/>
<checkbox label="&zotero.preferences.groups.childLinks;" preference="pref-groups-copyChildLinks"/>
<checkbox label="&zotero.preferences.groups.tags;" preference="pref-groups-copyTags"/>
</vbox>
</groupbox>

View file

@ -1431,7 +1431,7 @@ Zotero.CollectionTreeView.prototype.drop = function(row, orient)
// DEBUG: save here because clone() doesn't currently work on unsaved tagged items
var id = newItem.save();
newItem = Zotero.Items.get(id);
item.clone(false, newItem);
item.clone(false, newItem, false, !Zotero.Prefs.get('groups.copyTags'));
newItem.save();
//var id = newItem.save();
//var newItem = Zotero.Items.get(id);

View file

@ -4018,18 +4018,23 @@ Zotero.Item.prototype.multiDiff = function (otherItems, ignoreFields) {
/**
* Returns an unsaved copy of the item
*
* @param {Boolean} [includePrimary=false]
* @param {Zotero.Item} [newItem=null] Target item for clone (used to pass a saved
* item for duplicating items with tags)
* @param {Boolean} [unsaved=false] Skip properties that require a saved object (e.g., tags)
* @param {Boolean} [includePrimary=false]
* @param {Zotero.Item} [newItem=null] Target item for clone (used to pass a saved
* item for duplicating items with tags)
* @param {Boolean} [unsaved=false] Skip properties that require a saved object (e.g., tags)
* @param {Boolean} [skipTags=false] Skip tags (implied by 'unsaved')
*/
Zotero.Item.prototype.clone = function(includePrimary, newItem, unsaved) {
Zotero.Item.prototype.clone = function(includePrimary, newItem, unsaved, skipTags) {
Zotero.debug('Cloning item ' + this.id);
if (includePrimary && newItem) {
throw ("includePrimary and newItem parameters are mutually exclusive in Zotero.Item.clone()");
}
if (unsaved) {
skipTags = true;
}
Zotero.DB.beginTransaction();
// TODO: get rid of serialize() call
@ -4169,7 +4174,7 @@ Zotero.Item.prototype.clone = function(includePrimary, newItem, unsaved) {
}
}
if (!unsaved && obj.tags) {
if (!skipTags && obj.tags) {
for each(var tag in obj.tags) {
if (sameLibrary) {
newItem.addTagByID(tag.primary.tagID);

View file

@ -626,38 +626,33 @@ Zotero.HTTP = new function() {
// (Approximately) how many seconds to wait if the document is left in the loading state and
// pageshow is called before we call pageshow with an incomplete document
const LOADING_STATE_TIMEOUT = 120;
var firedLoadEvent;
/**
* Removes event listener for the load event and deletes the hidden browser
*/
var removeListeners = function() {
hiddenBrowser.removeEventListener(loadEvent, onLoad, true);
if(!dontDelete) Zotero.Browser.deleteHiddenBrowser(hiddenBrowser);
}
var firedLoadEvent = 0;
/**
* Loads the next page
* @inner
*/
var doLoad = function() {
if(urls.length) {
var url = urls.shift();
if(currentURL < urls.length) {
var url = urls[currentURL],
hiddenBrowser = hiddenBrowsers[currentURL];
firedLoadEvent = 0;
currentURL++;
try {
Zotero.debug("loading "+url);
Zotero.debug("Zotero.HTTP.processDocuments: Loading "+url);
hiddenBrowser.loadURI(url);
} catch(e) {
removeListeners();
if(exception) {
exception(e);
return;
} else {
throw(e);
}
} finally {
doLoad();
}
} else {
removeListeners();
if(!dontDelete) Zotero.Browser.deleteHiddenBrowser(hiddenBrowsers);
if(done) done();
}
};
@ -666,46 +661,49 @@ Zotero.HTTP = new function() {
* Callback to be executed when a page load completes
* @inner
*/
var onLoad = function() {
var doc = hiddenBrowser.contentDocument;
if(!doc) return;
var onLoad = function(e) {
var hiddenBrowser = e.currentTarget,
doc = hiddenBrowser.contentDocument;
if(!doc || doc !== e.target) return;
var url = doc.location.href.toString();
if(url == "about:blank") return;
if(doc.readyState === "loading" && firedLoadEvent < 120) {
// Try again in a second
firedLoadEvent++;
Zotero.setTimeout(onLoad, 1000);
if(url === "about:blank") return;
if(doc.readyState === "loading" && (firedLoadEvent++) < 120) {
// Try again in a second
Zotero.setTimeout(onLoad.bind(this, e), 1000);
return;
}
if(url !== prevUrl) { // Just in case it fires too many times
prevUrl = url;
try {
processor(doc);
} catch(e) {
removeListeners();
if(exception) {
exception(e);
return;
} else {
throw(e);
}
Zotero.debug("Zotero.HTTP.processDocuments: "+url+" loaded");
hiddenBrowser.removeEventListener("pageshow", onLoad, true);
try {
processor(doc);
} catch(e) {
if(exception) {
exception(e);
return;
} else {
throw(e);
}
} finally {
doLoad();
}
};
if(typeof(urls) == "string") urls = [urls];
var prevUrl;
var loadEvent = "pageshow";
var hiddenBrowser = Zotero.Browser.createHiddenBrowser();
hiddenBrowser.addEventListener(loadEvent, onLoad, true);
if(cookieSandbox) cookieSandbox.attachToBrowser(hiddenBrowser);
var hiddenBrowsers = [],
currentURL = 0;
for(var i=0; i<urls.length; i++) {
var hiddenBrowser = Zotero.Browser.createHiddenBrowser();
if(cookieSandbox) cookieSandbox.attachToBrowser(hiddenBrowser);
hiddenBrowser.addEventListener("pageshow", onLoad, true);
hiddenBrowsers[i] = hiddenBrowser;
}
doLoad();
return hiddenBrowser;
return hiddenBrowsers.length === 1 ? hiddenBrowsers[0] : hiddenBrowsers.slice();
}
/**

View file

@ -419,7 +419,7 @@ Zotero.Translate.SandboxManager = function(sandboxLocation) {
// expose parseFromString
this.__exposedProps__ = {"parseFromString":"r"};
this.parseFromString = function(str, contentType) {
return Zotero.Translate.SandboxManager.Fx5DOMWrapper(_DOMParser.parseFromString(str, contentType));
return Zotero.Translate.DOMWrapper.wrap(_DOMParser.parseFromString(str, contentType));
}
};
}
@ -454,7 +454,8 @@ Zotero.Translate.SandboxManager.prototype = {
"importObject":function(object, passAsFirstArgument, attachTo) {
if(!attachTo) attachTo = this.sandbox.Zotero;
var newExposedProps = false,
sandbox = this.sandbox;
sandbox = this.sandbox,
me = this;
if(!object.__exposedProps__) newExposedProps = {};
for(var key in (newExposedProps ? object : object.__exposedProps__)) {
let localKey = key;
@ -468,12 +469,7 @@ Zotero.Translate.SandboxManager.prototype = {
attachTo[localKey] = function() {
var args = Array.prototype.slice.apply(arguments);
if(passAsFirstArgument) args.unshift(passAsFirstArgument);
var out = object[localKey].apply(object, args);
if(out instanceof Array) {
// Copy to sandbox
out = sandbox.Array.prototype.slice.apply(out);
}
return out;
return me._copyObject(object[localKey].apply(object, args));
};
} else {
attachTo[localKey] = {};
@ -493,6 +489,38 @@ Zotero.Translate.SandboxManager.prototype = {
} else {
attachTo.__exposedProps__ = object.__exposedProps__;
}
},
/**
* Copies a JavaScript object to this sandbox
* @param {Object} obj
* @return {Object}
*/
"_copyObject":function(obj, wm) {
if(typeof obj !== "object" || obj === null
|| (obj.__proto__ !== Object.prototype && obj.__proto__ !== Array.prototype)
|| "__exposedProps__" in obj || "__wrappedDOMObject" in obj) {
return obj;
}
if(!wm) wm = new WeakMap();
var obj2 = (obj instanceof Array ? this.sandbox.Array() : this.sandbox.Object());
for(var i in obj) {
if(!obj.hasOwnProperty(i)) continue;
var prop1 = obj[i];
if(typeof prop1 === "object" && prop1 !== null
&& (prop1.__proto__ === Object.prototype || prop1.__proto__ === Array.prototype)) {
var prop2 = wm.get(prop1);
if(prop2 === undefined) {
prop2 = this._copyObject(prop1, wm);
wm.set(prop1, prop2);
}
obj2[i] = prop2;
} else {
obj2[i] = prop1;
}
}
return obj2;
}
}

View file

@ -255,7 +255,7 @@ Zotero.Translate.ItemSaver.prototype = {
var newItem = Zotero.Items.get(myID);
} else {
var file = this._parsePath(attachment.path);
if(!file || !file.exists()) return;
if(!file) return;
if (attachment.url) {
attachment.linkMode = "imported_url";
@ -316,13 +316,15 @@ Zotero.Translate.ItemSaver.prototype = {
return false;
}
if(!file.exists() && path[0] !== "/" && path.substr(0, 5).toLowerCase() !== "file:") {
if(file.exists()) {
return file;
} else if(path[0] !== "/" && path.substr(0, 5).toLowerCase() !== "file:") {
// This looks like a relative path, but it might actually be an absolute path, because
// some people are not quite there.
var newFile = this._parsePath("/"+path);
if(newFile.exists()) return newFile;
if(newFile && newFile.exists()) return newFile;
}
return file;
return false;
},
"_saveAttachmentDownload":function(attachment, parentID, attachmentCallback) {

View file

@ -2445,17 +2445,22 @@ Zotero.Browser = new function() {
hiddenBrowser.docShell.allowJavascript = true;
hiddenBrowser.docShell.allowMetaRedirects = false;
hiddenBrowser.docShell.allowPlugins = false;
Zotero.debug("created hidden browser ("
Zotero.debug("Created hidden browser ("
+ (win.document.getElementsByTagName('browser').length - 1) + ")");
return hiddenBrowser;
}
function deleteHiddenBrowser(myBrowser) {
myBrowser.stop();
myBrowser.destroy();
myBrowser.parentNode.removeChild(myBrowser);
myBrowser = null;
Zotero.debug("deleted hidden browser");
function deleteHiddenBrowser(myBrowsers) {
if(!myBrowsers instanceof Array) myBrowsers = [myBrowsers];
for(var i=0; i<myBrowsers.length; i++) {
var myBrowser = myBrowsers[i];
myBrowser.stop();
myBrowser.destroy();
myBrowser.parentNode.removeChild(myBrowser);
myBrowser = null;
Zotero.debug("Deleted hidden browser ("
+ (win.document.getElementsByTagName('browser').length - 1) + ")");
}
}
}

View file

@ -1475,7 +1475,7 @@ var ZoteroPane = new function()
var id = newItem.save();
var newItem = Zotero.Items.get(id);
item.clone(false, newItem);
item.clone(false, newItem, false, !Zotero.Prefs.get('groups.copyTags'));
newItem.save();
if (this.itemsView._itemGroup.isCollection() && !newItem.getSource()) {

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">
@ -136,7 +137,7 @@
<!ENTITY zotero.preferences.proxies.desc_before_link "Zotero will transparently redirect requests through saved proxies. See the">
<!ENTITY zotero.preferences.proxies.desc_link "proxy documentation">
<!ENTITY zotero.preferences.proxies.desc_after_link "for more information.">
<!ENTITY zotero.preferences.proxies.transparent "Transparently redirect requests through previously used proxies">
<!ENTITY zotero.preferences.proxies.transparent "Enable proxy redirection">
<!ENTITY zotero.preferences.proxies.autoRecognize "Automatically recognize proxied resources">
<!ENTITY zotero.preferences.proxies.disableByDomain "Disable proxy redirection when my domain name contains ">
<!ENTITY zotero.preferences.proxies.configured "Configured Proxies">
@ -152,14 +153,14 @@
<!ENTITY zotero.preferences.proxies.f_variable "&#37;f - The filename (e.g., index.html)">
<!ENTITY zotero.preferences.proxies.a_variable "&#37;a - Any string">
<!ENTITY zotero.preferences.prefpane.advanced "Gevorderd">
<!ENTITY zotero.preferences.prefpane.advanced "Advanced">
<!ENTITY zotero.preferences.prefpane.locate "Locate">
<!ENTITY zotero.preferences.locate.locateEngineManager "Article Lookup Engine Manager">
<!ENTITY zotero.preferences.locate.description "Description">
<!ENTITY zotero.preferences.locate.name "Name">
<!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.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 &#34;Add&#34; from Zotero's Locate menu.">
<!ENTITY zotero.preferences.locate.restoreDefaults "Restore Defaults">
<!ENTITY zotero.preferences.charset "Character Encoding">

View file

@ -130,9 +130,11 @@
<!ENTITY zotero.selectitems.cancel.label "Cancel">
<!ENTITY zotero.selectitems.select.label "OK">
<!ENTITY zotero.bibliography.title "Create Bibliography">
<!ENTITY zotero.bibliography.title "Create Citation/Bibliography">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Save as RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Save as HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=Directory Not Empty
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=Partial
exportOptions.exportNotes=Export Notes
exportOptions.exportFileData=Export Files
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Report
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=Fields
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "الملاحظات الفرعية">
<!ENTITY zotero.preferences.groups.childFiles "اللقطات الفرعية والملفات المستوردة">
<!ENTITY zotero.preferences.groups.childLinks "الروابط الفرعية">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "الرابط المفتوح">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "إنشاء ببليوجرافية">
<!ENTITY zotero.bibliography.style.label "نمط الاستشهاد:">
<!ENTITY zotero.bibliography.output.label "شكل المخرجات">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "حفظ كملف RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "حفظ كملف HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "نسخ للحافظة">

View file

@ -405,12 +405,12 @@ fileTypes.document=مستند
save.attachment=حفظ اللقطة...
save.link=حفظ الرابط...
save.link.error=An error occurred while saving this link.
save.link.error=حدث خطأ أثناء حفظ هذا الرابط
save.error.cannotMakeChangesToCollection=You cannot make changes to the currently selected collection.
save.error.cannotAddFilesToCollection=You cannot add files to the currently selected collection.
ingester.saveToZotero=حفظ في زوتيرو
ingester.saveToZoteroUsing=Save to Zotero using "%S"
ingester.saveToZoteroUsing=احفظ في زتوروه باستخدام تحت اسم "%S"
ingester.scraping=حفظ العنصر...
ingester.scrapeComplete=تم حفظ العنصر
ingester.scrapeError=تعذر حفظ العنصر
@ -422,8 +422,8 @@ ingester.importReferRISDialog.title=استيراد زوتيرو لملفات RIS
ingester.importReferRISDialog.text=هل ترغب في استيراد العناصر من "%1$S" إلى زوتيرو؟\n\nتستطيع تعطيل خاصية الاستيراد التلقائي لملفات RIS/Refer من خلال تفضيلات زوتيرو.
ingester.importReferRISDialog.checkMsg=السماح دائما لهذا الموقع
ingester.importFile.title=Import File
ingester.importFile.text=Do you want to import the file "%S"?\n\nItems will be added to a new collection.
ingester.importFile.title=استورد ملف
ingester.importFile.text=هل تريد استيراد الملف "%S"?\n\nستضاف الخانات إلى مجموعة جديدة.
ingester.lookup.performing=Performing Lookup…
ingester.lookup.error=An error occurred while performing lookup for this item.
@ -551,6 +551,7 @@ fulltext.indexState.partial=مكشف جزئياً
exportOptions.exportNotes=تصدير الملاحظات
exportOptions.exportFileData=تصدير الملفات
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=يونيكود (UTF-8 بدون BOM)
charset.autoDetect=(التعرف التلقائي)
@ -566,6 +567,8 @@ citation.multipleSources=مصادر متعددة...
citation.singleSource=مصدر واحد...
citation.showEditor=عرض المحرر...
citation.hideEditor=إخفاء المحرر...
citation.citation=Citation
citation.note=Note
report.title.default=تقرير زوتيرو
report.parentItem=عنصر رئيسي:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "Дъщерни бележки">
<!ENTITY zotero.preferences.groups.childFiles "Дъщерни">
<!ENTITY zotero.preferences.groups.childLinks "Дъщерни връзки">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Създава библиография">
<!ENTITY zotero.bibliography.style.label "Стил на цитиране:">
<!ENTITY zotero.bibliography.output.label "Изходящ формат:">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Записва като RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Записва като HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Копира в клипборда">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Частичен
exportOptions.exportNotes=Износ на бележки
exportOptions.exportFileData=Износ на Файлове
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Уникод (UTF-8 без BOM)
charset.autoDetect=(автоматично откриване)
@ -566,6 +567,8 @@ citation.multipleSources=Много източници...
citation.singleSource=Един източник...
citation.showEditor=Показва редактора...
citation.hideEditor=Скрива редактора...
citation.citation=Citation
citation.note=Note
report.title.default=Зотеро отчет
report.parentItem=Родителски запис:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "notes descendents">
<!ENTITY zotero.preferences.groups.childFiles "instantànies descendents i fitxers importats">
<!ENTITY zotero.preferences.groups.childLinks "enllaços descendents">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Crea Bibliografia">
<!ENTITY zotero.bibliography.style.label "Estil de cites:">
<!ENTITY zotero.bibliography.output.label "Format de sortida">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Desa com a RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Desa com a HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Desa al portaretalls">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Parcial
exportOptions.exportNotes=Exportar les notes
exportOptions.exportFileData=Exportar els arxius adjunts
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 sense BOM)
charset.autoDetect=(Detecció automàtica)
@ -566,6 +567,8 @@ citation.multipleSources=Múltiples fonts...
citation.singleSource=Única font...
citation.showEditor=Mostra editor...
citation.hideEditor=Oculta editor...
citation.citation=Citation
citation.note=Note
report.title.default=Informe de Zotero
report.parentItem=Element pare:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "dceřiné poznámky">
<!ENTITY zotero.preferences.groups.childFiles "dceřiné snímky a importované soubory">
<!ENTITY zotero.preferences.groups.childLinks "dceřiné odkazy">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -106,7 +106,7 @@
<!ENTITY zotero.toolbar.newNote "Nová poznámka">
<!ENTITY zotero.toolbar.note.standalone "Nová samostatná poznámka">
<!ENTITY zotero.toolbar.note.child "Přidat dceřinnou poznámku">
<!ENTITY zotero.toolbar.note.child "Přidat dceřinou poznámku">
<!ENTITY zotero.toolbar.lookup "Vyhledat s pomocí identifikátoru...">
<!ENTITY zotero.toolbar.attachment.linked "Odkaz na soubor...">
<!ENTITY zotero.toolbar.attachment.add "Uložit kopii souboru...">
@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Vytvořit bibliografii">
<!ENTITY zotero.bibliography.style.label "Citační styl:">
<!ENTITY zotero.bibliography.output.label "Formát výstupu">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Uložit jako RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Uložit jako HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopírovat do schránky">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Částečný
exportOptions.exportNotes=Exportovat poznámky
exportOptions.exportFileData=Exportovat soubory
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 bez BOM)
charset.autoDetect=(automaticky detekovat)
@ -566,6 +567,8 @@ citation.multipleSources=Více zdrojů...
citation.singleSource=Jednotlivý zdroj...
citation.showEditor=Zobrazit editor...
citation.hideEditor=Skrýt editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero report
report.parentItem=Rodičovská položka:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "underliggende Noter">
<!ENTITY zotero.preferences.groups.childFiles "underliggende &quot;Snapshots&quot; og importerede filer">
<!ENTITY zotero.preferences.groups.childLinks "underliggende links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Opret bibliografien">
<!ENTITY zotero.bibliography.style.label "Reference-stil:">
<!ENTITY zotero.bibliography.output.label "Outputformat">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Gem som RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Gem som HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopier til udklipsholder">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Delvis
exportOptions.exportNotes=Eksporter Noter
exportOptions.exportFileData=Eksporter filer
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 uden BOM)
charset.autoDetect=(auto-genkend.)
@ -566,6 +567,8 @@ citation.multipleSources=Flere kilder...
citation.singleSource=En enkelt kilde...
citation.showEditor=Vis Editor...
citation.hideEditor=Skjul Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-rapport
report.parentItem=Overordnet Element
@ -621,7 +624,7 @@ integration.error.invalidStyle=Det bibliografiske format som du har valgt ser ik
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Elementet %1$S i denne henvisning findes ikke længere i din Zotero-database. Vil du vælge et andet til erstatning?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "zugehörige Notizen">
<!ENTITY zotero.preferences.groups.childFiles "zugehörige Schnappschüsse und importierte Dateien">
<!ENTITY zotero.preferences.groups.childLinks "zugehörige Links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -5,7 +5,7 @@
<!ENTITY zotero.search.joinMode.all "allen">
<!ENTITY zotero.search.joinMode.suffix "der folgenden:">
<!ENTITY zotero.search.recursive.label "Unterverzeichnisse durchsuchen">
<!ENTITY zotero.search.recursive.label "Untersammlungen durchsuchen">
<!ENTITY zotero.search.noChildren "Nur Einträge der obersten Ebene anzeigen">
<!ENTITY zotero.search.includeParentsAndChildren "Über- und untergeordnete Einträge von Treffern einschließen">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Literaturverzeichnis erstellen">
<!ENTITY zotero.bibliography.style.label "Zitierstil:">
<!ENTITY zotero.bibliography.output.label "Ausgabeformat">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Als RTF speichern">
<!ENTITY zotero.bibliography.saveAsHTML.label "Als HTML speichern">
<!ENTITY zotero.bibliography.copyToClipboard.label "In die Zwischenablage kopieren">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Unvollständig
exportOptions.exportNotes=Notizen exportieren
exportOptions.exportFileData=Dateien exportieren
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 ohne BOM)
charset.autoDetect=(automatisch erkennen)
@ -566,6 +567,8 @@ citation.multipleSources=Mehrere Quellen...
citation.singleSource=Einzelne Quelle...
citation.showEditor=Editor anzeigen...
citation.hideEditor=Editor verbergen...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-Bericht
report.parentItem=Übergeordneter Eintrag:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -130,9 +130,11 @@
<!ENTITY zotero.selectitems.cancel.label "Cancel">
<!ENTITY zotero.selectitems.select.label "OK">
<!ENTITY zotero.bibliography.title "Create Bibliography">
<!ENTITY zotero.bibliography.title "Create Citation/Bibliography">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Save as RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Save as HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=Directory Not Empty
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=Partial
exportOptions.exportNotes=Export Notes
exportOptions.exportFileData=Export Files
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Report
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=Fields
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -39,6 +39,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -7,39 +7,40 @@
<!ENTITY zotero.preferences.prefpane.general "General">
<!ENTITY zotero.preferences.userInterface "Interfaz de usuario">
<!ENTITY zotero.preferences.showIn "Load Zotero in:">
<!ENTITY zotero.preferences.showIn.browserPane "Browser pane">
<!ENTITY zotero.preferences.showIn.separateTab "Separate tab">
<!ENTITY zotero.preferences.showIn.appTab "App tab">
<!ENTITY zotero.preferences.showIn "Cargar Zotero en:">
<!ENTITY zotero.preferences.showIn.browserPane "Panel de navegador">
<!ENTITY zotero.preferences.showIn.separateTab "Lengüeta de separación">
<!ENTITY zotero.preferences.showIn.appTab "Lengüeta de aplicación">
<!ENTITY zotero.preferences.statusBarIcon "Icono en la barra de estado:">
<!ENTITY zotero.preferences.statusBarIcon.none "Nada">
<!ENTITY zotero.preferences.fontSize "Tamaño de letra:">
<!ENTITY zotero.preferences.fontSize.small "Pequeña">
<!ENTITY zotero.preferences.fontSize.medium "Mediana">
<!ENTITY zotero.preferences.fontSize.large "Grande">
<!ENTITY zotero.preferences.fontSize.xlarge "X-Large">
<!ENTITY zotero.preferences.fontSize.xlarge "Súper grande">
<!ENTITY zotero.preferences.fontSize.notes "Tamaño de letra en las notas:">
<!ENTITY zotero.preferences.miscellaneous "Miscelánea">
<!ENTITY zotero.preferences.autoUpdate "Comprobar automáticamente si hay traductores actualizados">
<!ENTITY zotero.preferences.updateNow "Hacerlo ahora">
<!ENTITY zotero.preferences.reportTranslationFailure "Informar de fallos en los traductores de página">
<!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 "Permitir que zotero.org personalice contenido basándose en la versión actual de Zotero">
<!ENTITY zotero.preferences.zoteroDotOrgVersionHeader.tooltip "Si se habilita, la versión actual de Zotero se agregará a las peticiones HTTP a zotero.org">
<!ENTITY zotero.preferences.parseRISRefer "Usar Zotero para los ficheros RIS/Refer descargados">
<!ENTITY zotero.preferences.automaticSnapshots "Tomar instantáneas automáticamente al crear ítems a partir de páginas Web">
<!ENTITY zotero.preferences.downloadAssociatedFiles "Adjuntar automáticamente los archivos PDF y de otros tipos al guardar ítems">
<!ENTITY zotero.preferences.automaticTags "Marcar ítems automáticamente con palabras clave y cabeceras de asunto">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPre "Automatically remove items in the trash deleted more than">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPost "days ago">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPre "Eliminar automáticamente ítems de la papelera que fueron borrados hace más de ">
<!ENTITY zotero.preferences.trashAutoEmptyDaysPost "días">
<!ENTITY zotero.preferences.groups "Grupos">
<!ENTITY zotero.preferences.groups.whenCopyingInclude "Al copiar ítems entre bibliotecas, incluir:">
<!ENTITY zotero.preferences.groups.childNotes "notas subordinadas">
<!ENTITY zotero.preferences.groups.childFiles "capturas subordinadas y ficheros importados">
<!ENTITY zotero.preferences.groups.childLinks "enlaces subordinados">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">
<!ENTITY zotero.preferences.openurl.caption "AbrirURL">
<!ENTITY zotero.preferences.openurl.search "Buscar servidores">
<!ENTITY zotero.preferences.openurl.custom "Personalizar...">
@ -64,12 +65,12 @@
<!ENTITY zotero.preferences.sync.reset.fullSync "Sincronización completa con el servidor Zotero">
<!ENTITY zotero.preferences.sync.reset.fullSync.desc "Mezclar los datos locales de Zotero con los del servidor, descartando el historial de sincronización.">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer "Restaurar desde el servidor Zotero">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer.desc "Erase all local Zotero data and restore from the sync server.">
<!ENTITY zotero.preferences.sync.reset.restoreToServer "Restore to Zotero Server">
<!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Erase all server data and overwrite with local Zotero data.">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Reset File Sync History">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Force checking of the storage server for all local attachment files.">
<!ENTITY zotero.preferences.sync.reset.button "Reset...">
<!ENTITY zotero.preferences.sync.reset.restoreFromServer.desc "Eliminar toda la información local Zotero y restaurar del servidor de sincronización.">
<!ENTITY zotero.preferences.sync.reset.restoreToServer "Restaurar al servidor Zotero">
<!ENTITY zotero.preferences.sync.reset.restoreToServer.desc "Borrar toda la información del servidor y sobreescribir con la información local de Zotero.">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory "Reajustar la historia de sincronización de archivo">
<!ENTITY zotero.preferences.sync.reset.resetFileSyncHistory.desc "Forzar la comprobación del servidor de almacenamiento de todos los archivos adjuntos locales.">
<!ENTITY zotero.preferences.sync.reset.button "Reajustar...">
<!ENTITY zotero.preferences.prefpane.search "Búsqueda">
@ -99,19 +100,19 @@
<!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath "Dominio/camino">
<!ENTITY zotero.preferences.quickCopy.siteEditor.domainPath.example "(p.ej. wikipedia.org)">
<!ENTITY zotero.preferences.quickCopy.siteEditor.outputFormat "Formato de salida">
<!ENTITY zotero.preferences.quickCopy.dragLimit "Disable Quick Copy when dragging more than">
<!ENTITY zotero.preferences.quickCopy.dragLimit "Deshabilitar Copiado rápido cuando arrastre más de">
<!ENTITY zotero.preferences.prefpane.cite "Cite">
<!ENTITY zotero.preferences.cite.styles "Styles">
<!ENTITY zotero.preferences.cite.wordProcessors "Word Processors">
<!ENTITY zotero.preferences.cite.wordProcessors.noWordProcessorPluginsInstalled "No word processor plug-ins are currently installed.">
<!ENTITY zotero.preferences.cite.wordProcessors.getPlugins "Get word processor plug-ins...">
<!ENTITY zotero.preferences.prefpane.cite "Citar">
<!ENTITY zotero.preferences.cite.styles "Estilos">
<!ENTITY zotero.preferences.cite.wordProcessors "Procesadores de texto">
<!ENTITY zotero.preferences.cite.wordProcessors.noWordProcessorPluginsInstalled "No hay complementos de procesador de textos instalados.">
<!ENTITY zotero.preferences.cite.wordProcessors.getPlugins "Conseguir complementos de procesador de textos...">
<!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 "Utilizar el cuadro de diálogo clásico Agregar cita">
<!ENTITY zotero.preferences.cite.styles.styleManager "Style Manager">
<!ENTITY zotero.preferences.cite.styles.styleManager.title "Title">
<!ENTITY zotero.preferences.cite.styles.styleManager.updated "Updated">
<!ENTITY zotero.preferences.cite.styles.styleManager "Administrador de estilo">
<!ENTITY zotero.preferences.cite.styles.styleManager.title "Título">
<!ENTITY zotero.preferences.cite.styles.styleManager.updated "Actualizado">
<!ENTITY zotero.preferences.cite.styles.styleManager.csl "CSL">
<!ENTITY zotero.preferences.export.getAdditionalStyles "Obtener estilos adicionales...">
@ -126,45 +127,45 @@
<!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.copySelectedItemsToClipboard "Copiar los ítems seleccionados al portapapeles">
<!ENTITY zotero.preferences.keys.importFromClipboard "Import from Clipboard">
<!ENTITY zotero.preferences.keys.importFromClipboard "Importar desde el portapapeles">
<!ENTITY zotero.preferences.keys.overrideGlobal "Intentar suprimir los atajos de otras aplicaciones que coincidan">
<!ENTITY zotero.preferences.keys.changesTakeEffect "Los cambios tendrán efecto sólo en las ventanas nuevas">
<!ENTITY zotero.preferences.prefpane.proxies "Proxies">
<!ENTITY zotero.preferences.prefpane.proxies "Servidores Proxies">
<!ENTITY zotero.preferences.proxies.proxyOptions "Proxy Options">
<!ENTITY zotero.preferences.proxies.desc_before_link "Zotero will transparently redirect requests through saved proxies. See the">
<!ENTITY zotero.preferences.proxies.desc_link "proxy documentation">
<!ENTITY zotero.preferences.proxies.desc_after_link "for more information.">
<!ENTITY zotero.preferences.proxies.proxyOptions "Opciones de servidor proxy">
<!ENTITY zotero.preferences.proxies.desc_before_link "Zotero transparentemente redirigirá las peticiones a través de los servidores proxies guardados. Consulte la">
<!ENTITY zotero.preferences.proxies.desc_link "Documentación del servidor proxy">
<!ENTITY zotero.preferences.proxies.desc_after_link "para mayor información.">
<!ENTITY zotero.preferences.proxies.transparent "Transparently redirect requests through previously used proxies">
<!ENTITY zotero.preferences.proxies.autoRecognize "Automatically recognize proxied resources">
<!ENTITY zotero.preferences.proxies.disableByDomain "Disable proxy redirection when my domain name contains ">
<!ENTITY zotero.preferences.proxies.configured "Configured Proxies">
<!ENTITY zotero.preferences.proxies.hostname "Hostname">
<!ENTITY zotero.preferences.proxies.scheme "Scheme">
<!ENTITY zotero.preferences.proxies.autoRecognize "Automáticamente reconocer recursos proxificados">
<!ENTITY zotero.preferences.proxies.disableByDomain "Deshabilitar el redireccionamiento del servidor proxy cuando el nombre del dominio contenga">
<!ENTITY zotero.preferences.proxies.configured "Servidores proxies configurados">
<!ENTITY zotero.preferences.proxies.hostname "Nombre del sistema">
<!ENTITY zotero.preferences.proxies.scheme "Esquema">
<!ENTITY zotero.preferences.proxies.multiSite "Multi-Site">
<!ENTITY zotero.preferences.proxies.autoAssociate "Automatically associate new hosts">
<!ENTITY zotero.preferences.proxies.variables "You may use the following variables in your proxy scheme:">
<!ENTITY zotero.preferences.proxies.h_variable "&#37;h - The hostname of the proxied site (e.g., 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.d_variable "&#37;d - The directory path (e.g., about/)">
<!ENTITY zotero.preferences.proxies.f_variable "&#37;f - The filename (e.g., index.html)">
<!ENTITY zotero.preferences.proxies.a_variable "&#37;a - Any string">
<!ENTITY zotero.preferences.proxies.multiSite "Multi-sitio">
<!ENTITY zotero.preferences.proxies.autoAssociate "Automáticamente asociar nuevos hosts">
<!ENTITY zotero.preferences.proxies.variables "Puede usar las siguientes variables en su esquema del servidor proxy:">
<!ENTITY zotero.preferences.proxies.h_variable "&#37;h - El nombre del sistema del sitio proxificado (ejemplo: www.zotero.org)">
<!ENTITY zotero.preferences.proxies.p_variable "&#37;p - La ruta de la página proxificado excluyendo la barra invertida (ejemplo: acerca/index.html)">
<!ENTITY zotero.preferences.proxies.d_variable "&#37;d - La ruta del directorio (ejemplo: acerca/)">
<!ENTITY zotero.preferences.proxies.f_variable "&#37;f - El nombre de archivo (ejemplo: index.html)">
<!ENTITY zotero.preferences.proxies.a_variable "&#37;a - Cualquier cadena">
<!ENTITY zotero.preferences.prefpane.advanced "Avanzadas">
<!ENTITY zotero.preferences.prefpane.locate "Locate">
<!ENTITY zotero.preferences.locate.locateEngineManager "Article Lookup Engine Manager">
<!ENTITY zotero.preferences.locate.description "Description">
<!ENTITY zotero.preferences.locate.name "Name">
<!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.prefpane.locate "Localizar">
<!ENTITY zotero.preferences.locate.locateEngineManager "Administrador de motor de búsqueda de artículo">
<!ENTITY zotero.preferences.locate.description "Descripción">
<!ENTITY zotero.preferences.locate.name "Nombre">
<!ENTITY zotero.preferences.locate.locateEnginedescription "Un motor de búsqueda amplía la capacidad de la lista desplegable Localizar en el panel de información. Habilitando dichos motores de búsqueda a la lista de abajo, éstas se agregarán a la lista desplegable y se pueden utilizar para localizar los recursos de su biblioteca en la red.">
<!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 "Restaurar configuración por omisión">
<!ENTITY zotero.preferences.charset "Character Encoding">
<!ENTITY zotero.preferences.charset.importCharset "Import Character Encoding">
<!ENTITY zotero.preferences.charset.displayExportOption "Display character encoding option on export">
<!ENTITY zotero.preferences.charset "Codificación de caracteres">
<!ENTITY zotero.preferences.charset.importCharset "Importar codificación de caracteres">
<!ENTITY zotero.preferences.charset.displayExportOption "Mostrar opción de codificación de caracteres en la exportación">
<!ENTITY zotero.preferences.dataDir "Lugar de almacenamiento">
<!ENTITY zotero.preferences.dataDir.useProfile "Usar el directorio del perfil de usuario en Firefox">
@ -186,6 +187,6 @@
<!ENTITY zotero.preferences.debugOutputLogging.clearOutput "Limpiar salida">
<!ENTITY zotero.preferences.debugOutputLogging.submitToServer "Enviar al servidor Zotero">
<!ENTITY zotero.preferences.openAboutConfig "Open about:config">
<!ENTITY zotero.preferences.openCSLEdit "Open CSL Editor">
<!ENTITY zotero.preferences.openCSLPreview "Open CSL Preview">
<!ENTITY zotero.preferences.openAboutConfig "Abrir about:config">
<!ENTITY zotero.preferences.openCSLEdit "Abrir editor CSL">
<!ENTITY zotero.preferences.openCSLPreview "Abrir prevista CSL">

View file

@ -3,11 +3,11 @@
<!ENTITY zotero.search.joinMode.prefix "Patrón">
<!ENTITY zotero.search.joinMode.any "cualquiera de">
<!ENTITY zotero.search.joinMode.all "todos">
<!ENTITY zotero.search.joinMode.suffix "los siguientes:">
<!ENTITY zotero.search.joinMode.suffix "de los siguientes:">
<!ENTITY zotero.search.recursive.label "Buscar en carpetas interiores">
<!ENTITY zotero.search.recursive.label "Buscar en subcarpetas">
<!ENTITY zotero.search.noChildren "Mostrar sólo los ítems de primer nivel">
<!ENTITY zotero.search.includeParentsAndChildren "Incluír los ítems padres e hijos de los encontrados">
<!ENTITY zotero.search.includeParentsAndChildren "Incluir los ítems padres e hijos de los ítems encontrados">
<!ENTITY zotero.search.textModes.phrase "Frase">
<!ENTITY zotero.search.textModes.phraseBinary "Frase (incl. archivos binarios)">

View file

@ -1,16 +1,16 @@
<!ENTITY preferencesCmdMac.label "Preferences…">
<!ENTITY preferencesCmdMac.label "Preferencias...">
<!ENTITY preferencesCmdMac.commandkey ",">
<!ENTITY servicesMenuMac.label "Services">
<!ENTITY hideThisAppCmdMac.label "Hide &brandShortName;">
<!ENTITY servicesMenuMac.label "Servicios">
<!ENTITY hideThisAppCmdMac.label "Ocultar &brandShortName;">
<!ENTITY hideThisAppCmdMac.commandkey "H">
<!ENTITY hideOtherAppsCmdMac.label "Hide Others">
<!ENTITY hideOtherAppsCmdMac.label "Ocultar otros">
<!ENTITY hideOtherAppsCmdMac.commandkey "H">
<!ENTITY showAllAppsCmdMac.label "Show All">
<!ENTITY quitApplicationCmdMac.label "Quit Zotero">
<!ENTITY showAllAppsCmdMac.label "Mostrar todo">
<!ENTITY quitApplicationCmdMac.label "Salir Zotero">
<!ENTITY quitApplicationCmdMac.key "Q">
<!ENTITY fileMenu.label "File">
<!ENTITY fileMenu.label "Archivo">
<!ENTITY fileMenu.accesskey "F">
<!ENTITY saveCmd.label "Save…">
<!ENTITY saveCmd.key "S">
@ -20,82 +20,82 @@
<!ENTITY printCmd.label "Print…">
<!ENTITY printCmd.key "P">
<!ENTITY printCmd.accesskey "U">
<!ENTITY closeCmd.label "Close">
<!ENTITY closeCmd.label "Cerrar">
<!ENTITY closeCmd.key "W">
<!ENTITY closeCmd.accesskey "C">
<!ENTITY quitApplicationCmdWin.label "Exit">
<!ENTITY quitApplicationCmdWin.label "Salida">
<!ENTITY quitApplicationCmdWin.accesskey "x">
<!ENTITY quitApplicationCmd.label "Quit">
<!ENTITY quitApplicationCmd.label "Salir">
<!ENTITY quitApplicationCmd.accesskey "Q">
<!ENTITY editMenu.label "Edit">
<!ENTITY editMenu.label "Editar">
<!ENTITY editMenu.accesskey "E">
<!ENTITY undoCmd.label "Undo">
<!ENTITY undoCmd.label "Deshacer">
<!ENTITY undoCmd.key "Z">
<!ENTITY undoCmd.accesskey "U">
<!ENTITY redoCmd.label "Redo">
<!ENTITY redoCmd.label "Rehacer">
<!ENTITY redoCmd.key "Y">
<!ENTITY redoCmd.accesskey "R">
<!ENTITY cutCmd.label "Cut">
<!ENTITY cutCmd.label "Cortar">
<!ENTITY cutCmd.key "X">
<!ENTITY cutCmd.accesskey "t">
<!ENTITY copyCmd.label "Copy">
<!ENTITY copyCmd.label "Copiar">
<!ENTITY copyCmd.key "C">
<!ENTITY copyCmd.accesskey "C">
<!ENTITY copyCitationCmd.label "Copy Citation">
<!ENTITY copyBibliographyCmd.label "Copy Bibliography">
<!ENTITY pasteCmd.label "Paste">
<!ENTITY copyCitationCmd.label "Copiar cita">
<!ENTITY copyBibliographyCmd.label "Copiar bibliografía">
<!ENTITY pasteCmd.label "Pegar">
<!ENTITY pasteCmd.key "V">
<!ENTITY pasteCmd.accesskey "P">
<!ENTITY deleteCmd.label "Delete">
<!ENTITY deleteCmd.label "Borrar">
<!ENTITY deleteCmd.key "D">
<!ENTITY deleteCmd.accesskey "D">
<!ENTITY selectAllCmd.label "Select All">
<!ENTITY selectAllCmd.label "Seleccionar todo">
<!ENTITY selectAllCmd.key "A">
<!ENTITY selectAllCmd.accesskey "A">
<!ENTITY preferencesCmd.label "Options…">
<!ENTITY preferencesCmd.label "Opciones...">
<!ENTITY preferencesCmd.accesskey "O">
<!ENTITY preferencesCmdUnix.label "Preferences">
<!ENTITY preferencesCmdUnix.label "Preferencias">
<!ENTITY preferencesCmdUnix.accesskey "n">
<!ENTITY findCmd.label "Find">
<!ENTITY findCmd.label "Encontrar">
<!ENTITY findCmd.accesskey "F">
<!ENTITY findCmd.commandkey "f">
<!ENTITY bidiSwitchPageDirectionItem.label "Switch Page Direction">
<!ENTITY findCmd.commandkey "F">
<!ENTITY bidiSwitchPageDirectionItem.label "Cambiar dirección de la página">
<!ENTITY bidiSwitchPageDirectionItem.accesskey "g">
<!ENTITY bidiSwitchTextDirectionItem.label "Switch Text Direction">
<!ENTITY bidiSwitchTextDirectionItem.label "Cambiar dirección del texto">
<!ENTITY bidiSwitchTextDirectionItem.accesskey "w">
<!ENTITY bidiSwitchTextDirectionItem.commandkey "X">
<!ENTITY toolsMenu.label "Tools">
<!ENTITY toolsMenu.label "Herramientas">
<!ENTITY toolsMenu.accesskey "T">
<!ENTITY addons.label "Add-ons">
<!ENTITY addons.label "Anexos">
<!ENTITY minimizeWindow.key "m">
<!ENTITY minimizeWindow.label "Minimize">
<!ENTITY bringAllToFront.label "Bring All to Front">
<!ENTITY zoomWindow.label "Zoom">
<!ENTITY windowMenu.label "Window">
<!ENTITY minimizeWindow.label "Minimizar">
<!ENTITY bringAllToFront.label "Traer todo al frente">
<!ENTITY zoomWindow.label "Acercar">
<!ENTITY windowMenu.label "Ventana">
<!ENTITY helpMenu.label "Help">
<!ENTITY helpMenu.label "Ayuda">
<!ENTITY helpMenu.accesskey "H">
<!ENTITY helpMenuWin.label "Help">
<!ENTITY helpMenuWin.label "Ayuda">
<!ENTITY helpMenuWin.accesskey "H">
<!ENTITY helpMac.commandkey "?">
<!ENTITY aboutProduct.label "About &brandShortName;">
<!ENTITY aboutProduct.label "Acerca &brandShortName;">
<!ENTITY aboutProduct.accesskey "A">
<!ENTITY productHelp.label "Support and Documentation">
<!ENTITY productHelp.label "Soporte y documentación">
<!ENTITY productHelp.accesskey "H">
<!ENTITY helpTroubleshootingInfo.label "Troubleshooting Information">
<!ENTITY helpTroubleshootingInfo.label "Información de resolución de problemas">
<!ENTITY helpTroubleshootingInfo.accesskey "T">
<!ENTITY helpFeedbackPage.label "Submit Feedback…">
<!ENTITY helpFeedbackPage.label "Someter a consulta...">
<!ENTITY helpFeedbackPage.accesskey "S">
<!ENTITY helpReportErrors.label "Report Errors to Zotero…">
<!ENTITY helpReportErrors.label "Notificar errores a Zotero...">
<!ENTITY helpReportErrors.accesskey "R">
<!ENTITY helpCheckForUpdates.label "Check for Updates…">
<!ENTITY helpCheckForUpdates.label "Comprobar actualizaciones...">
<!ENTITY helpCheckForUpdates.accesskey "U">

View file

@ -1,7 +1,7 @@
<!ENTITY zotero.general.optional "(Opcional)">
<!ENTITY zotero.general.note "Nota:">
<!ENTITY zotero.general.selectAll "Seleccionar todo">
<!ENTITY zotero.general.deselectAll "Deselect All">
<!ENTITY zotero.general.deselectAll "Deseleccionar todo">
<!ENTITY zotero.general.edit "Editar">
<!ENTITY zotero.general.delete "Borrar">
@ -37,10 +37,10 @@
<!ENTITY zotero.tabs.related.label "Relacionado">
<!ENTITY zotero.notes.separate "Modificar en una ventana aparte">
<!ENTITY zotero.toolbar.duplicate.label "Show Duplicates">
<!ENTITY zotero.collections.showUnfiledItems "Show Unfiled Items">
<!ENTITY zotero.toolbar.duplicate.label "Mostrar duplicados">
<!ENTITY zotero.collections.showUnfiledItems "Mostrar ítems unificados">
<!ENTITY zotero.items.itemType "Item Type">
<!ENTITY zotero.items.itemType "Tipo de ítem">
<!ENTITY zotero.items.type_column "Tipo">
<!ENTITY zotero.items.title_column "Título">
<!ENTITY zotero.items.creator_column "Creador">
@ -51,7 +51,7 @@
<!ENTITY zotero.items.journalAbbr_column "Abrev. de la revista">
<!ENTITY zotero.items.language_column "Idioma">
<!ENTITY zotero.items.accessDate_column "Visto">
<!ENTITY zotero.items.libraryCatalog_column "Library Catalog">
<!ENTITY zotero.items.libraryCatalog_column "Catálogo de biblioteca">
<!ENTITY zotero.items.callNumber_column "Número de catálogo">
<!ENTITY zotero.items.rights_column "Derechos">
<!ENTITY zotero.items.dateAdded_column "Fecha de adición">
@ -62,11 +62,11 @@
<!ENTITY zotero.items.menu.attach "Añadir adjunto">
<!ENTITY zotero.items.menu.attach.snapshot "Adjuntar una instantánea de la página actual">
<!ENTITY zotero.items.menu.attach.link "Adjuntar un enlace hacia la página actual">
<!ENTITY zotero.items.menu.attach.link.uri "Attach Link to URI…">
<!ENTITY zotero.items.menu.attach.link.uri "Adjuntar un enlace a URI...">
<!ENTITY zotero.items.menu.attach.file "Añadir copia guardada del fichero...">
<!ENTITY zotero.items.menu.attach.fileLink "Añadir enlace al fichero...">
<!ENTITY zotero.items.menu.restoreToLibrary "Restore to Library">
<!ENTITY zotero.items.menu.restoreToLibrary "Restaurar a la biblioteca">
<!ENTITY zotero.items.menu.duplicateItem "Duplicar el ítem seleccionado">
<!ENTITY zotero.items.menu.mergeItems "Merge Items…">
@ -76,25 +76,25 @@
<!ENTITY zotero.toolbar.newItem.label "Nuevo ítem">
<!ENTITY zotero.toolbar.moreItemTypes.label "Más">
<!ENTITY zotero.toolbar.newItemFromPage.label "Crear un ítem nuevo a partir de la página actual">
<!ENTITY zotero.toolbar.lookup.label "Add Item by Identifier">
<!ENTITY zotero.toolbar.lookup.label "Agregar ítem por identificador">
<!ENTITY zotero.toolbar.removeItem.label "Eliminar ítem...">
<!ENTITY zotero.toolbar.newCollection.label "Nueva colección...">
<!ENTITY zotero.toolbar.newGroup "New Group...">
<!ENTITY zotero.toolbar.newGroup "Nuevo grupo...">
<!ENTITY zotero.toolbar.newSubcollection.label "Nueva subcolección...">
<!ENTITY zotero.toolbar.newSavedSearch.label "Nueva búsqueda guardada...">
<!ENTITY zotero.toolbar.emptyTrash.label "Empty Trash">
<!ENTITY zotero.toolbar.emptyTrash.label "Vaciar la papelera">
<!ENTITY zotero.toolbar.tagSelector.label "Mostar/esconder el selector de marcas">
<!ENTITY zotero.toolbar.actions.label "Acciones">
<!ENTITY zotero.toolbar.import.label "Importar...">
<!ENTITY zotero.toolbar.importFromClipboard "Import from Clipboard">
<!ENTITY zotero.toolbar.importFromClipboard "Importar desde el portapapeles">
<!ENTITY zotero.toolbar.export.label "Exportar biblioteca...">
<!ENTITY zotero.toolbar.rtfScan.label "RTF Scan...">
<!ENTITY zotero.toolbar.timeline.label "Crear una cronografía">
<!ENTITY zotero.toolbar.preferences.label "Preferencias...">
<!ENTITY zotero.toolbar.supportAndDocumentation "Support and Documentation">
<!ENTITY zotero.toolbar.supportAndDocumentation "Soporte y documentación">
<!ENTITY zotero.toolbar.about.label "Acerca de Zotero">
<!ENTITY zotero.toolbar.advancedSearch "Búsqueda avanzada">
<!ENTITY zotero.toolbar.tab.tooltip "Toggle Tab Mode">
<!ENTITY zotero.toolbar.tab.tooltip "Intercambiar Modo Lengüeta">
<!ENTITY zotero.toolbar.openURL.label "Localizar">
<!ENTITY zotero.toolbar.openURL.tooltip "Encontrar mediante tu biblioteca local">
@ -102,12 +102,12 @@
<!ENTITY zotero.item.attachment.file.show "Mostar archivo">
<!ENTITY zotero.item.textTransform "Transformar texto">
<!ENTITY zotero.item.textTransform.titlecase "Capitalización De Título">
<!ENTITY zotero.item.textTransform.sentencecase "Sentence case">
<!ENTITY zotero.item.textTransform.sentencecase "Capitalización de oración">
<!ENTITY zotero.toolbar.newNote "New Note">
<!ENTITY zotero.toolbar.newNote "Nueva nota">
<!ENTITY zotero.toolbar.note.standalone "Nueva nota independiente">
<!ENTITY zotero.toolbar.note.child "Add Child Note">
<!ENTITY zotero.toolbar.lookup "Lookup by Identifier...">
<!ENTITY zotero.toolbar.note.child "Agregar nota subordinada">
<!ENTITY zotero.toolbar.lookup "Buscar por identificador...">
<!ENTITY zotero.toolbar.attachment.linked "Enlazar al archivo...">
<!ENTITY zotero.toolbar.attachment.add "Guardar copia del archivo...">
<!ENTITY zotero.toolbar.attachment.weblink "Guardar un enlace hacia la página actual">
@ -116,14 +116,14 @@
<!ENTITY zotero.tagSelector.noTagsToDisplay "No hay marcas que mostrar">
<!ENTITY zotero.tagSelector.filter "Filtro:">
<!ENTITY zotero.tagSelector.showAutomatic "Mostrar las automáticas">
<!ENTITY zotero.tagSelector.displayAllInLibrary "Display all tags in this library">
<!ENTITY zotero.tagSelector.displayAllInLibrary "Mostrar todas las marcas en esta biblioteca">
<!ENTITY zotero.tagSelector.selectVisible "Seleccionar las visibles">
<!ENTITY zotero.tagSelector.clearVisible "Descartar las visibles">
<!ENTITY zotero.tagSelector.clearAll "Sin selección">
<!ENTITY zotero.tagSelector.renameTag "Cambiar nombre...">
<!ENTITY zotero.tagSelector.deleteTag "Borrar marca...">
<!ENTITY zotero.lookup.description "Enter the ISBN, DOI, or PMID to look up in the box below.">
<!ENTITY zotero.lookup.description "Introduce el ISBN, DOI o PMID para buscar en la caja de abajo.">
<!ENTITY zotero.selectitems.title "Seleccionar ítems">
<!ENTITY zotero.selectitems.intro.label "Marca los ítems que te apetezca añadir a tu biblioteca">
@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Crear bibliografía">
<!ENTITY zotero.bibliography.style.label "Estilo de cita:">
<!ENTITY zotero.bibliography.output.label "Formato de salida">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Guardar como RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Guardar como HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copiar al portapapeles">
@ -148,8 +150,8 @@
<!ENTITY zotero.exportOptions.format.label "Formato:">
<!ENTITY zotero.exportOptions.translatorOptions.label "Opciones del traductor">
<!ENTITY zotero.charset.label "Character Encoding">
<!ENTITY zotero.moreEncodings.label "More Encodings">
<!ENTITY zotero.charset.label "Codificación de caracteres">
<!ENTITY zotero.moreEncodings.label "Más codificaciones">
<!ENTITY zotero.citation.keepSorted.label "Mantener las fuentes ordenadas">
@ -181,67 +183,67 @@
<!ENTITY zotero.integration.prefs.bookmarks.label "Marcadores">
<!ENTITY zotero.integration.prefs.bookmarks.caption "Los marcadores se mantienen en Microsoft Word y OpenOffice, pero puede que se modifiquen accidentalmente.">
<!ENTITY zotero.integration.prefs.storeReferences.label "Store references in document">
<!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.label "Guardar las referencias en el documento">
<!ENTITY zotero.integration.prefs.storeReferences.caption "Guardar las referencias en el documento incrementa ligeramente el tamaño del archivo, pero te permitirá compartir tu documento con otros sin usar un grupo Zotero. Se necesita Zotero 3.0 o posterior para actualizar documentos creados con esta opción.">
<!ENTITY zotero.integration.showEditor.label "Show Editor">
<!ENTITY zotero.integration.classicView.label "Classic View">
<!ENTITY zotero.integration.showEditor.label "Mostrar editor">
<!ENTITY zotero.integration.classicView.label "Vista clásica">
<!ENTITY zotero.integration.references.label "Referencias en la bibliografía">
<!ENTITY zotero.sync.button "Sync with Zotero Server">
<!ENTITY zotero.sync.error "Sync Error">
<!ENTITY zotero.sync.storage.progress "Progress:">
<!ENTITY zotero.sync.storage.downloads "Downloads:">
<!ENTITY zotero.sync.storage.uploads "Uploads:">
<!ENTITY zotero.sync.button "Sincronizar con servidor Zotero">
<!ENTITY zotero.sync.error "Error de sincronización">
<!ENTITY zotero.sync.storage.progress "Progreso:">
<!ENTITY zotero.sync.storage.downloads "Descargas:">
<!ENTITY zotero.sync.storage.uploads "Cargas:">
<!ENTITY zotero.sync.longTagFixer.followingTagTooLong "The following tag in your Zotero library is too long to sync to the server:">
<!ENTITY zotero.sync.longTagFixer.syncedTagSizeLimit "Synced tags must be shorter than 256 characters.">
<!ENTITY zotero.sync.longTagFixer.splitEditDelete "You can either split the tag into multiple tags, edit the tag manually to shorten it, or delete it.">
<!ENTITY zotero.sync.longTagFixer.split "Split">
<!ENTITY zotero.sync.longTagFixer.splitAtThe "Split at the">
<!ENTITY zotero.sync.longTagFixer.character "character">
<!ENTITY zotero.sync.longTagFixer.characters "characters">
<!ENTITY zotero.sync.longTagFixer.uncheckedTagsNotSaved "Unchecked tags will not be saved.">
<!ENTITY zotero.sync.longTagFixer.tagWillBeDeleted "The tag will be deleted from all items.">
<!ENTITY zotero.sync.longTagFixer.followingTagTooLong "La siguiente etiqueta en su biblioteca Zotero es demasiado extensa para sincronizar con el servidor:">
<!ENTITY zotero.sync.longTagFixer.syncedTagSizeLimit "Etiquetas sincronizadas deben ser menos de 256 caracteres.">
<!ENTITY zotero.sync.longTagFixer.splitEditDelete "Puede dividir una etiqueta a múltiples etiquetas, editar la etiqueta manualmente para acortarla, o borrarla.">
<!ENTITY zotero.sync.longTagFixer.split "Dividir">
<!ENTITY zotero.sync.longTagFixer.splitAtThe "Dividir a ">
<!ENTITY zotero.sync.longTagFixer.character "caracter">
<!ENTITY zotero.sync.longTagFixer.characters "caracteres">
<!ENTITY zotero.sync.longTagFixer.uncheckedTagsNotSaved "Etiquetas sin marcar no serán guardadas.">
<!ENTITY zotero.sync.longTagFixer.tagWillBeDeleted "La etiqueta será borrada de todos los ítems.">
<!ENTITY zotero.proxy.recognized.title "Proxy Recognized">
<!ENTITY zotero.proxy.recognized.warning "Only add proxies linked from your library, school, or corporate website">
<!ENTITY zotero.proxy.recognized.warning.secondary "Adding other proxies allows malicious sites to masquerade as sites you trust.">
<!ENTITY zotero.proxy.recognized.disable.label "Do not automatically redirect requests through previously recognized proxies">
<!ENTITY zotero.proxy.recognized.ignore.label "Ignore">
<!ENTITY zotero.proxy.recognized.title "Proxy reconocido">
<!ENTITY zotero.proxy.recognized.warning "Solo agregue proxies enlazados desde su biblioteca, escuela o sitio corporativo">
<!ENTITY zotero.proxy.recognized.warning.secondary "Agregando otros proxies permite a sitios maliciosos a enmascararse como sitios que Usted confía.">
<!ENTITY zotero.proxy.recognized.disable.label "No redireccione automáticamente peticiones a través de proxies previamente reconocidos">
<!ENTITY zotero.proxy.recognized.ignore.label "Ignorar">
<!ENTITY zotero.recognizePDF.recognizing.label "Retrieving Metadata...">
<!ENTITY zotero.recognizePDF.cancel.label "Cancel">
<!ENTITY zotero.recognizePDF.pdfName.label "PDF Name">
<!ENTITY zotero.recognizePDF.itemName.label "Item Name">
<!ENTITY zotero.recognizePDF.captcha.label "Type the text below to continue retrieving metadata.">
<!ENTITY zotero.recognizePDF.recognizing.label "Recuperando Metadatos...">
<!ENTITY zotero.recognizePDF.cancel.label "Cancelar">
<!ENTITY zotero.recognizePDF.pdfName.label "Nombre del PDF">
<!ENTITY zotero.recognizePDF.itemName.label "Nombre del ítem">
<!ENTITY zotero.recognizePDF.captcha.label "Tipee el texto abajo para continuar recuperando metadatos.">
<!ENTITY zotero.rtfScan.title "RTF Scan">
<!ENTITY zotero.rtfScan.cancel.label "Cancel">
<!ENTITY zotero.rtfScan.citation.label "Citation">
<!ENTITY zotero.rtfScan.itemName.label "Item Name">
<!ENTITY zotero.rtfScan.unmappedCitations.label "Unmapped Citations">
<!ENTITY zotero.rtfScan.ambiguousCitations.label "Ambiguous Citations">
<!ENTITY zotero.rtfScan.mappedCitations.label "Mapped Citations">
<!ENTITY zotero.rtfScan.introPage.label "Introduction">
<!ENTITY zotero.rtfScan.title "Escaneado RTF">
<!ENTITY zotero.rtfScan.cancel.label "Cancelar">
<!ENTITY zotero.rtfScan.citation.label "Cita">
<!ENTITY zotero.rtfScan.itemName.label "Nombre del ítem">
<!ENTITY zotero.rtfScan.unmappedCitations.label "Citas sin mapear">
<!ENTITY zotero.rtfScan.ambiguousCitations.label "Citas ambiguas">
<!ENTITY zotero.rtfScan.mappedCitations.label "Citas mapeadas">
<!ENTITY zotero.rtfScan.introPage.label "Introducción">
<!ENTITY zotero.rtfScan.introPage.description "Zotero can automatically extract and reformat citations and insert a bibliography into RTF files. To get started, choose an RTF file below.">
<!ENTITY zotero.rtfScan.introPage.description2 "To get started, select an RTF input file and an output file below:">
<!ENTITY zotero.rtfScan.scanPage.label "Scanning for Citations">
<!ENTITY zotero.rtfScan.scanPage.description "Zotero is scanning your document for citations. Please be patient.">
<!ENTITY zotero.rtfScan.citationsPage.label "Verify Cited Items">
<!ENTITY zotero.rtfScan.citationsPage.description "Please review the list of recognized citations below to ensure that Zotero has selected the corresponding items correctly. Any unmapped or ambiguous citations must be resolved before proceeding to the next step.">
<!ENTITY zotero.rtfScan.stylePage.label "Document Formatting">
<!ENTITY zotero.rtfScan.formatPage.label "Formatting Citations">
<!ENTITY zotero.rtfScan.formatPage.description "Zotero is processing and formatting your RTF file. Please be patient.">
<!ENTITY zotero.rtfScan.completePage.label "RTF Scan Complete">
<!ENTITY zotero.rtfScan.completePage.description "Your document has now been scanned and processed. Please ensure that it is formatted correctly.">
<!ENTITY zotero.rtfScan.inputFile.label "Input File">
<!ENTITY zotero.rtfScan.outputFile.label "Output File">
<!ENTITY zotero.rtfScan.introPage.description2 "Para empezar, seleccione un archivo de ingreso RTF y un archivo de salida abajo:">
<!ENTITY zotero.rtfScan.scanPage.label "Escaneando por citas">
<!ENTITY zotero.rtfScan.scanPage.description "Zotero está escaneando su documento por citas. Por favor, sea paciente.">
<!ENTITY zotero.rtfScan.citationsPage.label "Verificando ítems citados">
<!ENTITY zotero.rtfScan.citationsPage.description "Por favor, verifiqye">
<!ENTITY zotero.rtfScan.stylePage.label "Formato de documento">
<!ENTITY zotero.rtfScan.formatPage.label "Formato de citas">
<!ENTITY zotero.rtfScan.formatPage.description "Zotero está procesando y dando formato a su archivo RTF. Por favor, sea paciente.">
<!ENTITY zotero.rtfScan.completePage.label "Escaneado RTF completado">
<!ENTITY zotero.rtfScan.completePage.description "Su documebto ha sido escaneado y procesado. Por favor, asegúrese que esté con el formato correcto.">
<!ENTITY zotero.rtfScan.inputFile.label "Archivo de entrada">
<!ENTITY zotero.rtfScan.outputFile.label "Archivo de salida">
<!ENTITY zotero.file.choose.label "Choose File...">
<!ENTITY zotero.file.noneSelected.label "No file selected">
<!ENTITY zotero.file.choose.label "Elegir archivo...">
<!ENTITY zotero.file.noneSelected.label "Ningún archivo seleccionado">
<!ENTITY zotero.downloadManager.label "Save to Zotero">
<!ENTITY zotero.downloadManager.saveToLibrary.description "Attachments cannot be saved to the currently selected library. This item will be saved to your library instead.">
<!ENTITY zotero.downloadManager.noPDFTools.description "To use this feature, you must first install the PDF tools in the Zotero preferences.">
<!ENTITY zotero.downloadManager.label "Guardar en Zotero">
<!ENTITY zotero.downloadManager.saveToLibrary.description "Los archivos adjuntos no se pueden guardar en la biblioteca seleccionada. Así, este ítem será guardado en su biblioteca.">
<!ENTITY zotero.downloadManager.noPDFTools.description "Para utilizar esta función, debe primeramente instalar las herramientas PDF en las preferencias de Zotero.">

View file

@ -14,10 +14,10 @@ general.restartLater=Reiniciar más tarde
general.restartApp=Restart %S
general.errorHasOccurred=Ha ocurrido un error.
general.unknownErrorOccurred=Ha ocurrido un error desconocido.
general.restartFirefox=Reinicia Firefox, por favor.
general.restartFirefoxAndTryAgain=Reinicia Firefox y prueba de nuevo.
general.restartFirefox=Por favor reinicia %S.
general.restartFirefoxAndTryAgain=Por favor reinicia %S y prueba de nuevo.
general.checkForUpdate=Comprobar si hay actualizaciones
general.actionCannotBeUndone=This action cannot be undone.
general.actionCannotBeUndone=Esta acción no puede deshacerse.
general.install=Instalar
general.updateAvailable=Actualización disponible
general.upgrade=Actualizar
@ -34,8 +34,8 @@ general.create=Crear
general.seeForMoreInformation=Mira en %S para más información
general.enable=Activar
general.disable=Desactivar
general.remove=Remove
general.openDocumentation=Open Documentation
general.remove=Eliminar
general.openDocumentation=Abrir documentación
general.numMore=%S more…
general.operationInProgress=Una operación de Zotero se encuentra en progreso.
@ -44,7 +44,7 @@ general.operationInProgress.waitUntilFinishedAndTryAgain=Espera hasta que termin
install.quickStartGuide=Guía rápida
install.quickStartGuide.message.welcome=¡Bienvenido a 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=Mira la Guía de Inicio Rápido para aprender cómo empezar a recolectar, gestionar, citar y compartir tus fuentes de investigación.
install.quickStartGuide.message.thanks=Gracias por instalar Zotero.
upgrade.failed.title=Ha fallado la actualización
@ -53,13 +53,13 @@ upgrade.advanceMessage=Pulse %S para actualizar ahora.
upgrade.dbUpdateRequired=La base de datos de Zotero tiene que actualizarse.
upgrade.integrityCheckFailed=Tu base de datos de Zotero necesita repararse para que la actualización pueda continuar.
upgrade.loadDBRepairTool=Cargar la herramienta de reparación de bases de datos
upgrade.couldNotMigrate=Zotero no ha podido adaptar todos los ficheros necesarios.\nPuedes cerrar los ficheros adjuntos abiertos y reiniciar Firefox para intentar la actualización otra vez.
upgrade.couldNotMigrate=Zotero no ha podido adaptar todos los ficheros necesarios.\nPuedes cerrar los ficheros adjuntos abiertos y reiniciar %S para intentar la actualización otra vez.
upgrade.couldNotMigrate.restart=Si recibes este mensaje más veces, reinicia tu ordenador.
errorReport.reportError=Informar de errores...
errorReport.reportErrors=Informar de errores...
errorReport.reportInstructions=Puedes comunicar este error seleccionando "%S" en el menú Acciones (rueda dentada).
errorReport.followingErrors=The following errors have occurred since starting %S:
errorReport.followingErrors=Han ocurrido los siguientes errores desde que se inició %S:
errorReport.advanceMessage=Pulsa %S para enviar un informe de error a los creadores de Zotero.
errorReport.stepsToReproduce=Pasos para reproducirlo:
errorReport.expectedResult=Resultado esperado:
@ -71,18 +71,18 @@ dataDir.useProfileDir=Usar el directorio de perfil de Firefox
dataDir.selectDir=Elige un directorio de datos para Zotero
dataDir.selectedDirNonEmpty.title=El directorio no está vacío
dataDir.selectedDirNonEmpty.text=El directorio que has seleccionado no está vacío y no parece que sea un directorio de datos de Zotero.\n\n¿Deseas crear los ficheros de Zotero ahí de todas formas?
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.multipleProfiles=%1$S will share its data directory with the most recently used profile.
dataDir.standaloneMigration.selectCustom=Custom Data Directory…
dataDir.standaloneMigration.title=Se ha encontrado una Biblioteca de Zotero preexistente
dataDir.standaloneMigration.description=Parece que es la primera vez que usas %1$S. ¿Te gustaría que %1$S importe la configuración de %2$S y usar tu directorio de datos existente?
dataDir.standaloneMigration.multipleProfiles=%1$S compartirá su directorio de datos con el perfil usado más recientemente.
dataDir.standaloneMigration.selectCustom=Directorio de datos personalizado...
app.standalone=Zotero Standalone
app.firefox=Zotero for Firefox
app.firefox=Zotero para Firefox
startupError=Hubo un error al iniciar 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.closeStandalone=If Zotero Standalone is open, please close it and restart Firefox.
startupError.closeFirefox=If Firefox with the Zotero extension is open, please close it and restart Zotero Standalone.
startupError.databaseInUse=Tu base de datos de Zotero está siendo utilizada. En este momento, sólo se puede abrir una instancia de Zotero que use la misma base de datos a la vez.\n
startupError.closeStandalone=Si Zotero Standalone está abierto, por favor ciérralo y reinicia Firefox.
startupError.closeFirefox=Si Firefox con la extensión de Zotero está abierto, por favor ciérralo y reinicia Zotero Standalone
startupError.databaseCannotBeOpened=No puedo abrir la base de datos de Zotero.
startupError.checkPermissions=Asegúrate de tener permiso de lectura y escritura en el directorio de datos de Zotero.
startupError.zoteroVersionIsOlder=Esta versión de Zotero es anterior a la versión usada con tu base de datos.
@ -103,16 +103,16 @@ date.relative.yearsAgo.multiple=Hace %S años
pane.collections.delete=¿Seguro que quieres borrar la colección seleccionada?
pane.collections.deleteSearch=¿Seguro que quieres borrar la búsqueda seleccionada?
pane.collections.emptyTrash=Are you sure you want to permanently remove items in the Trash?
pane.collections.emptyTrash=¿Seguro que quieres eliminar permanentemente los ítems de la Papelera?
pane.collections.newCollection=Nueva colección
pane.collections.name=Nombre de la colección:
pane.collections.newSavedSeach=Nueva carpeta de búsqueda
pane.collections.savedSearchName=Nombre para esta carpeta de búsqueda:
pane.collections.rename=Renombrar colección:
pane.collections.library=Mi biblioteca
pane.collections.trash=Trash
pane.collections.trash=Papelera
pane.collections.untitled=Sin título
pane.collections.unfiled=Unfiled Items
pane.collections.unfiled=Ítems sin archivar
pane.collections.duplicate=Duplicate Items
pane.collections.menu.rename.collection=Renombrar la colección...
@ -137,8 +137,8 @@ pane.tagSelector.numSelected.plural=%S marcas seleccionadas
pane.items.loading=Cargando la lista de ítems...
pane.items.trash.title=Enviar a la papelera
pane.items.trash=Seguro que quieres enviar el ítem a la papelera?
pane.items.trash.multiple=Seguro que quieres enviar los ítems a la papelera?
pane.items.trash=¿Seguro que quieres enviar el ítem a la papelera?
pane.items.trash.multiple=¿Seguro que quieres enviar los ítems a la papelera?
pane.items.delete.title=Borrar
pane.items.delete=¿Seguro que quieres borrar el ítem asociado?
pane.items.delete.multiple=¿Seguro que quieres borrar los ítems seleccionados?
@ -156,10 +156,10 @@ pane.items.menu.reindexItem=Reindizar ítem
pane.items.menu.reindexItem.multiple=Reindizar ítems
pane.items.menu.recognizePDF=Extraer los metadatos para el PDF
pane.items.menu.recognizePDF.multiple=Extraer los metadatos para los PDFs
pane.items.menu.createParent=Crear ítem padre a partir del seleccionado
pane.items.menu.createParent.multiple=Crear ítems padres a partir de los seleccionados
pane.items.menu.renameAttachments=Poner nombre al fichero a partir de los metadatos del padre
pane.items.menu.renameAttachments.multiple=Poner nombre a los ficheros a partir de los metadatos de los padres
pane.items.menu.createParent=Crear ítem contenedor a partir del seleccionado
pane.items.menu.createParent.multiple=Crear ítems contenedores a partir de los seleccionados
pane.items.menu.renameAttachments=Poner nombre al fichero a partir de los metadatos del contenedor
pane.items.menu.renameAttachments.multiple=Poner nombre a los ficheros a partir de los metadatos del contenedor
pane.items.letter.oneParticipant=Carta a %S
pane.items.letter.twoParticipants=Carta a %S y %S
@ -197,22 +197,22 @@ pane.item.attachments.rename.error=Ha ocurrido un error al renombrar el archivo.
pane.item.attachments.fileNotFound.title=Fichero no encontrado
pane.item.attachments.fileNotFound.text=No se encuentra el fichero adjunto.\n\nPuede haber sido movido o borrado fuera de Zotero.
pane.item.attachments.delete.confirm=¿Seguro que quieres borrar este adjunto?
pane.item.attachments.count.zero=Ningún adjunto.
pane.item.attachments.count.zero=%S adjuntos:
pane.item.attachments.count.singular=%S adjunto:
pane.item.attachments.count.plural=%S adjuntos:
pane.item.attachments.select=Elige un archivo
pane.item.noteEditor.clickHere=pulsa aquí
pane.item.tags=Marcas:
pane.item.tags.count.zero=Ninguna marca:
pane.item.tags.count.zero=%S marcas:
pane.item.tags.count.singular=%S marca:
pane.item.tags.count.plural=%S marcas:
pane.item.tags.icon.user=Marca definida por el usuario
pane.item.tags.icon.automatic=Marca automática
pane.item.related=Relacionado:
pane.item.related.count.zero=Nada relacionado:
pane.item.related.count.zero=%S relacionados:
pane.item.related.count.singular=%S relacionado:
pane.item.related.count.plural=%S relacionados:
pane.item.parentItem=Parent Item:
pane.item.parentItem=Ítem contenedor:
noteEditor.editNote=Modificar nota
@ -306,8 +306,8 @@ itemFields.codeNumber=Número de código
itemFields.artworkMedium=Medio de la obra
itemFields.number=Número
itemFields.artworkSize=Tamaño de la obra
itemFields.libraryCatalog=Library Catalog
itemFields.videoRecordingFormat=Format
itemFields.libraryCatalog=Catálogo de biblioteca
itemFields.videoRecordingFormat=Formato
itemFields.interviewMedium=Medio
itemFields.letterType=Tipo
itemFields.manuscriptType=Tipo
@ -315,7 +315,7 @@ itemFields.mapType=Tipo
itemFields.scale=Escala
itemFields.thesisType=Tipo
itemFields.websiteType=Tipo de página Web
itemFields.audioRecordingFormat=Format
itemFields.audioRecordingFormat=Formato
itemFields.label=Etiqueta
itemFields.presentationType=Tipo
itemFields.meetingName=Nombre de la reunión
@ -350,20 +350,20 @@ itemFields.applicationNumber=Número de solicitud
itemFields.forumTitle=Título de foro o lista de correo
itemFields.episodeNumber=Número de episodio
itemFields.blogTitle=Título de «blog»
itemFields.medium=Medium
itemFields.medium=Medio
itemFields.caseName=Nombre del caso
itemFields.nameOfAct=Nombre de la ley
itemFields.subject=Asunto
itemFields.proceedingsTitle=Título de las actas
itemFields.bookTitle=Título del libro
itemFields.shortTitle=Título corto
itemFields.docketNumber=Docket Number
itemFields.numPages=# of Pages
itemFields.programTitle=Program Title
itemFields.issuingAuthority=Issuing Authority
itemFields.filingDate=Filing Date
itemFields.genre=Genre
itemFields.archive=Archive
itemFields.docketNumber=Número de expediente
itemFields.numPages=Número de páginas
itemFields.programTitle=Título del programa
itemFields.issuingAuthority=Entidad emisora
itemFields.filingDate=Fecha de solicitud
itemFields.genre=Género
itemFields.archive=Archivo
creatorTypes.author=Autor
creatorTypes.contributor=Contribuidor
@ -372,7 +372,7 @@ creatorTypes.translator=Traductor
creatorTypes.seriesEditor=Editor de la serie
creatorTypes.interviewee=Entrevistado
creatorTypes.interviewer=Entrevistador
creatorTypes.director=Director
creatorTypes.director=Directori
creatorTypes.scriptwriter=Guionista
creatorTypes.producer=Productor
creatorTypes.castMember=Miembro del reparto
@ -392,8 +392,8 @@ creatorTypes.presenter=Presentador
creatorTypes.guest=Invitado
creatorTypes.podcaster=«Podcaster»
creatorTypes.reviewedAuthor=Autor revisado
creatorTypes.cosponsor=Cosponsor
creatorTypes.bookAuthor=Book Author
creatorTypes.cosponsor=Copatrocinador
creatorTypes.bookAuthor=Autor del libro
fileTypes.webpage=Página web
fileTypes.image=Imagen
@ -405,38 +405,38 @@ fileTypes.document=Documento
save.attachment=Guardando instantánea...
save.link=Guardando enlace...
save.link.error=An error occurred while saving this link.
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.link.error=Ha ocurrido un error guardando este enlace.
save.error.cannotMakeChangesToCollection=No puede hacer cambios a la actual colección.
save.error.cannotAddFilesToCollection=No puede agregar archivos a la actual colección.
ingester.saveToZotero=Guardar en Zotero
ingester.saveToZoteroUsing=Save to Zotero using "%S"
ingester.saveToZoteroUsing=Guardar en Zotero usando "%S"
ingester.scraping=Guardando ítem...
ingester.scrapeComplete=Ítem guardado.
ingester.scrapeError=No he podido guardar el ítem.
ingester.scrapeComplete=Ítem guardado
ingester.scrapeError=No he podido guardar el ítem
ingester.scrapeErrorDescription=Ha ocurrido un error al grabar este ítem. Mira en %S para más información.
ingester.scrapeErrorDescription.linkText=Problemas conocidos del traductor
ingester.scrapeErrorDescription.previousError=La grabación ha fallado debido a un error anterior en Zotero.
ingester.importReferRISDialog.title=Zotero RIS/Refer Import
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.title=Importador Zotero RIS/Remitir
ingester.importReferRISDialog.text=Quiere importar ítems desde "%1$S" dentro Zotero?\n\nPuede deshabilitar la importación automática RIS/Refer en las preferencias de Zotero.
ingester.importReferRISDialog.checkMsg=Permitir siempre para este sitio
ingester.importFile.title=Import File
ingester.importFile.text=Do you want to import the file "%S"?\n\nItems will be added to a new collection.
ingester.importFile.title=Importar archivo
ingester.importFile.text=¿Quieres importar el archivo "%S"?\n\nLos ítems se agregarán a una nueva colección.
ingester.lookup.performing=Performing Lookup…
ingester.lookup.error=An error occurred while performing lookup for this item.
ingester.lookup.performing=Realizando búsqueda...
ingester.lookup.error=Ha ocurrido un error mientras se realizaba la búsqueda de este ítem.
db.dbCorrupted=La base de datos de Zotero '%S' parece haberse corrompido.
db.dbCorrupted.restart=Reinicia Firefox para intentar la recuperación automática con la última copia de seguridad.
db.dbCorruptedNoBackup=La base de datos de Zotero parece haberse corrompido, y no hay copia de seguridad automática.\n\nSe ha creado una base de datos nueva. El archivo dañado ha sido guardado en tu directorio de Zotero.
db.dbCorrupted.restart=Reinicia %S para intentar la recuperación automática con la última copia de seguridad.
db.dbCorruptedNoBackup=La base de datos de Zotero '%S' parece haberse corrompido, y no hay copia de seguridad automática.\n\nSe ha creado una base de datos nueva. El archivo dañado ha sido guardado en tu directorio de Zotero.
db.dbRestored=La base de datos de Zotero '%1$S' parece haberse corrompido.\n\nTus datos se han recuperado a partir de la última copia de seguridad automática hecha el %2$S a las %3$S. El archivo dañado ha sido guardado en tu directorio de Zotero.
db.dbRestoreFailed=La base de datos de Zotero '%S' parece haberse corrompido, y el intento de recuperarla a partir de la última copia de seguridad ha fallado.\n\nSe ha creado una base de datos nueva. El archivo dañado se ha grabado en tu directorio de Zotero.
db.integrityCheck.passed=No se han encontrado errores en la base de datos.
db.integrityCheck.failed=Se han encontrado errores en la base de datos de Zotero.
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=Puedes usar la herramienta de reparación de base de datos en http://zotero.org/utils/dbfix para intentar corregir estos errores.
db.integrityCheck.repairAttempt=Zotero can attempt to correct these errors.
db.integrityCheck.appRestartNeeded=%S will need to be restarted.
db.integrityCheck.fixAndRestart=Fix Errors and Restart %S
@ -477,7 +477,7 @@ zotero.preferences.export.quickCopy.bibStyles=Estilos bibliográficos
zotero.preferences.export.quickCopy.exportFormats=Formatos de exportación
zotero.preferences.export.quickCopy.instructions=La copia rápida te permite copiar referencias seleccionadas al portapapeles pulsando un atajo (%S) o arrastrando ítems a una casilla de texto en una página web.
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.styles.addStyle=Add Style
zotero.preferences.styles.addStyle=Agregar estilo
zotero.preferences.advanced.resetTranslatorsAndStyles=Restablecer los traductores y estilos
zotero.preferences.advanced.resetTranslatorsAndStyles.changesLost=Se perderán los traductores y estilos añadidos o modificados.
@ -529,9 +529,9 @@ searchConditions.creator=Creador
searchConditions.type=Tipo
searchConditions.thesisType=Tipo de tesis
searchConditions.reportType=Tipo de informe
searchConditions.videoRecordingFormat=Video Recording Format
searchConditions.videoRecordingFormat=Formato de grabación de vídeo
searchConditions.audioFileType=Tipo de fichero de sonido
searchConditions.audioRecordingFormat=Audio Recording Format
searchConditions.audioRecordingFormat=Formato de grabación de sonido
searchConditions.letterType=Tipo de carta
searchConditions.interviewMedium=Medio de la entrevista
searchConditions.manuscriptType=Tipo de manuscrito
@ -551,21 +551,24 @@ fulltext.indexState.partial=Parcial
exportOptions.exportNotes=Exportar notas
exportOptions.exportFileData=Exportar archivos
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 sin BOM)
charset.autoDetect=(autodetectar)
date.daySuffixes=º, º, º, º
date.abbreviation.year=a
date.abbreviation.month=m
date.abbreviation.day=d
date.yesterday=yesterday
date.today=today
date.tomorrow=tomorrow
date.yesterday=ayer
date.today=hoy
date.tomorrow=mañana
citation.multipleSources=Fuentes múltiples...
citation.singleSource=Fuente única...
citation.showEditor=Mostrar editor...
citation.hideEditor=Ocultar editor...
citation.citation=Citation
citation.note=Note
report.title.default=Informe de Zotero
report.parentItem=Ítem contenedor:
@ -583,87 +586,87 @@ annotations.oneWindowWarning=Sólo se pueden abrir las anotaciones de una instan
integration.fields.label=Campos
integration.referenceMarks.label=Marcas de referencia
integration.fields.caption=Es menos probable que se modifiquen accidentalmente los campos de Microsoft Word, pero no pueden compartirse con OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=El documento debe guardarse en formato de archivo .doc o .docx.
integration.referenceMarks.caption=Es menos probable que se modifiquen accidentalmente las marcas de referencia de OpenOffice, pero no pueden compartirse con Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
integration.referenceMarks.fileFormatNotice=El documento debe guardarse en formato de archivo .odt.
integration.regenerate.title=¿Quieres regenerar la cita?
integration.regenerate.body=Se perderán los cambios hechos en el editor de citas.
integration.regenerate.saveBehavior=Seguir siempre esta selección.
integration.revertAll.title=Are you sure you want to revert all edits to your bibliography?
integration.revertAll.body=If you choose to continue, all references cited in the text will appear in the bibliography with their original text, and any references manually added will be removed from the bibliography.
integration.revertAll.button=Revert All
integration.revert.title=Are you sure you want to revert this edit?
integration.revert.body=If you choose to continue, the text of the bibliography entries corresponded to the selected item(s) will be replaced with the unmodified text specified by the selected style.
integration.revert.button=Revert
integration.removeBibEntry.title=The selected reference is cited within your document.
integration.removeBibEntry.body=Are you sure you want to omit it from your bibliography?
integration.revertAll.title=¿Seguro que quieres revertir todas las ediciones a tu bibliografía?
integration.revertAll.body=Si eliger continuar, todas las referencias citadas en el texto aparecerán en la bibliografía con su texto original, y todas las referencias agregadas manualmente serán eliminadas de la bibliografía.
integration.revertAll.button=Revertir todo
integration.revert.title=¿Seguro que quieres revertir esta edición?
integration.revert.body=Si eliges continuar, el texto de las entradas de bibliografía correspondiente a los items seleccionados será reemplazado con el texto sin modificar especificado por el estilo seleccionado.
integration.revert.button=Revertir
integration.removeBibEntry.title=La referencia seleccionada está citada en tu documento.
integration.removeBibEntry.body=¿Seguro que quieres omitirlo de tu bibliografía?
integration.cited=Cited
integration.cited.loading=Loading Cited Items…
integration.cited=Citado
integration.cited.loading=Cargando ítems citados...
integration.ibid=ibid
integration.emptyCitationWarning.title=Blank Citation
integration.emptyCitationWarning.body=The citation you have specified would be empty in the currently selected style. Are you sure you want to add it?
integration.emptyCitationWarning.title=Cita en blanco
integration.emptyCitationWarning.body=La cita que has especificado estaría vacía en el estilo seleccionado actualmente. ¿Seguro que quieres agregarla?
integration.error.incompatibleVersion=This version of the Zotero word processor plugin ($INTEGRATION_VERSION) is incompatible with the currently installed version of the Zotero Firefox extension (%1$S). Please ensure you are using the latest versions of both components.
integration.error.incompatibleVersion2=Zotero %1$S requires %2$S %3$S or later. Please download the latest version of %2$S from zotero.org.
integration.error.title=Zotero Integration Error
integration.error.notInstalled=Firefox could not load the component required to communicate with your word processor. Please ensure that the appropriate Firefox extension is installed, then try again.
integration.error.generic=Zotero experienced an error updating your document.
integration.error.mustInsertCitation=You must insert a citation before performing this operation.
integration.error.mustInsertBibliography=You must insert a bibliography before performing this operation.
integration.error.cannotInsertHere=Zotero fields cannot be inserted here.
integration.error.notInCitation=You must place the cursor in a Zotero citation to edit it.
integration.error.noBibliography=The current bibliographic style does not define a bibliography. If you wish to add a bibliography, please choose another style.
integration.error.deletePipe=The pipe that Zotero uses to communicate with the word processor could not be initialized. Would you like Zotero to attempt to correct this error? You will be prompted for your password.
integration.error.invalidStyle=The style you have selected does not appear to be valid. If you have created this style yourself, please ensure that it passes validation as described at https://github.com/citation-style-language/styles/wiki/Validation. Alternatively, try selecting another style.
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.error.incompatibleVersion=Esta versión del complemento de Zotero para procesador de textos ($INTEGRATION_VERSION) es incompatible con la versión de Zotero instalada actualmente (%1$S). Por favor verifica que estás utilizando la última versión de ambos componentes.
integration.error.incompatibleVersion2=Zotero %1$S requiere %2$S %3$S o posterior. Por favor descarga la última versión de %2$S desde zotero.org.
integration.error.title=Error en la integración de Zotero
integration.error.notInstalled=Zotero no ha podido cargar el componente necesario para comunicarse con tu procesador de textos. Por favor verifica que la extensión apropiada está instalada y prueba de nuevo.
integration.error.generic=Zotero ha tenido un fallo actualizando tu documento.
integration.error.mustInsertCitation=Debes insertar una cita antes de realizar esta operación.
integration.error.mustInsertBibliography=Debes insertar una bibliografía antes de realizar esta operación.
integration.error.cannotInsertHere=No se pueden insertar campos de Zotero aquí.
integration.error.notInCitation=Debes colocar el cursor en una cita de Zotero para editarla.
integration.error.noBibliography=El estilo bibliográfico actual no define una bibliografía. Si desea agregar una bibliografía, por favor elija otro estilo.
integration.error.deletePipe=El conducto que Zotero utiliza para comunicar con el procesador de texto no se pudo inicializar. Desea que Zotero intente corregir este error? Se le alertará por su contraseña.
integration.error.invalidStyle=El estilo que ha seleccionado no parece ser válido. Si ha creado este estilo por sí mismo, por favor asegúrese de que traspasa la validación, como se describe en http://zotero.org/support/dev/citation_styles. Alternativamente, intente seleccionar otro estilo.
integration.error.fieldTypeMismatch=Zotero no puede actualizar este documento porque fue creado por una aplicación de procesamiento de texto con una codificación de campo incompatible. Con el fin de hacer un documento compatible con Word y OpenOffice.org/LibreOffice/NeoOffice, abra el documento en el procesador de textos con el que se creó originalmente y cambie el tipo de campo a Favoritos en las preferencias del documento Zotero.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?
integration.error.newerDocumentVersion=Your document was created with a newer version of Zotero (%1$S) than the currently installed version (%1$S). Please upgrade Zotero before editing this document.
integration.corruptField=The Zotero field code corresponding to this citation, which tells Zotero which item in your library this citation represents, has been corrupted. Would you like to reselect the item?
integration.corruptField.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but potentially deleting it from your bibliography.
integration.corruptBibliography=The Zotero field code for your bibliography is corrupted. Should Zotero clear this field code and generate a new bibliography?
integration.corruptBibliography.description=All items cited in the text will appear in the new bibliography, but modifications you made in the "Edit Bibliography" dialog will be lost.
integration.citationChanged=You have modified this citation since Zotero generated it. Do you want to keep your modifications and prevent future updates?
integration.citationChanged.description=Clicking "Yes" will prevent Zotero from updating this citation if you add additional citations, switch styles, or modify the item to which it refers. Clicking "No" will erase your changes.
integration.citationChanged.edit=You have modified this citation since Zotero generated it. Editing will clear your modifications. Do you want to continue?
integration.replace=¿Reemplazar este campo de Zotero?
integration.missingItem.single=Este ítem ya no existe en tu base de datos de Zotero. ¿Quieres seleccionar un ítem para sustituirlo?
integration.missingItem.multiple=El ítem %1$S en esta cita ya no existe en tu base de datos de Zotero. ¿Quieres seleccionar un ítem para sustituirlo?
integration.missingItem.description=Clickeando "No" borrará los códigos de campo para citas conteniendo este ítem, manteniendo el texto de la cita pero borrándolo de su bibliografía.
integration.removeCodesWarning=Quitando los códigos de campo evitará a Zotero de actualizar citas y bibliografías en sus documentos. Está seguro que desea continuar?
integration.upgradeWarning=Tu documento debe ser actualizado de versión de manera permanente para poder funcionar con Zotero 2.1 o posterior. Se recomienda hacer una copia de seguridad antes de proceder. ¿Seguro que quieres continuar?
integration.error.newerDocumentVersion=Su documento fue creato con una versión más moderna de Zotero (%1$S) que su actual versión instalada (%1$S). Por favor, actualice Zotero antes de editar este documento.
integration.corruptField=El código de campo Zotero correspondiente a esta cita, el cual señala a Zotero qué ítem en su biblioteca esta cita representa, se ha dañado. ¿Le gustaría volver a seleccionar este ítem?
integration.corruptField.description=Clickeando "No" borrará los códigos de campo para las citas conteniendo este ítem, preservando este texto de cita pero potencialmente borrándolo de su bibliografía.
integration.corruptBibliography=El código de campo Zotero en su bibliografía está corrupto. Debería Zotero borrar este código de campo y generar una nueva bibliografía?
integration.corruptBibliography.description=Todos los ítems citado en el texto aparecerán en la nueva bibliografía, pero las modificaciones que realice en el cuadro de diálogo "Editar Bibliografía" serán perdidas.
integration.citationChanged=Ha modificado esta cita desde que Zotero la generó. Quiere mantener sus modificaciones y prevenir futuras actualizaciones?
integration.citationChanged.description=Clickeando en "Si" evitará a Zotero de actualizar esta cita si agrega citas adicionales, cambia citas o modifica la referencia al cual refiere. Clickeando "No" borrará sus cambios.
integration.citationChanged.edit=Ha modificado esta cita desde que Zotero la generó. Editándola borrará sus modificaciones. Desea continuar?
styles.installStyle=¿Instalar el estilo "%1$S" desde %2$S?
styles.updateStyle=¿Actualizar el estilo existente "%1$S" con "%2$S" desde %3$S?
styles.installed=El estilo "%S" se ha instalado correctamente.
styles.installError=%S does not appear to be a valid style file.
styles.installSourceError=%1$S references an invalid or non-existent CSL file at %2$S as its source.
styles.deleteStyle=Are you sure you want to delete the style "%1$S"?
styles.deleteStyles=Are you sure you want to delete the selected styles?
styles.installError=%S no parecer ser un archivo válido de estilo.
styles.installSourceError=%1$S referencia un archivo CSL inválido o inexistente en %2$S como su origen.
styles.deleteStyle=¿Seguro que quieres borrar el estilo "%1$S"?
styles.deleteStyles=¿Seguro que quieres borrar los estilos seleccionados?
sync.cancel=Cancel Sync
sync.cancel=Cancelar sincronización
sync.openSyncPreferences=Open Sync Preferences...
sync.resetGroupAndSync=Reset Group and Sync
sync.removeGroupsAndSync=Remove Groups and Sync
sync.localObject=Local Object
sync.remoteObject=Remote Object
sync.mergedObject=Merged Object
sync.resetGroupAndSync=Reajustar grupo y sincronizar
sync.removeGroupsAndSync=Quitar grupos y sincronizar
sync.localObject=Objeto local
sync.remoteObject=Objeto remoto
sync.mergedObject=Unir objeto
sync.error.usernameNotSet=Username not set
sync.error.passwordNotSet=Password not set
sync.error.invalidLogin=Invalid username or password
sync.error.enterPassword=Please enter a password.
sync.error.usernameNotSet=Nombre de usuario no provisto
sync.error.passwordNotSet=Contraseña no provista
sync.error.invalidLogin=Nombre de usuario o contraseña inválida
sync.error.enterPassword=Por favor, ingrese una contraseña.
sync.error.loginManagerCorrupted1=Zotero cannot access your login information, likely due to a corrupted Firefox login manager database.
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=Una operación de sincronización ya está en marcha.
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.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.manualInterventionRequired=An automatic sync resulted in a conflict that requires manual intervention.
sync.error.clickSyncIcon=Click the sync icon to sync manually.
sync.error.writeAccessLost=Ya no posee licencia para escribir en el grupo Zotero '%S', y sus archivos que ha agregado o editado no pueden ser sincronizados con el servidor.
sync.error.groupWillBeReset=Si continua, su copia del grupo reajustará su estado en el servidor, y las modificaciones locales a los ítems y archivos serán perdidos.
sync.error.copyChangedItems=Si le gustaría tener la oportunidad de copiar los cambios en otra parte o solicitar acceso de escritura desde un administrador de grupo, cancele 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.clickSyncIcon=Clic en el ícono Sincronizar para sincronizar manualmente.
sync.status.notYetSynced=Aún sin sincronizar
sync.status.lastSync=Última sincronización:
@ -674,9 +677,9 @@ sync.status.uploadingData=Subiendo los datos al servidor de sincronización
sync.status.uploadAccepted=Subida aceptada — esperando al servidor de sincronización
sync.status.syncingFiles=Sincronizando ficheros
sync.storage.kbRemaining=%SKB remaining
sync.storage.filesRemaining=%1$S/%2$S files
sync.storage.none=None
sync.storage.kbRemaining=%SKB restantes
sync.storage.filesRemaining=%1$S/%2$S archivos
sync.storage.none=Ninguno
sync.storage.localFile=Fichero local
sync.storage.remoteFile=Fichero remoto
sync.storage.savedFile=Fichero guardado
@ -688,7 +691,7 @@ sync.storage.error.serverCouldNotBeReached=No puedo llegar al servidor %S.
sync.storage.error.permissionDeniedAtAddress=No tienes permiso para crear un directorio de Zotero en la siguiente dirección:
sync.storage.error.checkFileSyncSettings=Comprueba tus ajustes de fichero de sincronización o informa al administrador de tu servidor.
sync.storage.error.verificationFailed=Falló la verificación de %S. Comprueba tus ajustes de fichero de sincronización en el panel "Sincronización" de las preferencias de Zotero.
sync.storage.error.fileNotCreated=The file '%S' could not be created in the Zotero 'storage' directory.
sync.storage.error.fileNotCreated=El archivo '%S' no se pudo crear en el directorio 'storage' de Zotero.
sync.storage.error.fileEditingAccessLost=Ya no tienes acceso a modificar ficheros en el grupo Zotero '%S', y los ficheros que has añadido o modificado no pueden sincronizarse con el servidor.
sync.storage.error.copyChangedItems=Si quieres tener la oportunidad de copiar los ítems y fichero cambiados a otro sitio, debes cancelar la sincronización ahora.
sync.storage.error.fileUploadFailed=Falló la subida del fichero.
@ -703,77 +706,77 @@ sync.storage.error.webdav.insufficientSpace=Falló una subida de fichero por fal
sync.storage.error.webdav.sslCertificateError=Error de certificado SSL al conectar con %S
sync.storage.error.webdav.sslConnectionError=Error de conexión SSL al conectar con %S
sync.storage.error.webdav.loadURLForMoreInfo=Carga tu URL WebDAV en el navegador para más información.
sync.storage.error.webdav.seeCertOverrideDocumentation=See the certificate override documentation for more information.
sync.storage.error.webdav.loadURL=Load WebDAV URL
sync.storage.error.zfs.personalQuotaReached1=You have reached your Zotero File Storage quota. Some files were not uploaded. Other Zotero data will continue to sync to the server.
sync.storage.error.zfs.personalQuotaReached2=See your zotero.org account settings for additional storage options.
sync.storage.error.zfs.groupQuotaReached1=The group '%S' has reached its Zotero File Storage quota. Some files were not uploaded. Other Zotero data will continue to sync to the server.
sync.storage.error.zfs.groupQuotaReached2=The group owner can increase the group's storage capacity from the storage settings section on zotero.org.
sync.storage.error.webdav.seeCertOverrideDocumentation=Vea la documentación Partida decisiva para una mayor información.
sync.storage.error.webdav.loadURL=Cargar la URL del WebDAV
sync.storage.error.zfs.personalQuotaReached1=Ha alcanzado su cuota de almacenamiento de archivo Zotero. Algunos archivos no se cargaron. Otros datos Zotero continuarán sincronizando con el servidor.
sync.storage.error.zfs.personalQuotaReached2=Revise la configuración de su cuenta en zotero.org por otras opciones adicionales de almacenaje.
sync.storage.error.zfs.groupQuotaReached1=El grupo '%S' ha alcanzado su quota de almacenamiento de archivos Zotero. Algunos archivos no se cargaron. Otros datos Zotero continuarán sincronizando con el servidor.
sync.storage.error.zfs.groupQuotaReached2=El propietario del grupo puede aumentar la capacidad de almacenamiento del grupo desde la sección configuración de almacenamiento en zotero.org
sync.longTagFixer.saveTag=Save Tag
sync.longTagFixer.saveTags=Save Tags
sync.longTagFixer.deleteTag=Delete Tag
sync.longTagFixer.saveTag=Guardar etiqueta
sync.longTagFixer.saveTags=Guardar etiquetas
sync.longTagFixer.deleteTag=Borrar etiqueta
proxies.multiSite=Multi-Site
proxies.multiSite=Multi-sitio
proxies.error=Information Validation Error
proxies.error.scheme.noHTTP=Valid proxy schemes must start with "http://" or "https://"
proxies.error.host.invalid=You must enter a full hostname for the site served by this proxy (e.g., jstor.org).
proxies.error.scheme.noHost=A multi-site proxy scheme must contain the host variable (%h).
proxies.error.scheme.noPath=A valid proxy scheme must contain either the path variable (%p) or the directory and filename variables (%d and %f).
proxies.error.host.proxyExists=You have already defined another proxy for the host %1$S.
proxies.error.scheme.invalid=The entered proxy scheme is invalid; it would apply to all hosts.
proxies.notification.recognized.label=Zotero detected that you are accessing this website through a proxy. Would you like to automatically redirect future requests to %1$S through %2$S?
proxies.notification.associated.label=Zotero automatically associated this site with a previously defined proxy. Future requests to %1$S will be redirected to %2$S.
proxies.notification.redirected.label=Zotero automatically redirected your request to %1$S through the proxy at %2$S.
proxies.error.scheme.noHTTP=Los esquemas válidos de servidores proxy deben comenzar con "http://" o "https://"
proxies.error.host.invalid=Debe ingresar un hostname completo para el sitio alojado por este proxy (ejemplo: jstor.org).
proxies.error.scheme.noHost=El esquema proxy multi-sitio debe contener la variable host (%h).
proxies.error.scheme.noPath=Un esquema proxy válido dee contener o la variable path (%p) o las variables directory y filename (%d y %f).
proxies.error.host.proxyExists=Ya ha definido otro proxy para el host %1$S.
proxies.error.scheme.invalid=El esquema proxy ingresado es inválido; y se aplicaría a todos los hosts.
proxies.notification.recognized.label=Zotero detectó que está accediendo a este sitio a través de un servidor proxy. Le gustaría que las futuras peticiones sean automáticamente redirigidas desde %1$S a través de %2$S?
proxies.notification.associated.label=Zotero automáticamente asoció este sitio con un proxy previamente definido. Futuras peticiones a %1$S serán redirigidos a %2$S.
proxies.notification.redirected.label=Zotero automáticamente redirigirá su petición a %1$S a través del proxy en %2$S.
proxies.notification.enable.button=Enable...
proxies.notification.settings.button=Proxy Settings...
proxies.recognized.message=Adding this proxy will allow Zotero to recognize items from its pages and will automatically redirect future requests to %1$S through %2$S.
proxies.recognized.add=Add Proxy
proxies.recognized.message=Agregando este proxy permitirá a Zotero reconocer ítems desde estas páginas y automaticamente redirigirá futuras peticiones a %1$S a través de %2$S.
proxies.recognized.add=Agregar proxy
recognizePDF.noOCR=PDF does not contain OCRed text.
recognizePDF.couldNotRead=Could not read text from PDF.
recognizePDF.noMatches=No matching references found.
recognizePDF.fileNotFound=File not found.
recognizePDF.limit=Query limit reached. Try again later.
recognizePDF.complete.label=Metadata Retrieval Complete.
recognizePDF.close.label=Close
recognizePDF.noOCR=PDF no contiene texto reconocido por OCR.
recognizePDF.couldNotRead=No se puede leer texto desde el PDF.
recognizePDF.noMatches=No hay referencias encontradas.
recognizePDF.fileNotFound=Archivo no encontrado.
recognizePDF.limit=Límite de consultas alcanzado. Reinténtelo más tarde.
recognizePDF.complete.label=Recuperación de metadatos completo.
recognizePDF.close.label=Cerrar
rtfScan.openTitle=Select a file to scan
rtfScan.openTitle=Seleccionar un archivo a escanear
rtfScan.scanning.label=Scanning RTF Document...
rtfScan.saving.label=Formatting RTF Document...
rtfScan.rtf=Rich Text Format (.rtf)
rtfScan.saveTitle=Select a location in which to save the formatted file
rtfScan.scannedFileSuffix=(Scanned)
rtfScan.rtf=Formato de texto enriquecido (.rtf)
rtfScan.saveTitle=Seleccionar un lugar donde guardar el archivo con formato
rtfScan.scannedFileSuffix=(Escaneado)
lookup.failure.title=Lookup Failed
lookup.failure.description=Zotero could not find a record for the specified identifier. Please verify the identifier and try again.
lookup.failure.title=Búsqueda fallida
lookup.failure.description=Zotero no puede encontrar un registro del identificador especificado. Por favor, verifique el identificador e inténtelo nuevamente.
locate.online.label=View Online
locate.online.tooltip=Go to this item online
locate.pdf.label=View PDF
locate.pdf.tooltip=Open PDF using the selected viewer
locate.snapshot.label=View Snapshot
locate.online.label=Ver en línea
locate.online.tooltip=Ir a este ítem en línea
locate.pdf.label=Ver PDF
locate.pdf.tooltip=Abrir PDF utilizando el visualizador seleccionado
locate.snapshot.label=Ver instantánea
locate.snapshot.tooltip=View snapshot for this item
locate.file.label=View File
locate.file.tooltip=Open file using the selected viewer
locate.externalViewer.label=Open in External Viewer
locate.externalViewer.tooltip=Open file in another application
locate.internalViewer.label=Open in Internal Viewer
locate.internalViewer.tooltip=Open file in this application
locate.showFile.label=Show File
locate.showFile.tooltip=Open the directory in which this file resides
locate.libraryLookup.label=Library Lookup
locate.libraryLookup.tooltip=Look up this item using the selected OpenURL resolver
locate.file.label=Ver archivo
locate.file.tooltip=Abrir archivo utilizando el visualizador seleccionado
locate.externalViewer.label=Abrir en un visualizador externo
locate.externalViewer.tooltip=Abrir archvio en otra aplicación
locate.internalViewer.label=Abrir en el visualizador interno
locate.internalViewer.tooltip=Abrir archivo en esta aplicación
locate.showFile.label=Mostrar archivo
locate.showFile.tooltip=Abrir el directorio en el cual reside el archivo
locate.libraryLookup.label=Búsqueda biblioteca
locate.libraryLookup.tooltip=Busque este ítem utilizando el OpenURL seleccionado
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.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.corruptInstallation=Su instalación Zotero parece estar corrupta debido a una fallida auto-actualización. Mientras Zotero puede seguir funcionando, para evitar posibles errores, por favor, descargue la última versión de Zotero en http://zotero.org/support/standalone tan pronto como sea posible.
standalone.addonInstallationFailed.title=Instalación de complemento fallada
standalone.addonInstallationFailed.body=El complemento "%S" no puede ser instalado. Puede ser incompatible con esta versión de Zotero Standalone.
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.error.title=Error de conector Zotero
connector.standaloneOpen=Su base de datos no puede ser acceder debido a que Zotero Standalone está actualmente abierta. Por favor, vea sus ítems en Zotero Standalone.
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.quickFormat=Type a title or author to search for a reference.\n\nAfter you've made your selection, click the bubble or press Ctrl-\u2193 to add page numbers, prefixes, or suffixes. You can also include a page number along with your search terms to add it directly.\n\nYou can edit citations directly in the word processor document.
firstRunGuidance.quickFormatMac=Type a title or author to search for a reference.\n\nAfter you've made your selection, click the bubble or press Cmd-\u2193 to add page numbers, prefixes, or suffixes. You can also include a page number along with your search terms to add it directly.\n\nYou can edit citations directly in the word processor document.
firstRunGuidance.saveIcon=Zotero fue reconocer una referencia en esta página. Cliquee este ícono
firstRunGuidance.authorMenu=Zotero le permite también especificar editores y traductores. Puede cambiar el rol de autor a editor o traductor seleccionándolo desde este menú.
firstRunGuidance.quickFormat=Escriba el título o el autor para buscar una referencia. \n\nDespués que haya hecho su selección, haga clic en la burbuja o pulse Ctrl-\u2193 para agregar números de página, prefijos o sufijos. También puede incluir un número de página junto con sus términos de búsqueda para añadirlo directamente.\n\nPuede editar citas directamente en el documento del procesador de textos.
firstRunGuidance.quickFormatMac=Escriba el título o el autor para buscar una referencia. \n\nDespués que haya hecho su selección, haga clic en la burbuja o pulse Cmd-\u2193 para agregar números de página, prefijos o sufijos. También puede incluir un número de página junto con sus términos de búsqueda para añadirlo directamente.\n\nPuede editar citas directamente en el documento del procesador de textos.

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "seotud märkused">
<!ENTITY zotero.preferences.groups.childFiles "seotud momentülesvõtted ja imporditud failid">
<!ENTITY zotero.preferences.groups.childLinks "seotud lingid">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Bibliograafia loomine">
<!ENTITY zotero.bibliography.style.label "Viite stiil:">
<!ENTITY zotero.bibliography.output.label "Väljundformaat">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Salvestada RTF-ina">
<!ENTITY zotero.bibliography.saveAsHTML.label "Salvestada HTML-ina">
<!ENTITY zotero.bibliography.copyToClipboard.label "Lõikepuhvrisse kopeerimine">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Osaline
exportOptions.exportNotes=Märkuste eksprot
exportOptions.exportFileData=Failide eksport
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 ilma BOM)
charset.autoDetect=(automaatne)
@ -566,6 +567,8 @@ citation.multipleSources=Mitmed allikad...
citation.singleSource=Üks allikas...
citation.showEditor=Toimetaja näidata...
citation.hideEditor=Toimetaja peita...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero raport
report.parentItem=Ülemkirje:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "erantsitako oharrak">
<!ENTITY zotero.preferences.groups.childFiles "erantsitako kaptura-irudia eta inportatutako fitxategiak">
<!ENTITY zotero.preferences.groups.childLinks "erantsiktako URLak">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Bibliografia sortu">
<!ENTITY zotero.bibliography.style.label "Erreferentzia estiloa:">
<!ENTITY zotero.bibliography.output.label "Irteerako formatua">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "RTF gisa gorde">
<!ENTITY zotero.bibliography.saveAsHTML.label "HTML gisa gorde">
<!ENTITY zotero.bibliography.copyToClipboard.label "Arbelera kopiatu">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Partziala
exportOptions.exportNotes=Esportatu Oharrak
exportOptions.exportFileData=Esportatu Fitxategiak
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Iturri ugariak...
citation.singleSource=Iturri bakarra...
citation.showEditor=Erakutsi Editorea...
citation.hideEditor=Ezkutatu Editorea...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Txostena
report.parentItem=Item Gurasoa:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "یادداشت‌های وابسته">
<!ENTITY zotero.preferences.groups.childFiles "تصاویر لحظه‌ای و پرونده‌های درون‌برد شده">
<!ENTITY zotero.preferences.groups.childLinks "پیوندهای وابسته">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "ساخت کتابنامه">
<!ENTITY zotero.bibliography.style.label "شیوه‌نامه">
<!ENTITY zotero.bibliography.output.label "قالب خروجی">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "ذخیره به صورت RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "ذخیره به صورت HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "رونوشت به حافظه">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=ناتمام
exportOptions.exportNotes=صدور یادداشت‌ها
exportOptions.exportFileData=صدور پرونده‌ها
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 بدون BOM)
charset.autoDetect=(تشخیص خودکار)
@ -566,6 +567,8 @@ citation.multipleSources=چند مرجع ...
citation.singleSource=یک مرجع ...
citation.showEditor=نمایش ویرایشگر...
citation.hideEditor=نهفتن ویرایشگر ...
citation.citation=Citation
citation.note=Note
report.title.default=گزارش زوترو
report.parentItem=آیتم‌ مادر:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "niiden alaiset muistiinpanot">
<!ENTITY zotero.preferences.groups.childFiles "niiden alaiset tilannekuvat ja tuodut tiedostot">
<!ENTITY zotero.preferences.groups.childLinks "niiden alaiset linkit">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -133,7 +133,9 @@
<!ENTITY zotero.bibliography.title "Luo kirjallisuusluettelo">
<!ENTITY zotero.bibliography.style.label "Sitaattityyli:">
<!ENTITY zotero.bibliography.output.label "Kohdemuoto">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Tallenna RTF-muodossa">
<!ENTITY zotero.bibliography.saveAsHTML.label "Tallenna HTML-muodossa">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopioi leikepöydälle">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Osittain
exportOptions.exportNotes=Vientihuomiot
exportOptions.exportFileData=Vientitiedostot
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 ilman BOM)
charset.autoDetect=(automaattitunnistus)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-raportti
report.parentItem=Ylänimike:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "les notes enfants">
<!ENTITY zotero.preferences.groups.childFiles "les captures d'écran et fichiers importés enfants">
<!ENTITY zotero.preferences.groups.childLinks "les liens enfants">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">
@ -136,7 +137,7 @@
<!ENTITY zotero.preferences.proxies.desc_before_link "Zotero redirigera les requêtes de manière transparente à travers les serveurs mandataires enregistrés. Consultez la">
<!ENTITY zotero.preferences.proxies.desc_link "documentation concernant les serveurs mandataires">
<!ENTITY zotero.preferences.proxies.desc_after_link "pour plus d'information.">
<!ENTITY zotero.preferences.proxies.transparent "Retenir automatiquement les ressources atteintes par l'entremise d'un serveur mandataire">
<!ENTITY zotero.preferences.proxies.transparent "Activer la redirection par un serveur mandataire">
<!ENTITY zotero.preferences.proxies.autoRecognize "Reconnaître automatiquement les ressources passant par un serveur mandataire">
<!ENTITY zotero.preferences.proxies.disableByDomain "Désactiver la redirection par un serveur mandataire lorsque mon nom de domaine contient ">
<!ENTITY zotero.preferences.proxies.configured "Serveurs mandataires configurés">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Créer une bibliographie">
<!ENTITY zotero.bibliography.style.label "Style de citation :">
<!ENTITY zotero.bibliography.output.label "Format de sortie">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Enregistrer au format RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Enregistrer au format HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copier dans le presse-papiers">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Partiel
exportOptions.exportNotes=Exporter les notes
exportOptions.exportFileData=Exporter les fichiers
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 sans BOM)
charset.autoDetect=(détection automatique)
@ -566,6 +567,8 @@ citation.multipleSources=Sources multiples…
citation.singleSource=Source unique…
citation.showEditor=Montrer l'éditeur…
citation.hideEditor=Cacher l'éditeur…
citation.citation=Citation
citation.note=Note
report.title.default=Rapport Zotero
report.parentItem=Document parent :

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "notas fillas">
<!ENTITY zotero.preferences.groups.childFiles "instantáneas fillas e arquivos importados">
<!ENTITY zotero.preferences.groups.childLinks "ligazóns fillas">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Crear Bibliografía">
<!ENTITY zotero.bibliography.style.label "Estilo Cita:">
<!ENTITY zotero.bibliography.output.label "Formato de Saída">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Gravar como RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Gravar como HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copiar no Portapapeis">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Parcial
exportOptions.exportNotes=Exportar Notas
exportOptions.exportFileData=Exportar Arquivos
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 sen BOM)
charset.autoDetect=(detección automática)
@ -566,6 +567,8 @@ citation.multipleSources=Multiples Fontes...
citation.singleSource=Fonte Única....
citation.showEditor=Mostrar Editor
citation.hideEditor=Agochar Editor
citation.citation=Citation
citation.note=Note
report.title.default=Informe Zotero
report.parentItem=Artigo Pai:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "צור ביבליוגרפיה">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "שמור כ-RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "שמור כ-HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=ספרייה אינה ריקה
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=חלקי
exportOptions.exportNotes=Export Notes
exportOptions.exportFileData=יצוא קבצים
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=מקור בודד...
citation.showEditor=הצג עורך...
citation.hideEditor=הסתר עורך...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Report
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=שדות
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -130,9 +130,11 @@
<!ENTITY zotero.selectitems.cancel.label "Cancel">
<!ENTITY zotero.selectitems.select.label "OK">
<!ENTITY zotero.bibliography.title "Create Bibliography">
<!ENTITY zotero.bibliography.title "Create Citation/Bibliography">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Save as RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Save as HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=Directory Not Empty
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=Partial
exportOptions.exportNotes=Export Notes
exportOptions.exportFileData=Export Files
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Report
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=Fields
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "kapcsolódó jegyzetek">
<!ENTITY zotero.preferences.groups.childFiles "kapcsolódó pillanatfelvételek és importált fájlok">
<!ENTITY zotero.preferences.groups.childLinks "kapcsolódó hivatkozások">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Bibliográfia létrehozása">
<!ENTITY zotero.bibliography.style.label "Hivatkozási stílus:">
<!ENTITY zotero.bibliography.output.label "Kimeneti formátum">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Mentés RTF-ként">
<!ENTITY zotero.bibliography.saveAsHTML.label "Mentés HTML-ként">
<!ENTITY zotero.bibliography.copyToClipboard.label "Másolás a vágólapra">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Részleges
exportOptions.exportNotes=Jegyzetek exportálása
exportOptions.exportFileData=Fájlok exportálása
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Több forrás...
citation.singleSource=Egy forrás...
citation.showEditor=Szerkesztő megjelenítése...
citation.hideEditor=Szerkesztő elrejtése...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero jelentés
report.parentItem=Szülő elem:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=A pillanatfelvételhez kapcsolódó jegyzeteket egy
integration.fields.label=Mezők
integration.referenceMarks.label=Hivatkozási jelek
integration.fields.caption=Microsoft Word mezők esetében nem valószínű a véletlen módosítás, de nem kompatibilis az OpenOffice-gal.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice hivatkozási jelek esetében nem valószínű a véletlen módosítás, de nem kompatibilis a Microsoft Worddel.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -130,9 +130,11 @@
<!ENTITY zotero.selectitems.cancel.label "Cancel">
<!ENTITY zotero.selectitems.select.label "OK">
<!ENTITY zotero.bibliography.title "Create Bibliography">
<!ENTITY zotero.bibliography.title "Create Citation/Bibliography">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Save as RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Save as HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=Directory Not Empty
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=Partial
exportOptions.exportNotes=Flytja út athugasemdir
exportOptions.exportFileData=Flytja út skrár
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero skýrsla
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=Fields
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "note">
<!ENTITY zotero.preferences.groups.childFiles "istantanee di pagine web e file importati">
<!ENTITY zotero.preferences.groups.childLinks "collegamenti">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Crea bibliografia">
<!ENTITY zotero.bibliography.style.label "Stile citazione:">
<!ENTITY zotero.bibliography.output.label "Formato di output">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Salva come RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Salva come HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copia negli Appunti">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Parzialmente indicizzato
exportOptions.exportNotes=Esporta note
exportOptions.exportFileData=Esporta file
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 senza BOM)
charset.autoDetect=(rilevamento automatico)
@ -566,6 +567,8 @@ citation.multipleSources=Fonti multiple...
citation.singleSource=Fonte singola...
citation.showEditor=Visualizza editor...
citation.hideEditor=Nascondi editor...
citation.citation=Citation
citation.note=Note
report.title.default=Rapporto Zotero
report.parentItem=Elemento principale:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "子ノート">
<!ENTITY zotero.preferences.groups.childFiles "子スナップショットおよびインポートされたファイル">
<!ENTITY zotero.preferences.groups.childLinks "子リンク">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "参考文献目録を作成">
<!ENTITY zotero.bibliography.style.label "引用スタイル:">
<!ENTITY zotero.bibliography.output.label "出力フォーマット">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "RTF として保存">
<!ENTITY zotero.bibliography.saveAsHTML.label "HTML として保存">
<!ENTITY zotero.bibliography.copyToClipboard.label "クリップボードにコピー">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=一部索引済
exportOptions.exportNotes=メモをエクスポート
exportOptions.exportFileData=ファイルをエクスポート
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (バイト順マーク BOM なしの UTF-8)
charset.autoDetect=(自動検出)
@ -566,6 +567,8 @@ citation.multipleSources=複数の参照データ...
citation.singleSource=単一の参照データ...
citation.showEditor=編集者名を表示する...
citation.hideEditor=編集者名を表示しない...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero レポート
report.parentItem=親アイテム:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "កំណត់ត្រាកម្ជាប់">
<!ENTITY zotero.preferences.groups.childFiles "រូបភាពកម្ជាប់ និង ឯកសារនាំចូល">
<!ENTITY zotero.preferences.groups.childLinks "កម្ជាប់រណប">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "បើកគេហទំព័រ">

View file

@ -133,7 +133,9 @@
<!ENTITY zotero.bibliography.title "បង្កើតគន្ថនិទេ្ទស">
<!ENTITY zotero.bibliography.style.label "រចនាបថអាគតដ្ឋាន:">
<!ENTITY zotero.bibliography.output.label "ទម្រង់ទិន្នផល">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "ទាញរក្សាទុកជាអ៊ែរធីអែហ្វ">
<!ENTITY zotero.bibliography.saveAsHTML.label "ទាញរក្សាទុកជាអេចធីអេមអិល">
<!ENTITY zotero.bibliography.copyToClipboard.label "ចម្លងទៅកាន់កន្លែងរក្សាទុកឯកសារបណ្តោះអាសន្ន">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=បានដាក់ដោយផ្នែក
exportOptions.exportNotes=នាំកំណត់ចំណាំចេញ
exportOptions.exportFileData=នាំឯកសារចេញ
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=យូនីកូដ (យូធីអែហ្វ-៨ គ្មានប៊ីអូអិម)
charset.autoDetect=(រកឃើញដោយស្វ័យប្រវត្តិ)
@ -566,6 +567,8 @@ citation.multipleSources=ពហុប្រភព...
citation.singleSource=ឯកប្រភព...
citation.showEditor=បង្ហាញកំណែតម្រូវ...
citation.hideEditor=លាក់កំណែតម្រូវ...
citation.citation=Citation
citation.note=Note
report.title.default=របាយការណ៍ហ្ស៊ូតេរ៉ូ
report.parentItem=តត្តកម្មៈ

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "하위 노트들">
<!ENTITY zotero.preferences.groups.childFiles "하위 스냅샷 및 들여온 파일들">
<!ENTITY zotero.preferences.groups.childLinks "하위 링크들">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "참조 문헌 목록 생성">
<!ENTITY zotero.bibliography.style.label "인용 형식:">
<!ENTITY zotero.bibliography.output.label "출력 형식:">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "RTF로 저장">
<!ENTITY zotero.bibliography.saveAsHTML.label "HTML로 저장">
<!ENTITY zotero.bibliography.copyToClipboard.label "클립보드로 복사">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=부분적
exportOptions.exportNotes=노트 내보내기
exportOptions.exportFileData=파일 내보내기
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=유니코드 (UTF-8 BOM 없음)
charset.autoDetect=(자동 탐지)
@ -566,6 +567,8 @@ citation.multipleSources=복수의 출처...
citation.singleSource=단일 출처...
citation.showEditor=편집기 표시...
citation.hideEditor=편집기 감추기...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero 보고서
report.parentItem=근원 항목:

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -130,9 +130,11 @@
<!ENTITY zotero.selectitems.cancel.label "Цуцлах">
<!ENTITY zotero.selectitems.select.label "ОК">
<!ENTITY zotero.bibliography.title "Create Bibliography">
<!ENTITY zotero.bibliography.title "Create Citation/Bibliography">
<!ENTITY zotero.bibliography.style.label "Citation Style:">
<!ENTITY zotero.bibliography.output.label "Output Format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "RTF-р хадгалах">
<!ENTITY zotero.bibliography.saveAsHTML.label "HTML-р хадгалах">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copy to Clipboard">

View file

@ -67,7 +67,7 @@ errorReport.actualResult=Actual result:
dataDir.notFound=The Zotero data directory could not be found.
dataDir.previousDir=Previous directory:
dataDir.useProfileDir=Use Firefox profile directory
dataDir.useProfileDir=Use %S profile directory
dataDir.selectDir=Select a Zotero data directory
dataDir.selectedDirNonEmpty.title=Directory Not Empty
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?
@ -551,6 +551,7 @@ fulltext.indexState.partial=Partial
exportOptions.exportNotes=Export Notes
exportOptions.exportFileData=Export Files
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Multiple Sources...
citation.singleSource=Single Source...
citation.showEditor=Show Editor...
citation.hideEditor=Hide Editor...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero Report
report.parentItem=Parent Item:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Annotations for a snapshot may only be opened in on
integration.fields.label=Талбарууд
integration.referenceMarks.label=ReferenceMarks
integration.fields.caption=Microsoft Word Fields are less likely to be accidentally modified, but cannot be shared with OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=OpenOffice ReferenceMarks are less likely to be accidentally modified, but cannot be shared with Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "Åpne URL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Lag bibliografi">
<!ENTITY zotero.bibliography.style.label "Siteringsstil:">
<!ENTITY zotero.bibliography.output.label "Output-format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Lagre som RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Lagre som HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopier til utklippstavle">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Delvis
exportOptions.exportNotes=Eksporter notater
exportOptions.exportFileData=Eksporter filer
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 without BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Flere kilder...
citation.singleSource=Enkeltkilde...
citation.showEditor=Vis behandler...
citation.hideEditor=Skjul behandler...
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-rapport
report.parentItem=Overordnet element:
@ -583,7 +586,7 @@ annotations.oneWindowWarning=Kommentarer til et snapshot kan bare åpnes i ett n
integration.fields.label=Felter
integration.referenceMarks.label=Referansefelter
integration.fields.caption=Microsoft Words felter er i mindre grad utsatt for utilsiktede endringer, men kan ikke deles med OpenOffice.
integration.fields.fileFormatNotice=The document must be saved in the .doc or .docx file format.
integration.fields.fileFormatNotice=The document must be saved in the .doc file format.
integration.referenceMarks.caption=Referansefeltene i OpenOffice er i mindre grad utsatt for utilsiktede endringer, men kan ikke deles med Microsoft Word.
integration.referenceMarks.fileFormatNotice=The document must be saved in the .odt file format.
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "bijbehorende aantekeningen">
<!ENTITY zotero.preferences.groups.childFiles "bijbehorende snapshots en geïmporteerde bestanden">
<!ENTITY zotero.preferences.groups.childLinks "bijbehorende koppelingen">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "OpenURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Bibliografie aanmaken">
<!ENTITY zotero.bibliography.style.label "Referentiestijl:">
<!ENTITY zotero.bibliography.output.label "Uitvoerformaat">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Bewaar als RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Bewaar als HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Naar klembord kopiëren">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Gedeeltelijk
exportOptions.exportNotes=Exporteer aantekeningen
exportOptions.exportFileData=Exporteer bestanden
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 zonder BOM)
charset.autoDetect=(automatisch detecteren)
@ -566,6 +567,8 @@ citation.multipleSources=Meerdere bronnen…
citation.singleSource=Enkele bron…
citation.showEditor=Editor tonen…
citation.hideEditor=Editor verbergen…
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-rapport
report.parentItem=Moederobject:

View file

@ -9,7 +9,7 @@
<!ENTITY zotero.preferences.userInterface "Brukargrensesnitt">
<!ENTITY zotero.preferences.showIn "Opna Zotero i:">
<!ENTITY zotero.preferences.showIn.browserPane "Ramme i nettlesaren">
<!ENTITY zotero.preferences.showIn.separateTab "Eigen fane">
<!ENTITY zotero.preferences.showIn.separateTab "Eiga fane">
<!ENTITY zotero.preferences.showIn.appTab "App-fane">
<!ENTITY zotero.preferences.statusBarIcon "Ikon på statuslinje:">
<!ENTITY zotero.preferences.statusBarIcon.none "Ingen">
@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "child notes">
<!ENTITY zotero.preferences.groups.childFiles "child snapshots and imported files">
<!ENTITY zotero.preferences.groups.childLinks "child links">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "Opne URL">
@ -110,8 +111,8 @@
<!ENTITY zotero.preferences.cite.wordProcessors.useClassicAddCitationDialog "Use classic Add Citation dialog">
<!ENTITY zotero.preferences.cite.styles.styleManager "Style Manager">
<!ENTITY zotero.preferences.cite.styles.styleManager.title "Title">
<!ENTITY zotero.preferences.cite.styles.styleManager.updated "Updated">
<!ENTITY zotero.preferences.cite.styles.styleManager.title "Tittel">
<!ENTITY zotero.preferences.cite.styles.styleManager.updated "Oppdatert">
<!ENTITY zotero.preferences.cite.styles.styleManager.csl "CSL">
<!ENTITY zotero.preferences.export.getAdditionalStyles "Hent fleire stilar …">
@ -154,9 +155,9 @@
<!ENTITY zotero.preferences.prefpane.advanced "Avansert">
<!ENTITY zotero.preferences.prefpane.locate "Locate">
<!ENTITY zotero.preferences.prefpane.locate "Lokaliser">
<!ENTITY zotero.preferences.locate.locateEngineManager "Article Lookup Engine Manager">
<!ENTITY zotero.preferences.locate.description "Description">
<!ENTITY zotero.preferences.locate.description "Skildring">
<!ENTITY zotero.preferences.locate.name "Name">
<!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.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.">

View file

@ -1,4 +1,4 @@
<!ENTITY preferencesCmdMac.label "Preferences…">
<!ENTITY preferencesCmdMac.label "Innstillingar">
<!ENTITY preferencesCmdMac.commandkey ",">
<!ENTITY servicesMenuMac.label "Services">
<!ENTITY hideThisAppCmdMac.label "Gøym &brandShortName;">
@ -10,7 +10,7 @@
<!ENTITY quitApplicationCmdMac.key "Q">
<!ENTITY fileMenu.label "Fila">
<!ENTITY fileMenu.label "Fil">
<!ENTITY fileMenu.accesskey "F">
<!ENTITY saveCmd.label "Save…">
<!ENTITY saveCmd.key "S">

View file

@ -63,8 +63,8 @@
<!ENTITY zotero.items.menu.attach.snapshot "Legg til snapshot av gjeldande side">
<!ENTITY zotero.items.menu.attach.link "Legg til lenkje til gjeldande side">
<!ENTITY zotero.items.menu.attach.link.uri "Legg ved lenkje til URI …">
<!ENTITY zotero.items.menu.attach.file "Legg ved lagra kopi av fila …">
<!ENTITY zotero.items.menu.attach.fileLink "Legg ved lenkje til fila …">
<!ENTITY zotero.items.menu.attach.file "Legg ved lagra kopi av fil …">
<!ENTITY zotero.items.menu.attach.fileLink "Legg ved lenkje til fil …">
<!ENTITY zotero.items.menu.restoreToLibrary "Gjenopprett til bibliotek">
<!ENTITY zotero.items.menu.duplicateItem "Dupliser det valde elementet">
@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Lag bibliografi">
<!ENTITY zotero.bibliography.style.label "Siteringsstil:">
<!ENTITY zotero.bibliography.output.label "Output-format">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Lagra som RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Lagra som HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopier til utklippstavle">
@ -233,7 +235,7 @@
<!ENTITY zotero.rtfScan.citationsPage.description "Sjå over lista over attkjende siteringar under for å stadfesta at Zotero har kopla siteringane rett. Ukopla eller tvetydige siteringar må rettast før du kan gå vidare.">
<!ENTITY zotero.rtfScan.stylePage.label "Dokumentformatering">
<!ENTITY zotero.rtfScan.formatPage.label "Formaterer siteringar">
<!ENTITY zotero.rtfScan.formatPage.description "Zotero leser og formaterer RTF-fila. Ha tolmod.">
<!ENTITY zotero.rtfScan.formatPage.description "Zotero les og formaterer RTF-fila. Ha tolmod.">
<!ENTITY zotero.rtfScan.completePage.label "RTF-skann fullført">
<!ENTITY zotero.rtfScan.completePage.description "Dokumentet er gjennomlest og prosessert. Kontroller at det er formatert rett.">
<!ENTITY zotero.rtfScan.inputFile.label "Fil å lesa">

View file

@ -51,7 +51,7 @@ upgrade.failed.title=Klarte ikkje oppgradera
upgrade.failed=Oppgradering av Zotero-databasen mislukkast:
upgrade.advanceMessage=Vel %S for å oppgradera no.
upgrade.dbUpdateRequired=Zotero-databasen må oppgraderast.
upgrade.integrityCheckFailed=Your Zotero database must be repaired before the upgrade can continue.
upgrade.integrityCheckFailed=Zotero-databasen må reparerast før oppgraderinga kan halde fram.
upgrade.loadDBRepairTool=Load Database Repair Tool
upgrade.couldNotMigrate=Zotero could not migrate all necessary files.\nPlease close any open attachment files and restart %S to try the upgrade again.
upgrade.couldNotMigrate.restart=If you continue to receive this message, restart your computer.
@ -306,7 +306,7 @@ itemFields.codeNumber=Tekst nummer
itemFields.artworkMedium=Medium
itemFields.number=Nummer
itemFields.artworkSize=Kunstverk-storleik
itemFields.libraryCatalog=Library Catalog
itemFields.libraryCatalog=Bibliotek-katalog
itemFields.videoRecordingFormat=Format
itemFields.interviewMedium=Medium
itemFields.letterType=Type
@ -363,7 +363,7 @@ itemFields.programTitle=Program Title
itemFields.issuingAuthority=Issuing Authority
itemFields.filingDate=Filing Date
itemFields.genre=Genre
itemFields.archive=Archive
itemFields.archive=Arkiv\n
creatorTypes.author=Forfattar
creatorTypes.contributor=Medforfatter
@ -392,7 +392,7 @@ creatorTypes.presenter=Presentatør
creatorTypes.guest=Gjest
creatorTypes.podcaster=Podkastar
creatorTypes.reviewedAuthor=Meld forfattar
creatorTypes.cosponsor=Cosponsor
creatorTypes.cosponsor=Medsponsor
creatorTypes.bookAuthor=Bokforfattar
fileTypes.webpage=Nettside
@ -405,7 +405,7 @@ fileTypes.document=Dokument
save.attachment=Saving Snapshot…
save.link=Lagrar lenkje …
save.link.error=An error occurred while saving this link.
save.link.error=Ein feil oppstod ved lagring av lenkja.
save.error.cannotMakeChangesToCollection=You cannot make changes to the currently selected collection.
save.error.cannotAddFilesToCollection=You cannot add files to the currently selected collection.
@ -422,7 +422,7 @@ ingester.importReferRISDialog.title=Zotero RIS/Refer Import
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.importFile.title=Import File
ingester.importFile.title=Importer fil
ingester.importFile.text=Do you want to import the file "%S"?\n\nItems will be added to a new collection.
ingester.lookup.performing=Performing Lookup…
@ -551,6 +551,7 @@ fulltext.indexState.partial=Delvis
exportOptions.exportNotes=Eksporter notat
exportOptions.exportFileData=Eksporter filer
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 utan BOM)
charset.autoDetect=(auto detect)
@ -566,6 +567,8 @@ citation.multipleSources=Fleire kjelder.. …
citation.singleSource=Enkeltkjelde …
citation.showEditor=Vis handsamar …
citation.hideEditor=Skjul handsamar …
citation.citation=Citation
citation.note=Note
report.title.default=Zotero-rapport
report.parentItem=Overordna element:
@ -621,8 +624,8 @@ integration.error.invalidStyle=The style you have selected does not appear to be
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.replace=Replace this Zotero field?
integration.missingItem.single=This item no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in this citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.single=The highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.multiple=Item %1$S in the highlighted citation no longer exists in your Zotero database. Do you want to select a substitute item?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sura you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in ordar to work with Zotero 2.0b7 or lèt. It is recommended that you make a backup before proceeding. Are you sura you want to continue?

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "potomne notatki">
<!ENTITY zotero.preferences.groups.childFiles "potomne zrzuty ekranu i zaimportowane pliki">
<!ENTITY zotero.preferences.groups.childLinks "potomne linki">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "openURL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Utwórz bibliografię">
<!ENTITY zotero.bibliography.style.label "Styl cytowania:">
<!ENTITY zotero.bibliography.output.label "Format wyjściowy">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Zapisz jako RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Zapisz jako HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Kopiuj do schowka">

View file

@ -30,12 +30,12 @@ general.accessDenied=Odmowa dostępu
general.permissionDenied=Brak uprawnienia
general.character.singular=znak
general.character.plural=znaki
general.create=Create
general.create=Utwórz
general.seeForMoreInformation=Zobacz %S aby uzyskać więcej informacji.
general.enable=Włącz
general.disable=Wyłącz
general.remove=Usuń
general.openDocumentation=Open Documentation
general.openDocumentation=Otwórz dokumentację
general.numMore=%S more…
general.operationInProgress=Operacja Zotero jest aktualnie w trakcie.
@ -53,7 +53,7 @@ upgrade.advanceMessage=Naciśnij %S, aby zaktualizować teraz.
upgrade.dbUpdateRequired=Baza danych Zotero musi zostać zaktualizowana.
upgrade.integrityCheckFailed=Twoja baza danych Zotero musi zostać naprawiona zanim aktualizacja będzie mogła być dokończona.
upgrade.loadDBRepairTool=Wczytaj narzędzie naprawy bazy danych
upgrade.couldNotMigrate=Zotero could not migrate all necessary files.\nPlease close any open attachment files and restart %S to try the upgrade again.
upgrade.couldNotMigrate=Zotero nie mógł przenieść wszystkich wymaganych plików.\\nZamknij wszystkie otwarte pliki załączników i uruchom ponownie Firefoksa aby spróbować powtórzyć aktualizację.
upgrade.couldNotMigrate.restart=Jeśli ponownie zobaczysz ten komunikat, uruchom ponownie swój komputer.
errorReport.reportError=Zgłoś błąd...
@ -70,7 +70,7 @@ dataDir.previousDir=Poprzedni katalog:
dataDir.useProfileDir=Użyj katalogu profilu Firefoksa
dataDir.selectDir=Wybierz katalog danych Zotero
dataDir.selectedDirNonEmpty.title=Katalog zawiera elementy
dataDir.selectedDirNonEmpty.text=Wybrany katalog zawiera elementy i nie jest katalogiem danych Zotero.\n\nCzy mimo wszystko chcesz utworzyć pliki Zotero?
dataDir.selectedDirNonEmpty.text=Wybrany katalog zawiera elementy i nie jest katalogiem danych Zotero.\\n\\nCzy mimo wszystko chcesz utworzyć pliki Zotero?
dataDir.standaloneMigration.title=Informacja migracji Zotero
dataDir.standaloneMigration.description=Wygląda na to, że pierwszy raz używasz %1$S. Czy chcesz aby %1$S zaimportował ustawienia z %2$S i użył twojego istniejącego katalogu danych?
dataDir.standaloneMigration.multipleProfiles=%1$S będzie dzielić swój katalog danych z najczęściej ostatnio używanym profilem.
@ -84,7 +84,7 @@ startupError.databaseInUse=Twoja baza danych Zotero jest aktualnie w użyciu. Ty
startupError.closeStandalone=Jeśli otwarta jest samodzielna wersja Zotero, proszę ją zamknąć i ponownie uruchomić Firefoksa.
startupError.closeFirefox=Jeśli otwarty jest Firefox z dodatkiem Zotero, proszę go zamknąć i ponownie uruchomić samodzielną wersję Zotero.
startupError.databaseCannotBeOpened=Nie można otworzyć bazy danych Zotero.
startupError.checkPermissions=Make sure you have read and write permissions to all files in the Zotero data directory.
startupError.checkPermissions=Upewnij się, że masz prawo odczytu oraz zapisu do wszystkich plików w katalogu danych Zotero.
startupError.zoteroVersionIsOlder=Ta wersja Zostero jest starsza niż wersja ostatnio użyta z twoją bazą danych.
startupError.zoteroVersionIsOlder.upgrade=Proszę zaktualizować do najnowszej wersji z witryny zotero.org.
startupError.zoteroVersionIsOlder.current=Aktualna wersja: %S
@ -128,9 +128,9 @@ pane.collections.menu.generateReport.collection=Utwórz raport z kolekcji
pane.collections.menu.generateReport.savedSearch=Utwórz raport z wyniku wyszukiwania
pane.tagSelector.rename.title=Zmiana nazwy etykiety
pane.tagSelector.rename.message=Proszę wprowadzić nową nazwę etykiety.\n\nNazwa etykiety zostanie zmieniona we wszystkich powiązanych elementach.
pane.tagSelector.rename.message=Proszę wprowadzić nową nazwę etykiety.\\n\\nNazwa etykiety zostanie zmieniona we wszystkich powiązanych elementach.
pane.tagSelector.delete.title=Usuń etykietę
pane.tagSelector.delete.message=Czy na pewno chcesz usunąć tę etykietę?\n\nEtykieta zostanie usunięta ze wszystkich elementów.
pane.tagSelector.delete.message=Czy na pewno chcesz usunąć tę etykietę?\\n\\nEtykieta zostanie usunięta ze wszystkich elementów.
pane.tagSelector.numSelected.none=Nie wybrano etykiet
pane.tagSelector.numSelected.singular=Wybrano %S etykietę
pane.tagSelector.numSelected.plural=Wybrano %S etykiet(y)
@ -178,7 +178,7 @@ pane.item.unselected.plural=%S items in this view
pane.item.selectToMerge=Select items to merge
pane.item.changeType.title=Zmień typ elementu
pane.item.changeType.text=Czy na pewno chcesz zmienić typ elementu?\n\nZostaną utracone następujące pola:
pane.item.changeType.text=Czy na pewno chcesz zmienić typ elementu?\\n\\nZostaną utracone następujące pola:
pane.item.defaultFirstName=Imię
pane.item.defaultLastName=Nazwisko
pane.item.defaultFullName=Imię i nazwisko
@ -195,7 +195,7 @@ pane.item.attachments.rename.title=Nowy tytuł:
pane.item.attachments.rename.renameAssociatedFile=Zmień nazwę powiązanego pliku
pane.item.attachments.rename.error=Podczas zmieniania nazwy pliku wystąpił błąd.
pane.item.attachments.fileNotFound.title=Nie znaleziono pliku
pane.item.attachments.fileNotFound.text=Nie znaleziono załączonego pliku.\n\nMógł zostać przeniesiony lub usunięty z Zotero.
pane.item.attachments.fileNotFound.text=Nie znaleziono załączonego pliku.\\n\\nMógł zostać przeniesiony lub usunięty z Zotero.
pane.item.attachments.delete.confirm=Czy na pewno chcesz usunąć ten załącznik?
pane.item.attachments.count.zero=Brak załączników
pane.item.attachments.count.singular=%S załącznik
@ -360,7 +360,7 @@ itemFields.shortTitle=Krótki tytuł
itemFields.docketNumber=Numer wokandy
itemFields.numPages=Liczba stron
itemFields.programTitle=Tytuł programu
itemFields.issuingAuthority=Issuing Authority
itemFields.issuingAuthority=Organ wydający
itemFields.filingDate=Data wypełnienia
itemFields.genre=Rodzaj
itemFields.archive=Archiwum
@ -419,20 +419,20 @@ ingester.scrapeErrorDescription.linkText=Znane błędy translacji
ingester.scrapeErrorDescription.previousError=Zapisywanie nie powiodło się z powodu wcześniejszego błędu Zotero.
ingester.importReferRISDialog.title=Importowanie Zotero RIS/Refer
ingester.importReferRISDialog.text=Czy chcesz zaimportować elementy z "%1$S" do Zotero?\n\nMożesz wyłączyć automatyczne importowanie RIS/Refer w ustawieniach Zotero.
ingester.importReferRISDialog.text=Czy chcesz zaimportować elementy z "%1$S" do Zotero?\\n\\nMożesz wyłączyć automatyczne importowanie RIS/Refer w ustawieniach Zotero.
ingester.importReferRISDialog.checkMsg=Zawsze pozwalaj tej witrynie
ingester.importFile.title=Importuj plik
ingester.importFile.text=Czy chcesz zaimportować plik "%S"?\n\nElementy zostaną dodane do nowej kolekcji.
ingester.importFile.text=Czy chcesz zaimportować plik "%S"?\\n\\nElementy zostaną dodane do nowej kolekcji.
ingester.lookup.performing=Wyszukiwanie...
ingester.lookup.error=W trakcie wyszukiwania tego elementu wystąpił błąd.
db.dbCorrupted=Baza danych Zotero "%S" jest prawdopodobnie uszkodzona.
db.dbCorrupted.restart=Proszę uruchomić ponownie Firefoksa, aby spróbować odzyskać danych z ostatniej kopi zapasowej.
db.dbCorruptedNoBackup=Baza danych Zotero "%S" jest prawdopodobnie uszkodzona i niemożliwe jest automatyczne odzyskiwanie z kopii zapasowej.\n\nUtworzono nowy plik bazy danych. Uszkodzony plik został zapisany w katalogu Zotero.
db.dbRestored=Baza danych Zotero "%1$S" jest prawdopodobnie uszkodzona.\n\nDane zostały odtworzone z ostatniej kopii zapasowej utworzonej\n%2$S o godz. %3$S. Uszkodzony plik został zapisany w katalogu Zotero.
db.dbRestoreFailed=Baza danych Zotero "%S" jest prawdopodobnie uszkodzona.\n\nPróba odtworzenia danych z ostatniej utworzonej kopii zapasowej nie powiodła się.\nUtworzono nowy plik bazy danych. Uszkodzony plik został zapisany w katalogu Zotero.
db.dbCorruptedNoBackup=Baza danych Zotero "%S" jest prawdopodobnie uszkodzona i niemożliwe jest automatyczne odzyskiwanie z kopii zapasowej.\\n\\nUtworzono nowy plik bazy danych. Uszkodzony plik został zapisany w katalogu Zotero.
db.dbRestored=Baza danych Zotero "%1$S" jest prawdopodobnie uszkodzona.\\n\\nDane zostały odtworzone z ostatniej kopii zapasowej utworzonej\\n%2$S o godz. %3$S. Uszkodzony plik został zapisany w katalogu Zotero.
db.dbRestoreFailed=Baza danych Zotero "%S" jest prawdopodobnie uszkodzona.\\n\\nPróba odtworzenia danych z ostatniej utworzonej kopii zapasowej nie powiodła się.\\nUtworzono nowy plik bazy danych. Uszkodzony plik został zapisany w katalogu Zotero.
db.integrityCheck.passed=Baza danych nie zawiera błędów.
db.integrityCheck.failed=Baza danych Zotero zawiera błędy!
@ -451,9 +451,9 @@ zotero.preferences.openurl.resolversFound.zero=Nie znaleziono resolwerów
zotero.preferences.openurl.resolversFound.singular=Znaleziono %S resolwer
zotero.preferences.openurl.resolversFound.plural=Znaleziono %S resolwery(ów)
zotero.preferences.search.rebuildIndex=Odbuduj indeks
zotero.preferences.search.rebuildWarning=Czy chcesz odbudować cały indeks? Może to potrwać chwilę.\n\nAby zindeksować elementy, które nie zostały jeszcze zindeksowane, użyj %S.
zotero.preferences.search.rebuildWarning=Czy chcesz odbudować cały indeks? Może to potrwać chwilę.\\n\\nAby zindeksować elementy, które nie zostały jeszcze zindeksowane, użyj %S.
zotero.preferences.search.clearIndex=Wyczyść indeks
zotero.preferences.search.clearWarning=Po wyczyszczeniu indeksu niemożliwe będzie przeszukiwanie zawartości załączników.\n\nZałączniki, które są odnośnikami do stron internetowych nie mogą zostać powtórnie zindeksowane bez ponownego odwiedzenia tych stron. Aby pozostawić odnośniki do stron internetowych zindeksowane wybierz %S.
zotero.preferences.search.clearWarning=Po wyczyszczeniu indeksu niemożliwe będzie przeszukiwanie zawartości załączników.\\n\\nZałączniki, które są odnośnikami do stron internetowych nie mogą zostać powtórnie zindeksowane bez ponownego odwiedzenia tych stron. Aby pozostawić odnośniki do stron internetowych zindeksowane wybierz %S.
zotero.preferences.search.clearNonLinkedURLs=Wyczyść wszystko oprócz odnośników do stron internetowych.
zotero.preferences.search.indexUnindexed=Zindeksuj niezindeksowane elementy
zotero.preferences.search.pdf.toolRegistered=%S jest zainstalowany
@ -551,6 +551,7 @@ fulltext.indexState.partial=Częściowy
exportOptions.exportNotes=Eksportuj notatki
exportOptions.exportFileData=Eksportuj pliki
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 bez BOM)
charset.autoDetect=(automatyczne wykrycie)
@ -566,6 +567,8 @@ citation.multipleSources=Wiele źródeł
citation.singleSource=Pojedyncze źródło
citation.showEditor=Wyświetl redaktora
citation.hideEditor=Ukryj redaktora
citation.citation=Citation
citation.note=Note
report.title.default=Raport Zotero
report.parentItem=Element nadrzędny:
@ -573,7 +576,7 @@ report.notes=Notatki:
report.tags=Etykiety:
annotations.confirmClose.title=Usuwanie adnotacji
annotations.confirmClose.body=Czy na pewno chcesz usunąć tę adnotację?\n\nCała zawartość adnotacji zostanie utracona.
annotations.confirmClose.body=Czy na pewno chcesz usunąć tę adnotację?\\n\\nCała zawartość adnotacji zostanie utracona.
annotations.close.tooltip=Usuń adnotację
annotations.move.tooltip=Przenieś adnotację
annotations.collapse.tooltip=Zwiń adnotację
@ -600,46 +603,46 @@ integration.revert.button=Cofnij
integration.removeBibEntry.title=Wybrane pozycje są cytowane w twoim dokumencie.
integration.removeBibEntry.body=Czy na pewno chcesz pominąć ten wpis w twojej bibliografii?
integration.cited=Cited
integration.cited=Cytowany
integration.cited.loading=Wczytywanie cytowanych elementów...
integration.ibid=ibid
integration.emptyCitationWarning.title=Puste cytowanie
integration.emptyCitationWarning.body=Wybrane cytowanie będzie puste w aktualnie wybranym stylu. Czy na pewno je dodać?
integration.error.incompatibleVersion=This version of the Zotero word processor plugin ($INTEGRATION_VERSION) is incompatible with the currently installed version of the Zotero Firefox extension (%1$S). Please ensure you are using the latest versions of both components.
integration.error.incompatibleVersion=Ta wersja wtyczki edytora tekstu ($INTEGRATION_VERSION) nie jest kompatybilna z aktualnie zainstalowaną wersją rozszerzenia Zotero do Firefoksa (%1$S). Upewnij się, że używasz najnowszych wersji obu składników.
integration.error.incompatibleVersion2=Zotero %1$S wymaga %2$S %3$S lub nowszego. Proszę pobrać najnowszą wersję %2$S z witryny zotero.org.
integration.error.title=Błąd integracji Zotero
integration.error.notInstalled=Firefox nie może wczystać składnika wymaganego do komunikacji z twoim procesorem tekstu. Proszę się upewnić, że odpowiedni dodatek Firefoksa jest zainstalowany, a następnie spróbować ponownie.
integration.error.notInstalled=Firefox nie może wczytać składnika wymaganego do komunikacji z twoim procesorem tekstu. Proszę się upewnić, że odpowiedni dodatek Firefoksa jest zainstalowany, a następnie spróbować ponownie.
integration.error.generic=Wystąpił błąd podczas aktualizacji twojego dokumentu.
integration.error.mustInsertCitation=Musisz wstawić cytowanie przed wykonaniem tej operacji.
integration.error.mustInsertBibliography=Musisz wstawić bibliografię przed wykonaniem tej operacji.
integration.error.cannotInsertHere=Pola Zotero nie mogą być wstawione w tym miejscu.
integration.error.notInCitation=Należy umieścić kursor w cytowaniu Zotero, aby je edytować.
integration.error.noBibliography=Bieżący styl bibliograficzny nie definiuje bibliografii. Jeśli chcesz dodać bibliografię wybierz proszę inny styl.
integration.error.deletePipe=The pipe that Zotero uses to communicate with the word processor could not be initialized. Would you like Zotero to attempt to correct this error? You will be prompted for your password.
integration.error.invalidStyle=The style you have selected does not appear to be valid. If you have created this style yourself, please ensure that it passes validation as described at https://github.com/citation-style-language/styles/wiki/Validation. Alternatively, try selecting another style.
integration.error.fieldTypeMismatch=Zotero cannot update this document because it was created by a different word processing application with an incompatible field encoding. In order to make a document compatible with both Word and OpenOffice.org/LibreOffice/NeoOffice, open the document in the word processor with which it was originally created and switch the field type to Bookmarks in the Zotero Document Preferences.
integration.error.deletePipe=Nie można było utworzyć potoku używanego przez przez Zotero do komunikacji z edytorem tekstu. Czy chcesz, aby Zotero spróbowało usunąć ten błąd? Zostaniesz poproszony o swoje hasło.
integration.error.invalidStyle=Styl, który wybrałeś, wydaje się być niepoprawny. Jeżeli utworzyłeś go samodzielnie, upewnij się, że jest on poprawny, korzystając ze strony http://zotero.org/support/dev/citation_styles. Możesz również spróbować wybrać inny styl.
integration.error.fieldTypeMismatch=Zotero nie może zaktualizować tego dokumentu, ponieważ został on utworzony przy pomocy edytora tekstu niekompatybilnego z użytym sposobem kodowania pól. Aby dokument był kompatybilny zarówno z Wordem, jak i OpenOffice.org/LibreOffice/NeoOffice, otwórz dokument w edytorze tekstu, w którym został on utworzony, i zmień w Preferencjach dokumentu Zotero typ pól na Zakładki.
integration.replace=Czy zamienić to pole Zotero?
integration.missingItem.single=Ten element już nie istnieje w twojej bazie danych Zotero. Czy chcesz wybrać element zastępczy?
integration.missingItem.multiple=Element %1$S w tym cytowaniu już nie istnieje w twojej bazie danych Zotero. Czy chcesz wybrać element zastępczy?
integration.missingItem.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but deleting it from your bibliography.
integration.removeCodesWarning=Removing field codes will prevent Zotero from updating citations and bibliographies in this document. Are you sure you want to continue?
integration.upgradeWarning=Your document must be permanently upgraded in order to work with Zotero 2.0b7 or later. It is recommended that you make a backup before proceeding. Are you sure you want to continue?
integration.error.newerDocumentVersion=Your document was created with a newer version of Zotero (%1$S) than the currently installed version (%1$S). Please upgrade Zotero before editing this document.
integration.corruptField=The Zotero field code corresponding to this citation, which tells Zotero which item in your library this citation represents, has been corrupted. Would you like to reselect the item?
integration.corruptField.description=Clicking "No" will delete the field codes for citations containing this item, preserving the citation text but potentially deleting it from your bibliography.
integration.corruptBibliography=The Zotero field code for your bibliography is corrupted. Should Zotero clear this field code and generate a new bibliography?
integration.corruptBibliography.description=All items cited in the text will appear in the new bibliography, but modifications you made in the "Edit Bibliography" dialog will be lost.
integration.citationChanged=Dokonano modyfikacji tego cytowania, zanim Zotero je utworzył. Czy chcesz zachować swoje zmiany i zapobiec przyszłym aktualizacjom?
integration.citationChanged.description=Clicking "Yes" will prevent Zotero from updating this citation if you add additional citations, switch styles, or modify the item to which it refers. Clicking "No" will erase your changes.
integration.citationChanged.edit=Dokonano modyfikacji tego cytowania, zanim Zotero je utworzył. Edycja usunie twoje modyfikacje. Czy chcesz kontynuować?
integration.missingItem.description=Wybranie "Nie" usunie kody pól dla odnośników do tego elementu, zachowując tekst odnośników, ale usuwając element z bibliografii.
integration.removeCodesWarning=Usunięcie kodów pól spowoduje, że Zotero nie będzie w stanie zaktualizować odnośników oraz bibliografii w tym dokumencie. Czy jesteś pewien, że chcesz kontynuować?
integration.upgradeWarning=Twój dokument musi zostać na stałe zaktualizowany aby mógł współpracować z Zotero 2.0b7 lub nowszym. Zaleca się wykonanie kopii zapasowej. Czy chcesz kontynuować?
integration.error.newerDocumentVersion=Ten dokument został utworzony przy pomocy nowszej wersji Zotero (%1$S) niż obecnie zainstalowana (%1$S). Zaktualizuj Zotero przed edycją tego dokumentu.
integration.corruptField=Kod pola Zotero odpowiadający temu odnośnikowi, dzięki któremu Zotero jest w stanie powiązać ten odnośnik z pozycją w bibliotece, został uszkodzony. Czy chcesz ponownie wybrać element?
integration.corruptField.description=Wybranie "Nie" usunie kody pól dla odnośników do tego elementu, zachowując tekst odnośników, ale potencjalnie usuwając element z bibliografii.
integration.corruptBibliography=Kod pola Zotero dla bibliografii jest uszkodzony. Czy chcesz usunąć ten kod pola i wygenerować nową bibliografię?
integration.corruptBibliography.description=Wszystkie pozycje cytowane w tekście będą obecne w nowej bibliografii, ale wszelkie zmiany dokonane za pośrednictwem okna "Edytuj bibliografię" zostaną utracone.
integration.citationChanged=Dokonano modyfikacji tego odnośnika, zanim Zotero je utworzył. Czy chcesz zachować swoje zmiany i zapobiec przyszłym aktualizacjom?
integration.citationChanged.description=Wybranie "Tak" spowoduje, że Zotero nie zaktualizuje tego odnośnika jeśli dodasz dodatkowe źródła, zmienisz styl lub zmodyfikujesz pozycję, do której się on odnosi. Wybranie "Nie" usunie Twoje zmiany.
integration.citationChanged.edit=Dokonano modyfikacji tego odnośnika, zanim Zotero je utworzył. Edycja usunie twoje modyfikacje. Czy chcesz kontynuować?
styles.installStyle=Zainstalować styl "%1$S" z %2$S?
styles.updateStyle=Czy zastąpić istniejący styl "%1$S" stylem "%2$S" pobranym z %3$S?
styles.installed=Styl "%S" został zainstalowany.
styles.installError=%S nie jest poprawnym stylem.
styles.installSourceError=%1$S references an invalid or non-existent CSL file at %2$S as its source.
styles.installSourceError=%1$S w %2$S odsyła do nieprawidłowego lub nieistniejącego pliku CSL jako swojego źródła.
styles.deleteStyle=Czy na pewno usunąć styl "%1$S"?
styles.deleteStyles=Czy na pewno usunąć wybrane style?
@ -655,13 +658,13 @@ sync.error.usernameNotSet=Nie podano nazwy użytkownika
sync.error.passwordNotSet=Nie podano hasła
sync.error.invalidLogin=Błędna nazwa użytkownika lub hasło
sync.error.enterPassword=Proszę podać hasło.
sync.error.loginManagerCorrupted1=Zotero cannot access your login information, likely due to a corrupted Firefox login manager database.
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.loginManagerCorrupted1=Zotero nie mógł odczytać nazwy użytkownika oraz hasła Zotero, prawdopodobnie ze względu na uszkodzenie bazy danych menedżera haseł Firefoksa.
sync.error.loginManagerCorrupted2=Wyłącz Firefoksa, zrób kopie zapasowe oraz usuń pliki signons.* z profilu Firefoksa i wprowadź ponownie dane użytkownika Zotero w karcie Synchronizacja preferencji Zotero.
sync.error.syncInProgress=Synchronizacja jest aktualnie w trakcie.
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.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.syncInProgress.wait=Poczekaj na zakończenie poprzedniej synchronizacji albo uruchom ponownie Firefoksa.
sync.error.writeAccessLost=Nie masz już prawa zapisu do grupy Zotero '%S', w związku z czym pliki które dodałeś lub zmieniłeś nie mogą być zsynchronizowane z serwerem.
sync.error.groupWillBeReset=Jeżeli będziesz kontynuować, twoja kopia grupy zostanie przywrócona do stanu na serwerze, a lokalne zmiany pozycji oraz plików zostaną usunięte.
sync.error.copyChangedItems=Jeżeli chcesz mieć możliwość skopiowania zmienionych elementów w inne miejsce lub chcesz poprosić administratora grupy o prawo do zapisu, anuluj teraz synchronizację.
sync.error.manualInterventionRequired=Automatyczna synchronizacja spowodowała konflikt, który wymaga ręcznej interwencji.
sync.error.clickSyncIcon=Naciśnij ikonę synchronizacji aby zsynchronizować ręcznie..
@ -671,7 +674,7 @@ sync.status.loggingIn=Logowanie do serwera synchronizacji
sync.status.gettingUpdatedData=Odbieranie zaktualizowanych danych z serwera synchronizacji
sync.status.processingUpdatedData=Przetwarzanie zaktualizowanych danych
sync.status.uploadingData=Wysyłanie danych na serwer synchronizacji
sync.status.uploadAccepted=Wysyłanie zaakceptowane \u2014 oczekiwanie na serwer synchronizacji
sync.status.uploadAccepted=Wysyłanie zaakceptowane \ oczekiwanie na serwer synchronizacji
sync.status.syncingFiles=Synchronizowanie plików
sync.storage.kbRemaining=pozostało %SKB
@ -689,7 +692,7 @@ sync.storage.error.permissionDeniedAtAddress=Nie masz uprawnień do utworzenia k
sync.storage.error.checkFileSyncSettings=Proszę sprawdzić swoje ustawienia synchronizacji plików lub skontaktować się ze swoim administratorem serwera.
sync.storage.error.verificationFailed=Weryfikacja %S nie powiodła się. Sprawdź swoje ustawienia synchronizacji plików w panelu Synchronizacja w ustawieniach Zotero.
sync.storage.error.fileNotCreated=Nie można utworzyć pliku '%S' w katalogu danych Zotero.
sync.storage.error.fileEditingAccessLost=You no longer have file editing access to the Zotero group '%S', and files you've added or edited cannot be synced to the server.
sync.storage.error.fileEditingAccessLost=Nie masz już prawa modyfikowania plików w grupie '%S', w związku z czym pliki które dodałeś lub zmieniłeś nie mogą być zsynchronizowane z serwerem.
sync.storage.error.copyChangedItems=Jeśli chcesz mieć możliwość skopiowania zmienionych elementów i plików w inne miejsce, anuluj teraz synchronizację.
sync.storage.error.fileUploadFailed=Wysyłanie pliku nie powiodło się.
sync.storage.error.directoryNotFound=Nie znaleziono katalogu
@ -715,7 +718,7 @@ sync.longTagFixer.saveTags=Zapisz etykietę
sync.longTagFixer.deleteTag=Usuń etykietę
proxies.multiSite=Multi-Site
proxies.error=Information Validation Error
proxies.error=Błąd poprawności informacji
proxies.error.scheme.noHTTP=Poprawny schemat proxy musi zaczynać się "http://" lub "https://"
proxies.error.host.invalid=Dla strony udostępnianej przez ten serwer proxy należy podać pełną nazwę hosta (np. jstor.org).
proxies.error.scheme.noHost=A multi-site proxy scheme must contain the host variable (%h).
@ -723,7 +726,7 @@ proxies.error.scheme.noPath=Poprawny schemat proxy musi zawierać zmienną ście
proxies.error.host.proxyExists=Serwer pośredniczący dla hosta %1$S został już zdefiniowany.
proxies.error.scheme.invalid=Wprowadzony schemat serwera pośredniczącego (proxy) jest nieprawidłowy, powinien stosować się do wszystkich hostów.
proxies.notification.recognized.label=Zotero wykrył, że uzyskujesz dostęp do tej witryny przez serwer proxy. Czy chcesz automatycznie przekierowywać przyszłe żądania z %1$S przez %2$S?
proxies.notification.associated.label=Zotero automatically associated this site with a previously defined proxy. Future requests to %1$S will be redirected to %2$S.
proxies.notification.associated.label=Zotero automatycznie powiązało tę stronę z poprzednio zdefiniowanym proxy. Przyszłe żądania do %1$S będą przekierowane do %2$S.
proxies.notification.redirected.label=Zotero automatycznie przekierował twoje żądanie %1$S przez serwer pośredniczący na %2$S.
proxies.notification.enable.button=Włącz...
proxies.notification.settings.button=Ustawienia Proxy...
@ -773,7 +776,7 @@ standalone.addonInstallationFailed.body=Nie można zainstalować dodatku "%S". M
connector.error.title=Błąd połączenia Zotero
connector.standaloneOpen=Nie można uzyskać dostępu do twojej bazy danych, ponieważ samodzielny program Zotero jest uruchomiony. Możesz przeglądać swoje zbiory w samodzielnym programie Zotero.
firstRunGuidance.saveIcon=Zotero rozpoznaje cytowanie na tej stonie. Kliknij tą ikonę na pasku adresu, aby zapisać cytowania w twojej bibliotece Zotero.
firstRunGuidance.saveIcon=Zotero rozpoznaje cytowanie na tej stronie. Kliknij tą ikonę na pasku adresu, aby zapisać cytowania w twojej bibliotece Zotero.
firstRunGuidance.authorMenu=Zotero pozwala także na dodawanie redaktorów i tłumaczy. Można zmienić autora na tłumacza wybierając z tego menu.
firstRunGuidance.quickFormat=Type a title or author to search for a reference.\n\nAfter you've made your selection, click the bubble or press Ctrl-\u2193 to add page numbers, prefixes, or suffixes. You can also include a page number along with your search terms to add it directly.\n\nYou can edit citations directly in the word processor document.
firstRunGuidance.quickFormatMac=Type a title or author to search for a reference.\n\nAfter you've made your selection, click the bubble or press Cmd-\u2193 to add page numbers, prefixes, or suffixes. You can also include a page number along with your search terms to add it directly.\n\nYou can edit citations directly in the word processor document.
firstRunGuidance.quickFormat=Wpisz tytuł lub autora aby szukać pozycji w bibliotece.\\n\\nGdy dokonasz wyboru, kliknij bąbelek lub wciśnij Ctrl-\↓ aby dodać numery stron, przedrostki lub przyrostki. Możesz również wpisać numery stron wraz z wyszukiwanymi frazami, aby dodać je bezpośrednio.\\n\\nMożesz zmieniać odnośniki bezpośrednio w dokumencie edytora tekstu.
firstRunGuidance.quickFormatMac=Wpisz tytuł lub autora aby szukać pozycji w bibliotece.\\n\\nGdy dokonasz wyboru, kliknij bąbelek lub wciśnij Cmd-\↓ aby dodać numery stron, przedrostki lub przyrostki. Możesz również wpisać numery stron wraz z wyszukiwanymi frazami, aby dodać je bezpośrednio.\\n\\nMożesz zmieniać odnośniki bezpośrednio w dokumencie edytora tekstu.

View file

@ -38,6 +38,7 @@
<!ENTITY zotero.preferences.groups.childNotes "notas associadas">
<!ENTITY zotero.preferences.groups.childFiles "cópias instantâneas e arquivos importados associados">
<!ENTITY zotero.preferences.groups.childLinks "links associados">
<!ENTITY zotero.preferences.groups.tags "tags">
<!ENTITY zotero.preferences.openurl.caption "Abrir URL">

View file

@ -132,7 +132,9 @@
<!ENTITY zotero.bibliography.title "Criar bibliografia">
<!ENTITY zotero.bibliography.style.label "Estilo de citação:">
<!ENTITY zotero.bibliography.output.label "Formato de saída">
<!ENTITY zotero.bibliography.outputMode "Output Mode:">
<!ENTITY zotero.bibliography.bibliography "Bibliography">
<!ENTITY zotero.bibliography.outputMethod "Output Method:">
<!ENTITY zotero.bibliography.saveAsRTF.label "Salvar como RTF">
<!ENTITY zotero.bibliography.saveAsHTML.label "Salvar como HTML">
<!ENTITY zotero.bibliography.copyToClipboard.label "Copiar para Área de Transferência">

View file

@ -551,6 +551,7 @@ fulltext.indexState.partial=Parcialmente indexado
exportOptions.exportNotes=Exportar notas
exportOptions.exportFileData=Exportar arquivos
exportOptions.useJournalAbbreviation=Use Journal Abbreviation
charset.UTF8withoutBOM=Unicode (UTF-8 sem BOM)
charset.autoDetect=(autodetactar)
@ -566,6 +567,8 @@ citation.multipleSources=Fontes múltiplas...
citation.singleSource=Fonte única...
citation.showEditor=Mostrar editor...
citation.hideEditor=Esconder editor...
citation.citation=Citation
citation.note=Note
report.title.default=Relatório Zotero
report.parentItem=Item no nível acima:

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